diff --git a/.github/ISSUE_TEMPLATE/bug_report.md b/.github/ISSUE_TEMPLATE/bug_report.md index 0610333339..f8022b6469 100644 --- a/.github/ISSUE_TEMPLATE/bug_report.md +++ b/.github/ISSUE_TEMPLATE/bug_report.md @@ -9,9 +9,9 @@ assignees: '' Operating System Version: diff --git a/.github/workflows/build.yml b/.github/workflows/build.yml index b9c3678e09..cfb2e76442 100644 --- a/.github/workflows/build.yml +++ b/.github/workflows/build.yml @@ -1,6 +1,11 @@ -name: CI +name: Latest Build -on: [push] +on: + push: + branches: + - '*' + tags: + - 'v*' jobs: build: @@ -9,7 +14,8 @@ jobs: strategy: matrix: - os: [ubuntu-latest, windows-latest, macOS-latest] + os: [ubuntu-latest, macOS-latest, windows-latest] + nwjs: ['0.44.5', '0.82.0'] steps: - name: Context @@ -17,21 +23,20 @@ jobs: GITHUB_CONTEXT: ${{ toJson(github) }} run: echo "$GITHUB_CONTEXT" - - uses: actions/checkout@v2 + - uses: actions/checkout@v4 with: fetch-depth: 0 + persist-credentials: false - - name: Prepare NSIS - if: matrix.os == 'windows-latest' - id: prep_nsis - uses: joncloud/makensis-action@v1 - with: - just-include: true + - name: Reconfigure git to use HTTP authentication + run: > + git config --global url."https://github.com/".insteadOf + ssh://git@github.com/ - - name: Use Node.js 14.x - uses: actions/setup-node@v1 + - name: Use Node.js 20 + uses: actions/setup-node@v4 with: - node-version: 14.x + node-version: 20 - name: yarn version run: | @@ -41,34 +46,27 @@ jobs: run: | node --version - - name: Build App [macOS] - if: matrix.os == 'macOS-latest' - run: | - yarn - npm install - yarn gulp dist + - uses: kiriles90/variable-mapper@master + with: + key: "${{ matrix.os }}" + map: | + { + "ubuntu-latest": { "platform": "linux", "dist": "linux32,linux64" }, + "macOS-latest": { "platform": "osx", "dist": "osx64" }, + "windows-latest": { "platform": "win", "dist": "win32,win64" } + } - - name: Build App [ubuntu] - if: matrix.os == 'ubuntu-latest' - run: | - yarn - npm install - yarn gulp dist --platforms=linux32,linux64 + - name: Build info + run: echo Build ${{ env.dist }} on nw-v${{ matrix.nwjs }} - - name: Build App [windows] - if: matrix.os == 'windows-latest' + - name: Build App run: | yarn - npm install - yarn gulp dist --platforms=win32 - yarn gulp dist --platforms=win64 - env: - NSIS_PATH: ${{ steps.prep_nsis.outputs.nsis-path }} - + yarn gulp dist --platforms=${{ env.platform == 'win' && '"' || '' }}${{ env.dist }}${{ env.platform == 'win' && '"' || '' }} --nwVersion=${{ matrix.nwjs }} - name: Upload artifacts uses: actions/upload-artifact@master with: - name: ${{ matrix.os }} + name: ${{ env.platform }}-${{ matrix.nwjs }} path: build release: @@ -82,156 +80,17 @@ jobs: GITHUB_CONTEXT: ${{ toJson(github) }} run: echo "$GITHUB_CONTEXT" - - name: Get the version - id: get_version - if: startsWith(github.ref, 'refs/tags/v') - run: echo ::set-output name=VERSION::${GITHUB_REF/refs\/tags\/v/} - - - uses: actions/download-artifact@v1 - if: startsWith(github.ref, 'refs/tags/v') - with: - name: ubuntu-latest - - - uses: actions/download-artifact@v1 - if: startsWith(github.ref, 'refs/tags/v') - with: - name: windows-latest - - - uses: actions/download-artifact@v1 - if: startsWith(github.ref, 'refs/tags/v') - with: - name: macOS-latest - - - run: find . -print | sed -e 's;[^/]*/;|____;g;s;____|; |;g' - - - name: Create Release - if: startsWith(github.ref, 'refs/tags/v') - id: create_release - uses: actions/create-release@v1.0.0 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - tag_name: ${{ github.ref }} - release_name: ${{ github.ref }} - draft: false - prerelease: false - - - name: Upload Release Asset [macOS-zip] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./macOS-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-osx64.zip - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-osx64.zip - asset_content_type: application/octet-stream - - - name: Upload Release Asset [macOS-pkg] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./macOS-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}.pkg - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}.pkg - asset_content_type: application/octet-stream - - - name: Upload Release Asset [ubuntu-deb-amd64] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} + - uses: actions/download-artifact@v4 with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./ubuntu-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-amd64.deb - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-amd64.deb - asset_content_type: application/octet-stream + path: artifacts + merge-multiple: true - - name: Upload Release Asset [ubuntu-zip-x64] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./ubuntu-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-linux64.zip - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-linux64.zip - asset_content_type: application/octet-stream + - name: Display structure of downloaded files + run: ls -R artifacts - - name: Upload Release Asset [ubuntu-deb-i386] + - uses: ncipollo/release-action@v1 if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./ubuntu-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-i386.deb - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-i386.deb - asset_content_type: application/octet-stream - - - name: Upload Release Asset [ubuntu-zip-x32] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./ubuntu-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-linux32.zip - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-linux32.zip - asset_content_type: application/octet-stream - - - name: Upload Release Asset [windows-zip-x64] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./windows-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win64.zip - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win64.zip - asset_content_type: application/octet-stream - - - name: Upload Release Asset [windows-zip-ia32] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./windows-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win32.zip - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win32.zip - asset_content_type: application/octet-stream - - - name: Upload Release Asset [windows-setup-x64] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} - with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./windows-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win64-Setup.exe - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win64-Setup.exe - asset_content_type: application/octet-stream - - - name: Upload Release Asset [windows-setup-ia32] - if: startsWith(github.ref, 'refs/tags/v') - continue-on-error: true - uses: actions/upload-release-asset@v1.0.1 - env: - GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} with: - upload_url: ${{ steps.create_release.outputs.upload_url }} - asset_path: ./windows-latest/Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win32-Setup.exe - asset_name: Popcorn-Time-${{ steps.get_version.outputs.VERSION }}-win32-Setup.exe - asset_content_type: application/octet-stream + allowUpdates: true + name: ${{ github.ref_name }} + artifacts: "artifacts/*" diff --git a/.gitignore b/.gitignore index bd0180b4b6..e67bdb814b 100644 --- a/.gitignore +++ b/.gitignore @@ -4,7 +4,6 @@ src/app/themes build/ cache/ dist/windows/*-Setup.exe -dist/windows/update.exe dist/linux/linux-installer dist/linux/*.deb src/app/css/app.css @@ -34,4 +33,4 @@ lib-cov *.out *.pid *.gz -*.iml \ No newline at end of file +*.iml diff --git a/.jshintrc b/.jshintrc index efa8eff54e..b9a1c93a88 100644 --- a/.jshintrc +++ b/.jshintrc @@ -26,7 +26,7 @@ "loopfunc" : true, "indent" : 4, "newcap" : false, - "esversion" : 8, + "esversion" : 11, // Globals "globals": { @@ -74,7 +74,6 @@ "url": true, "tls": true, "http": true, - "querystring": true, "URI": true, "child": true, "WebTorrent": true, diff --git a/.travis.yml b/.travis.yml index af33a7083b..730bfc8d1a 100644 --- a/.travis.yml +++ b/.travis.yml @@ -13,8 +13,6 @@ before_install: - yarn config set yarn-offline-mirror ./node_modules/ - yarn install --ignore-engines - yarn build -install: - - yarn gulp prepareUpdater after_success: - ls -ltr ./build/ deploy: diff --git a/CHANGELOG.md b/CHANGELOG.md index 16e1819d8e..031a0af76b 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,3 +1,35 @@ +## 0.5.0 - Mischief Managed - 10 February 2024 + +New Features: +- Update NW.js runtime to 0.82.0 (0.44.5 still supported as an option for this release) +- Add working Anime tab +- Add Watched tab +- Add Seedbox option for exiting the app when downloads complete +- Add VLC flatpack external player support +- Add Movies/Series UI Transparency option +- Add new theme Dutchy's Dark Orange +- Switch to the new OpenSubtitles REST API +- Update WebTorrent to 1.9.7 + +Bug Fixes: +- Fix WebTorrent bug which caused high CPU/memory usage +- Fix issue with broken bookmark entries preventing list from loading +- Fix issue with title translations +- Fix bug which caused switching to the default Chromium player when broken trailer link +- Fix bug which prevented saving magnet links with no name property +- Fix missing provider icons when no source link +- Fix Series poster zoom implementation +- Fix brightness and hue filters implementations +- Fix title display for mpv external player + +Other: +- Update the build system +- Clean up obsolete/unnecessary code +- Update Torrent Collection providers +- Update torrent trackers +- Update various modules/dependencies +- Various other small fixes and optimizations + ## 0.4.9 - Ogres are not like cakes - 04 September 2022 New Features: diff --git a/README.md b/README.md index da9c5e8b77..cf719e03e4 100644 --- a/README.md +++ b/README.md @@ -1,6 +1,6 @@


- Popcorn Time + Popcorn Time
Popcorn Time
@@ -14,15 +14,15 @@ - +
- - + + -

Visit the project's website at popcorntime.app

+

Visit the project's website at popcorntimeapp.netlify.app

*** @@ -30,13 +30,13 @@ ### Windows: Download and install: - * **Latest release**: check [popcorntime.app](https://popcorntime.app/#get-app) or the repo's [releases page](https://github.com/popcorn-official/popcorn-desktop/releases) + * **Latest release**: check [popcorntimeapp.netlify.app](https://popcorntimeapp.netlify.app) or the repo's [releases page](https://github.com/popcorn-official/popcorn-desktop/releases) * Or **latest dev build (for testers)**: check the repo's [actions page](https://github.com/popcorn-official/popcorn-desktop/actions) -### MacOS: +### macOS: Download and install: - * **Latest release**: check [popcorntime.app](https://popcorntime.app/#get-app) or the repo's [releases page](https://github.com/popcorn-official/popcorn-desktop/releases) + * **Latest release**: check [popcorntimeapp.netlify.app](https://popcorntimeapp.netlify.app) or the repo's [releases page](https://github.com/popcorn-official/popcorn-desktop/releases) * Or **latest dev build (for testers)**: check the repo's [actions page](https://github.com/popcorn-official/popcorn-desktop/actions) Easily install Popcorn Time via _[Homebrew](https://brew.sh) ([Cask](https://docs.brew.sh/Cask-Cookbook)):_ @@ -46,8 +46,6 @@ Easily install Popcorn Time via _[Homebrew](https://brew.sh) ([Cask](https://doc brew install --cask popcorn-time #--no-quarantine ~~~ -By default, this will build the app from source using the latest version of [NW.js](https://nwjs.io) on macOS 12.x (Monterey) or later, else revert to the [latest](https://github.com/popcorn-official/popcorn-desktop/releases/latest) stable build on previous versions of macOS. This behaviour can also be forced by `export`ing a `HOMEBREW_POPCORN_TIME_BUILD=false` [environment variable](https://en.wikipedia.org/wiki/Environment_variable), for example in `~/.bashrc` or `~/.zshrc`. - Also, if you keep a [_Brewfile_](https://github.com/Homebrew/homebrew-bundle#usage), you can add something like this: ~~~ rb repo = "popcorn-official/popcorn-desktop" @@ -59,7 +57,7 @@ Also, if you keep a [_Brewfile_](https://github.com/Homebrew/homebrew-bundle#usa ### Linux - Debian/Ubuntu based distros: Download and install: - * **Latest release**: check [popcorntime.app](https://popcorntime.app/#get-app) or the repo's [releases page](https://github.com/popcorn-official/popcorn-desktop/releases) + * **Latest release**: check [popcorntimeapp.netlify.app](https://popcorntimeapp.netlify.app) or the repo's [releases page](https://github.com/popcorn-official/popcorn-desktop/releases) * Or **latest dev build (for testers)**: check the repo's [actions page](https://github.com/popcorn-official/popcorn-desktop/actions) Via .deb package: @@ -68,17 +66,14 @@ Via .deb package: **If the app don't start for you too**, in this case, **try `sudo apt update && sudo apt install libatomic1 libgconf-2-4 libcanberra-gtk-module`** to be sure your system have the required dependencies._ Via archive and command line (tested on ubuntu 18.04 and 20.04): - 1. Download Popcorn Time archive: - * For the **latest release**: - `wget -c https://get.popcorntime.app/repo/build/Popcorn-Time-0.4.9-linux64.zip` - _if eventually you get issue with popcorntime.app website you can try to download from the github repo - `wget -c https://github.com/popcorn-official/popcorn-desktop/releases/download/v0.4.9/Popcorn-Time-0.4.9-linux64.zip`_ + 1. Download Popcorn Time archive from the github repo for the **latest release** : + `wget -c https://github.com/popcorn-official/popcorn-desktop/releases/download/v0.5.0/Popcorn-Time-0.5.0-linux64.zip` 2. Create popcorn-time folder in /opt/: `sudo mkdir /opt/popcorn-time` 3. Install unzip && dependencies (they should not be always required but some users needed them to make Popcorn Time working): `sudo apt update && sudo apt install unzip libcanberra-gtk-module libgconf-2-4 libatomic1` 4. Extract the zip in /opt/popcorn-time: - `sudo unzip Popcorn-Time-0.4.9-linux64.zip -d /opt/popcorn-time` + `sudo unzip Popcorn-Time-0.5.0-linux64.zip -d /opt/popcorn-time` 5. Create symlink of Popcorn-Time in /usr/bin: `sudo ln -sf /opt/popcorn-time/Popcorn-Time /usr/bin/popcorn-time` 6. Create .desktop file (so the launcher): @@ -174,4 +169,4 @@ You should have received a copy of the GNU General Public License along with thi *** -Copyright © 2022 Popcorn Time Project - Released under the [GPL v3 license](LICENSE.txt). +Copyright © 2024 Popcorn Time Project - Released under the [GPL v3 license](LICENSE.txt). diff --git a/casks/popcorn-time.rb b/casks/popcorn-time.rb index 259ab1423d..24dc6b5a02 100644 --- a/casks/popcorn-time.rb +++ b/casks/popcorn-time.rb @@ -6,7 +6,7 @@ name token.gsub(/\b\w/, &:capitalize) desc "BitTorrent client that includes an integrated media player" - homepage "https://#{token}.ga/" + homepage "https://shows.cf/" repo = "popcorn-official/popcorn-desktop" zip = "#{name.first}-#{version}-osx64.zip" @@ -21,52 +21,9 @@ silent = "silent" end - if MacOS.version < :monterey || ENV["HOMEBREW_POPCORN_TIME_BUILD"] == "false" - sha256 "7fd9fb25734f7587d60349c29b8a7d425e677f08cb0e981452e98e7a2db4a942" + sha256 "773235cce1ff637e3d1dcf5df02413da2eca2198c1d310cc7a4e78afcc4a38ea" - url "#{homepage}/build/#{zip}" - else - sha256 "95dc272fbb3977f5c10449ab80d0568c43df80a47a16cf9a9fa4d959a56aab17" - - github = "github.com/iteufel/nwjs-ffmpeg-prebuilt" - url "https://#{github}/releases/download/#{nwjs}/#{nwjs}-osx-#{arch}.zip", verified: github - - preflight do - Tap.fetch(repo).path.cd do - ENV["PATH"] += ":#{HOMEBREW_PREFIX}/bin" - - installed = Formula.installed.map(&:name) - yarnrc = Pathname "#{Dir.home}/.yarnrc" - keep = yarnrc.exist? - - app_build = "build/#{@cask.name.first}/os#{arch}/#{@cask.name.first}.app" - - gulpfile = Pathname "gulpfile.js" - content = gulpfile.read - .sub!(/(nwVersion\s*=\s*['"])[0-9]+\.[0-9]+\.[0-9]+/, "\\1#{nwjs}") - .remove!(/(manifest|download)Url:.+/) - gulpfile.write content - - system <<-EOS - #{HOMEBREW_BREW_FILE} install node --#{quiet} - - npx --yes yarn install --ignore-engines --#{silent} - npx yarn build --#{silent} - - rsync --recursive --relative node_modules #{app_build}/Contents/Resources/app.nw --#{quiet} - - /bin/mv #{v} #{staged_path}/libffmpeg.dylib \ - #{app_build}/Contents/Frameworks/nwjs*.framework/Versions/Current - /bin/mv #{v} #{app_build} #{staged_path} - - git reset --hard --#{quiet} - git clean -xd --force --#{quiet} - EOS - system(*%W[brew uninstall node --ignore-dependencies --#{quiet}]) unless installed.include? "node" - FileUtils.rm_f yarnrc unless keep - end - end - end + url "#{homepage}/build/#{zip}" auto_updates true depends_on arch: :x86_64 diff --git a/dist/linux/deb-maker.sh b/dist/linux/deb-maker.sh index ad980f6409..39cbd24911 100644 --- a/dist/linux/deb-maker.sh +++ b/dist/linux/deb-maker.sh @@ -64,7 +64,7 @@ Section: web Priority: optional Architecture: $real_arch Installed-Size: $size -Depends: +Depends: libatomic1 Maintainer: $projectName Project Description: $projectName Watch Movies and TV Shows instantly diff --git a/dist/mac/resources/license.txt b/dist/mac/resources/license.txt index 10962629b0..870b306dca 100644 --- a/dist/mac/resources/license.txt +++ b/dist/mac/resources/license.txt @@ -14,4 +14,4 @@ SOURCE MATERIAL ALL MOVIES ARE NOT HOSTED IN ANY SERVER AND ARE STREAMED USING THE P2P BIT TORRENT PROTOCOL. ALL MOVIES ARE PULLED IN FROM THE YIFY MOVIE DATABASE. BY WATCHING A MOVIE WITH THIS APPLICATION YOU MIGHT BE COMMITING COPYRIGHT VIOLATIONS DEPENDING ON YOUR COUNTRY'S LAWS. WE DO NOT TAKE ANY RESPONSIBILITIES. Ability to Accept Terms of Service -By using "POPCORN TIME" or accessing PopcornTime.app you affirm that you are either more than 18 years of age, or an emancipated minor, or possess legal parental or guardian consent, and are fully able and competent to enter into the terms, conditions, obligations, affirmations, representations, and warranties set forth in these Terms of Service, and to abide by and comply with these Terms of Service. In any case, you affirm that you are over the age of 13, as the Service is not intended for children under 13. If you are under 13 years of age, then please do not use the Service. There are lots of other great web sites for you. Talk to your parents about what sites are appropriate for you. \ No newline at end of file +By using "POPCORN TIME" you affirm that you are either more than 18 years of age, or an emancipated minor, or possess legal parental or guardian consent, and are fully able and competent to enter into the terms, conditions, obligations, affirmations, representations, and warranties set forth in these Terms of Service, and to abide by and comply with these Terms of Service. In any case, you affirm that you are over the age of 13, as the Service is not intended for children under 13. If you are under 13 years of age, then please do not use the Service. There are lots of other great web sites for you. Talk to your parents about what sites are appropriate for you. diff --git a/dist/mac/resources/welcome.html b/dist/mac/resources/welcome.html index a430b7a106..979f3637f2 100644 --- a/dist/mac/resources/welcome.html +++ b/dist/mac/resources/welcome.html @@ -12,7 +12,7 @@

Installation

Uninstallation

All files and services may be uninstalled by first closing the client app - and dragging the Popcorn-Time.app from your applications to the trash. A + and dragging the Popcorn-Time app from your applications to the trash. A restart may be required to finish the removal process.

diff --git a/dist/mac/yoursway-create-dmg/create-dmg b/dist/mac/yoursway-create-dmg/create-dmg index b581913f0c..40cbfc264b 100755 --- a/dist/mac/yoursway-create-dmg/create-dmg +++ b/dist/mac/yoursway-create-dmg/create-dmg @@ -1,4 +1,4 @@ -#! /bin/bash +#! /usr/bin/bash # Create a read-only disk image of the contents of a folder diff --git a/dist/mac/yoursway-create-dmg/support/dmg-license.py b/dist/mac/yoursway-create-dmg/support/dmg-license.py index c2f6fbf910..5f9e7026e9 100755 --- a/dist/mac/yoursway-create-dmg/support/dmg-license.py +++ b/dist/mac/yoursway-create-dmg/support/dmg-license.py @@ -1,4 +1,4 @@ -#! /usr/bin/env python +#! /usr/bin/env python3 """ This script adds a license file to a DMG. Requires Xcode and a plain ascii text license file. diff --git a/dist/windows/installer_makensis.nsi b/dist/windows/installer_makensis32.nsi similarity index 99% rename from dist/windows/installer_makensis.nsi rename to dist/windows/installer_makensis32.nsi index 4a66a5496c..3c64b5db7e 100644 --- a/dist/windows/installer_makensis.nsi +++ b/dist/windows/installer_makensis32.nsi @@ -32,11 +32,7 @@ Unicode True ; ------------------- ; ;Default to detected platform build if not defined by -DARCH= argument !ifndef ARCH - !if /fileexists "..\..\build\${APP_NAME}\win64\*.*" - !define ARCH "win64" - !else - !define ARCH "win32" - !endif + !define ARCH "win32" !endif ; ------------------- ; @@ -63,7 +59,7 @@ VIAddVersionKey "LegalCopyright" "${APP_URL}" VIProductVersion "${APP_VERSION_CLEAN}.0" OutFile "${OUTDIR}/${APP_NAME}-${APP_VERSION}-${ARCH}-Setup.exe" CRCCheck on -SetCompressor /SOLID lzma +SetCompressor /SOLID bzip2 ;Default installation folder InstallDir "$LOCALAPPDATA\${APP_NAME}" diff --git a/dist/windows/installer_makensis64.nsi b/dist/windows/installer_makensis64.nsi new file mode 100644 index 0000000000..8a9cba1d0f --- /dev/null +++ b/dist/windows/installer_makensis64.nsi @@ -0,0 +1,524 @@ +;Installer Source for NSIS 3.0 or higher + +;Enable Unicode encoding +Unicode True + +;Include Modern UI +!include "MUI2.nsh" +!include "FileFunc.nsh" + +; ------------------- ; +; Parse package.json ; +; ------------------- ; +!searchparse /file "..\..\package.json" '"name": "' APP_NAME '",' +;!searchreplace APP_NAME "${APP_NAME}" "-" " " +!searchparse /file "..\..\package.json" '"companyName": "' COMPANY_NAME '",' +!searchparse /file "..\..\package.json" '"version": "' APP_VERSION '",' +!searchreplace APP_VERSION_CLEAN "${APP_VERSION}" "-" ".0" +!searchparse /file "..\..\package.json" '"homepage": "' APP_URL '",' +!searchparse /file "..\..\package.json" '"name": "' DATA_FOLDER '",' + +!searchparse /file "..\..\package.json" '"installIcon": "' _MUI_ICON '",' +!searchparse /file "..\..\package.json" '"unInstallIcon": "' _MUI_UNICON '",' +!searchparse /file "..\..\package.json" '"icon": "' HEADERIMAGE_RIGHT '",' +!define MUI_ICON "..\..\${_MUI_ICON}" +!define MUI_UNICON "..\..\${_MUI_UNICON}" +!define MUI_UI_HEADERIMAGE_RIGHT="..\..\${HEADERIMAGE_RIGHT}" +!searchreplace MUI_ICON_LOCAL_PATH "${_MUI_ICON}" "/" "\" +!searchreplace MUI_UNICON_LOCAL_PATH "${_MUI_UNICON}" "/" "\" + +; ------------------- ; +; Architecture ; +; ------------------- ; +;Default to detected platform build if not defined by -DARCH= argument +!ifndef ARCH + !define ARCH "win64" +!endif + +; ------------------- ; +; OUTDIR (installer) ; +; ------------------- ; +;Default to ../../build if not defined by -DOUTDIR= argument +!ifndef OUTDIR + !define OUTDIR "../../build" +!endif + +; ------------------- ; +; Settings ; +; ------------------- ; +;General Settings +Name "${APP_NAME}" +Caption "${APP_NAME} ${APP_VERSION}" +BrandingText "${APP_NAME} ${APP_VERSION}" +VIAddVersionKey "ProductName" "${APP_NAME}" +VIAddVersionKey "ProductVersion" "${APP_VERSION}" +VIAddVersionKey "FileDescription" "${APP_NAME} ${APP_VERSION} Installer" +VIAddVersionKey "FileVersion" "${APP_VERSION}" +VIAddVersionKey "CompanyName" "${COMPANY_NAME}" +VIAddVersionKey "LegalCopyright" "${APP_URL}" +VIProductVersion "${APP_VERSION_CLEAN}.0" +OutFile "${OUTDIR}/${APP_NAME}-${APP_VERSION}-${ARCH}-Setup.exe" +CRCCheck on +SetCompressor /SOLID bzip2 + +;Default installation folder +InstallDir "$LOCALAPPDATA\${APP_NAME}" + +;Request application privileges +RequestExecutionLevel user + +!define APP_LAUNCHER "${APP_NAME}.exe" +!define UNINSTALL_KEY "Software\Microsoft\Windows\CurrentVersion\Uninstall\${APP_NAME}" + +; ------------------- ; +; UI Settings ; +; ------------------- ; +;Define UI settings + +!define MUI_WELCOMEFINISHPAGE_BITMAP "installer-image.bmp" +!define MUI_UNWELCOMEFINISHPAGE_BITMAP "uninstaller-image.bmp" +!define MUI_ABORTWARNING +!define MUI_FINISHPAGE_LINK "${APP_URL}" +!define MUI_FINISHPAGE_LINK_LOCATION "${APP_URL}" +!define MUI_FINISHPAGE_RUN "$INSTDIR\${APP_LAUNCHER}" +!define MUI_FINISHPAGE_SHOWREADME "" +!define MUI_FINISHPAGE_SHOWREADME_NOTCHECKED +!define MUI_FINISHPAGE_SHOWREADME_TEXT "$(desktopShortcut)" +!define MUI_FINISHPAGE_SHOWREADME_FUNCTION finishpageaction + +;Define the pages +!insertmacro MUI_PAGE_WELCOME +!insertmacro MUI_PAGE_LICENSE "LICENSE.txt" +!insertmacro MUI_PAGE_DIRECTORY +!insertmacro MUI_PAGE_INSTFILES +!insertmacro MUI_PAGE_FINISH + +;Define uninstall pages +!insertmacro MUI_UNPAGE_CONFIRM +!insertmacro MUI_UNPAGE_INSTFILES +!insertmacro MUI_UNPAGE_FINISH + +;Load Language Files +!insertmacro MUI_LANGUAGE "English" +!insertmacro MUI_LANGUAGE "Afrikaans" +!insertmacro MUI_LANGUAGE "Albanian" +!insertmacro MUI_LANGUAGE "Arabic" +!insertmacro MUI_LANGUAGE "Belarusian" +!insertmacro MUI_LANGUAGE "Bosnian" +!insertmacro MUI_LANGUAGE "Bulgarian" +!insertmacro MUI_LANGUAGE "Catalan" +!insertmacro MUI_LANGUAGE "Croatian" +!insertmacro MUI_LANGUAGE "Czech" +!insertmacro MUI_LANGUAGE "Danish" +!insertmacro MUI_LANGUAGE "Dutch" +!insertmacro MUI_LANGUAGE "Esperanto" +!insertmacro MUI_LANGUAGE "Estonian" +!insertmacro MUI_LANGUAGE "Farsi" +!insertmacro MUI_LANGUAGE "Finnish" +!insertmacro MUI_LANGUAGE "French" +!insertmacro MUI_LANGUAGE "Galician" +!insertmacro MUI_LANGUAGE "German" +!insertmacro MUI_LANGUAGE "Greek" +!insertmacro MUI_LANGUAGE "Hebrew" +!insertmacro MUI_LANGUAGE "Hungarian" +!insertmacro MUI_LANGUAGE "Icelandic" +!insertmacro MUI_LANGUAGE "Indonesian" +!insertmacro MUI_LANGUAGE "Irish" +!insertmacro MUI_LANGUAGE "Italian" +!insertmacro MUI_LANGUAGE "Japanese" +!insertmacro MUI_LANGUAGE "Korean" +!insertmacro MUI_LANGUAGE "Latvian" +!insertmacro MUI_LANGUAGE "Lithuanian" +!insertmacro MUI_LANGUAGE "Macedonian" +!insertmacro MUI_LANGUAGE "Malay" +!insertmacro MUI_LANGUAGE "Mongolian" +!insertmacro MUI_LANGUAGE "Norwegian" +!insertmacro MUI_LANGUAGE "NorwegianNynorsk" +!insertmacro MUI_LANGUAGE "Polish" +!insertmacro MUI_LANGUAGE "Portuguese" +!insertmacro MUI_LANGUAGE "PortugueseBR" +!insertmacro MUI_LANGUAGE "Romanian" +!insertmacro MUI_LANGUAGE "Russian" +!insertmacro MUI_LANGUAGE "Serbian" +!insertmacro MUI_LANGUAGE "SerbianLatin" +!insertmacro MUI_LANGUAGE "SimpChinese" +!insertmacro MUI_LANGUAGE "Slovak" +!insertmacro MUI_LANGUAGE "Slovenian" +!insertmacro MUI_LANGUAGE "Spanish" +!insertmacro MUI_LANGUAGE "SpanishInternational" +!insertmacro MUI_LANGUAGE "Swedish" +!insertmacro MUI_LANGUAGE "Thai" +!insertmacro MUI_LANGUAGE "TradChinese" +!insertmacro MUI_LANGUAGE "Turkish" +!insertmacro MUI_LANGUAGE "Ukrainian" +!insertmacro MUI_LANGUAGE "Vietnamese" +!insertmacro MUI_LANGUAGE "Welsh" + +; ------------------- ; +; Localization ; +; ------------------- ; +LangString removeDataFolder ${LANG_ENGLISH} "Remove all databases and configuration files?" +LangString removeDataFolder ${LANG_Afrikaans} "Alle databasisse en opset lêers verwyder?" +LangString removeDataFolder ${LANG_Albanian} "Hiq të gjitha bazat e të dhënave dhe fotografi konfigurimit?" +LangString removeDataFolder ${LANG_Arabic} "إزالة كافة قواعد البيانات وملفات التكوين؟" +LangString removeDataFolder ${LANG_Belarusian} "Выдаліць усе базы дадзеных і файлы канфігурацыі?" +LangString removeDataFolder ${LANG_Bosnian} "Uklonite sve baze podataka i konfiguracijske datoteke?" +LangString removeDataFolder ${LANG_Bulgarian} "Премахнете всички бази данни и конфигурационни файлове?" +LangString removeDataFolder ${LANG_Catalan} "Eliminar totes les bases de dades i arxius de configuració?" +LangString removeDataFolder ${LANG_Croatian} "Uklonite sve baze podataka i konfiguracijske datoteke?" +LangString removeDataFolder ${LANG_Czech} "Odstraňte všechny databáze a konfiguračních souborů?" +LangString removeDataFolder ${LANG_Danish} "Fjern alle databaser og konfigurationsfiler?" +LangString removeDataFolder ${LANG_Dutch} "Verwijder alle databases en configuratiebestanden?" +LangString removeDataFolder ${LANG_Esperanto} "Forigi la tuta datumbazojn kaj agordaj dosieroj?" +LangString removeDataFolder ${LANG_Estonian} "Eemalda kõik andmebaasid ja konfiguratsioonifailid?" +LangString removeDataFolder ${LANG_Farsi} "حذف تمام پایگاه داده ها و فایل های پیکربندی؟" +LangString removeDataFolder ${LANG_Finnish} "Poista kaikki tietokannat ja asetustiedostot?" +LangString removeDataFolder ${LANG_French} "Supprimer toutes les bases de données et les fichiers de configuration ?" +LangString removeDataFolder ${LANG_Galician} "Eliminar todos os bancos de datos e arquivos de configuración?" +LangString removeDataFolder ${LANG_German} "Alle Datenbanken und Konfigurationsdateien zu entfernen?" +LangString removeDataFolder ${LANG_Greek} "Αφαιρέστε όλες τις βάσεις δεδομένων και τα αρχεία διαμόρφωσης;" +LangString removeDataFolder ${LANG_Hebrew} "הסר את כל קבצי תצורת מסדי נתונים ו" +LangString removeDataFolder ${LANG_Hungarian} "Vegye ki az összes adatbázisok és konfigurációs fájlok?" +LangString removeDataFolder ${LANG_Icelandic} "Fjarlægja allar gagnagrunna og stillingar skrá?" +LangString removeDataFolder ${LANG_Indonesian} "Hapus semua database dan file konfigurasi?" +LangString removeDataFolder ${LANG_Irish} "Bain na bunachair shonraí agus comhaid cumraíochta?" +LangString removeDataFolder ${LANG_Italian} "Rimuovere tutti i database ei file di configurazione?" +LangString removeDataFolder ${LANG_Japanese} "すべてのデータベースと設定ファイルを削除しますか?" +LangString removeDataFolder ${LANG_Korean} "모든 데이터베이스와 구성 파일을 삭제 하시겠습니까?" +LangString removeDataFolder ${LANG_Latvian} "Noņemt visas datu bāzes un konfigurācijas failus?" +LangString removeDataFolder ${LANG_Lithuanian} "Pašalinti visas duombazes ir konfigūravimo failus?" +LangString removeDataFolder ${LANG_Macedonian} "Отстрани ги сите бази на податоци и конфигурациските датотеки?" +LangString removeDataFolder ${LANG_Malay} "Buang semua pangkalan data dan fail-fail konfigurasi?" +LangString removeDataFolder ${LANG_Mongolian} "Бүх өгөгдлийн сангууд болон тохиргооны файлуудыг устгана?" +LangString removeDataFolder ${LANG_Norwegian} "Fjern alle databaser og konfigurasjonsfiler?" +LangString removeDataFolder ${LANG_NorwegianNynorsk} "Fjern alle databaser og konfigurasjonsfiler?" +LangString removeDataFolder ${LANG_Polish} "Usuń wszystkie bazy danych i plików konfiguracyjnych?" +LangString removeDataFolder ${LANG_Portuguese} "Remova todos os bancos de dados e arquivos de configuração?" +LangString removeDataFolder ${LANG_PortugueseBR} "Remova todos os bancos de dados e arquivos de configuração?" +LangString removeDataFolder ${LANG_Romanian} "Elimina toate bazele de date și fișierele de configurare?" +LangString removeDataFolder ${LANG_Russian} "Удалить все базы данных и файлы конфигурации?" +LangString removeDataFolder ${LANG_Serbian} "Уклоните све базе података и конфигурационе фајлове?" +LangString removeDataFolder ${LANG_SerbianLatin} "Uklonite sve baze podataka i datoteke za konfiguraciju ?" +LangString removeDataFolder ${LANG_SimpChinese} "删除所有数据库和配置文件?" +LangString removeDataFolder ${LANG_Slovak} "Odstráňte všetky databázy a konfiguračných súborov?" +LangString removeDataFolder ${LANG_Slovenian} "Odstranite vse podatkovne baze in konfiguracijske datoteke?" +LangString removeDataFolder ${LANG_Spanish} "Eliminar todas las bases de datos y archivos de configuración?" +LangString removeDataFolder ${LANG_SpanishInternational} "Eliminar todas las bases de datos y archivos de configuración?" +LangString removeDataFolder ${LANG_Swedish} "Ta bort alla databaser och konfigurationsfiler?" +LangString removeDataFolder ${LANG_Thai} "ลบฐานข้อมูลทั้งหมดและแฟ้มการกำหนดค่า?" +LangString removeDataFolder ${LANG_TradChinese} "刪除所有數據庫和配置文件?" +LangString removeDataFolder ${LANG_Turkish} "Tüm veritabanlarını ve yapılandırma dosyaları çıkarın?" +LangString removeDataFolder ${LANG_Ukrainian} "Видалити всі бази даних і файли конфігурації?" +LangString removeDataFolder ${LANG_Vietnamese} "Loại bỏ tất cả các cơ sở dữ liệu và các tập tin cấu hình?" +LangString removeDataFolder ${LANG_Welsh} "Tynnwch yr holl gronfeydd data a ffeiliau cyfluniad?" + +LangString noRoot ${LANG_ENGLISH} "You cannot install ${APP_NAME} in a directory that requires administrator permissions" +LangString noRoot ${LANG_Afrikaans} "Jy kan nie ${APP_NAME} installeer in 'n gids wat administrateur regte vereis" +LangString noRoot ${LANG_Albanian} "Ju nuk mund të instaloni ${APP_NAME} në një directory që kërkon lejet e administratorit" +LangString noRoot ${LANG_Arabic} " لا يمكنك تثبيت ${APP_NAME} في مجلد يتطلب صلاحيات مدير" +LangString noRoot ${LANG_Belarusian} "Вы не можаце ўсталяваць ${APP_NAME} ў каталогу, які патрабуе правоў адміністратара" +LangString noRoot ${LANG_Bosnian} "Nemoguće instalirati ${APP_NAME} u direktorij koji zahtjeva administrativnu dozvolu" +LangString noRoot ${LANG_Bulgarian} "Не може да инсталирате ${APP_NAME} в директория, изискваща администраторски права" +LangString noRoot ${LANG_Catalan} "No es pot instal·lar ${APP_NAME} en un directori que requereix permisos d'administrador" +LangString noRoot ${LANG_Croatian} "Nemoguće instalirati ${APP_NAME} u mapi koja zahtjeva administrativnu dozvolu" +LangString noRoot ${LANG_Czech} "Nemůžete nainstalovat ${APP_NAME} do složky, která vyžaduje administrátorské oprávnění" +LangString noRoot ${LANG_Danish} "${APP_NAME} kan ikke installeres til denne sti, da det kræver administratorrettigheder" +LangString noRoot ${LANG_Dutch} "${APP_NAME} kan niet worden geïnstalleerd in een map die beheerdersrechten vereist" +LangString noRoot ${LANG_Esperanto} "Vi ne povas instali ${APP_NAME} en dosierujo kiu postulas administranto permesojn" +LangString noRoot ${LANG_Estonian} "${APP_NAME}`i ei ole võimalik installida kataloogi mis nõuab administraatori õiguseid" +LangString noRoot ${LANG_Farsi} "در یک دایرکتوری که نیاز به مجوز مدیر نصب ${APP_NAME} کنید شما می توانید " +LangString noRoot ${LANG_Finnish} "Et voi asentaa ${APP_NAME} hakemistossa, joka vaatii järjestelmänvalvojan oikeudet" +LangString noRoot ${LANG_French} "${APP_NAME} ne peut être installé dans un répertoire nécessitant un accès administrateur" +LangString noRoot ${LANG_Galician} "${APP_NAME} non se pode instalar nun directorio que requira permisos de administrador" +LangString noRoot ${LANG_German} "${APP_NAME} kann nicht in einem Ordner installiert werden für den Administratorrechte benötigt werden" +LangString noRoot ${LANG_Greek} "Δεν μπορείτε να εγκαταστήσετε το ${APP_NAME} σε ένα φάκελο που απαιτεί δικαιώματα διαχειριστή" +LangString noRoot ${LANG_Hebrew} "אין באפשרותכם להתקין את ${APP_NAME} בתיקייה שדורשת הרשאות מנהל" +LangString noRoot ${LANG_Hungarian} "A ${APP_NAME} nem telepíthető olyan mappába, amely adminisztrátori hozzáférést igényel" +LangString noRoot ${LANG_Icelandic} "Þú getur ekki sett ${APP_NAME} í möppu sem þarfnast stjórnenda réttindi" +LangString noRoot ${LANG_Indonesian} "Anda tidak bisa menginstall ${APP_NAME} pada direktori yang memerlukan ijin dari Administrator" +LangString noRoot ${LANG_Irish} "Ní féidir leat a shuiteáil ${APP_NAME} i eolaire go n-éilíonn ceadanna riarthóir" +LangString noRoot ${LANG_Italian} "Non puoi installare ${APP_NAME} in una cartella che richiede i permessi d'amministratore" +LangString noRoot ${LANG_Japanese} "アドミニストレータの聴許が必要なディレクトリには '${APP_NAME}'をインストールできません。" +LangString noRoot ${LANG_Korean} "관리자 권한이 요구되는 위치에 ${APP_NAME}을 설치 할 수 없습니다" +LangString noRoot ${LANG_Latvian} "Jūs nevarat instalēt ${APP_NAME} direktorijā, kas prasa administratora atļaujas" +LangString noRoot ${LANG_Lithuanian} "Jūs negalite įdiegti ${APP_NAME} į katalogą, kad reikia administratoriaus teisių" +LangString noRoot ${LANG_Macedonian} "Не можете да инсталирате ${APP_NAME} во директориумот кој бара администраторски дозволи" +LangString noRoot ${LANG_Malay} "Anda tidak boleh memasang ${APP_NAME} dalam direktori yang memerlukan keizinan pentadbir" +LangString noRoot ${LANG_Mongolian} "Та администратор зөвшөөрөл шаарддаг сан дахь ${APP_NAME} суулгаж чадахгүй байгаа" +LangString noRoot ${LANG_Norwegian} "${APP_NAME} kan ikke installeres i en mappe som krever administratorrettigheter" +LangString noRoot ${LANG_NorwegianNynorsk} "${APP_NAME} kan ikke installeres i en mappe som krever administratorrettigheter" +LangString noRoot ${LANG_Polish} "Nie można zainstalować ${APP_NAME} w katalogu wymagającym uprawnień administratora" +LangString noRoot ${LANG_Portuguese} "Não é possível instalar o ${APP_NAME} numa pasta que requer permissões administrativas" +LangString noRoot ${LANG_PortugueseBR} "${APP_NAME} não poderá ser instalado em um diretório que requer permissões de administrador" +LangString noRoot ${LANG_Romanian} "Nu puteți instala ${APP_NAME} într-un director care necesită permisiuni de administrator" +LangString noRoot ${LANG_Russian} "${APP_NAME} не может быть установлена в директорию требующей полномочия Администратора" +LangString noRoot ${LANG_Serbian} "Ви не можете инсталирати ПопцорнТиме у директоријуму која захтева администраторске дозволе" +LangString noRoot ${LANG_SerbianLatin} "Ne možete da instalirate ${APP_NAME} u direktorijum koji zahteva administartorsku dozvolu" +LangString noRoot ${LANG_SimpChinese} "你不能把${APP_NAME}安装到一个需要管理员权限的目录" +LangString noRoot ${LANG_Slovak} "Nemôžete inštalovať ${APP_NAME} do zložky, ktorá vyžaduje administrátorské povolenia" +LangString noRoot ${LANG_Slovenian} "Ne morete namestiti ${APP_NAME} v imeniku, ki zahteva skrbniška dovoljenja" +LangString noRoot ${LANG_Spanish} "${APP_NAME} no puede ser instalado en un directorio que requiera permisos de administrador" +LangString noRoot ${LANG_SpanishInternational} "${APP_NAME} no puede ser instalado en un directorio que requiera permisos de administrador" +LangString noRoot ${LANG_Swedish} "${APP_NAME} kan inte installeras i en mapp som kräver administratörsbehörighet" +LangString noRoot ${LANG_Thai} "คุณไม่สามารถติดตั้ง ${APP_NAME} ในโฟลเดอร์ ที่ต้องใช้สิทธิ์ของ Administrator" +LangString noRoot ${LANG_TradChinese} "您不能於一個需要管理員權限才能存取的目錄安裝 ${APP_NAME}" +LangString noRoot ${LANG_Turkish} "${APP_NAME}'ı yönetici izinleri gerektiren bir dizine kuramazsınız" +LangString noRoot ${LANG_Ukrainian} "Ви не можете встановити ${APP_NAME} в директорію для якої потрібні права адміністратора" +LangString noRoot ${LANG_Vietnamese} "Bạn không thể cài đặt ${APP_NAME} trong một thư mục yêu cầu quyền quản trị admin" +LangString noRoot ${LANG_Welsh} "Ni gallwch gosod ${APP_NAME} mewn cyfarwyddiadur sydd angen caniatad gweinyddol" + +LangString desktopShortcut ${LANG_ENGLISH} "Desktop Shortcut" +LangString desktopShortcut ${LANG_Afrikaans} "Snelkoppeling op die lessenaar (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Albanian} "Shkurtore desktop (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Arabic} "إختصار سطح المكتب" +LangString desktopShortcut ${LANG_Belarusian} "ярлык Працоўнага Стала (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Bosnian} "Prečac Radne Površine" +LangString desktopShortcut ${LANG_Bulgarian} "Икона на десктоп" +LangString desktopShortcut ${LANG_Catalan} "Drecera d'escriptori" +LangString desktopShortcut ${LANG_Croatian} "Prečac na radnoj površini (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Czech} "Odkaz na ploše" +LangString desktopShortcut ${LANG_Danish} "Genvej til skrivebord" +LangString desktopShortcut ${LANG_Dutch} "Bureaublad-snelkoppeling" +LangString desktopShortcut ${LANG_Esperanto} "Labortablo ŝparvojo (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Estonian} "Otsetee töölaual" +LangString desktopShortcut ${LANG_Farsi} "(Desktop Shortcut) میانبر دسک تاپ" +LangString desktopShortcut ${LANG_Finnish} "Työpöydän pikakuvake" +LangString desktopShortcut ${LANG_French} "Placer un raccourci sur le bureau" +LangString desktopShortcut ${LANG_Galician} "Atallo de escritorio" +LangString desktopShortcut ${LANG_German} "Desktopsymbol" +LangString desktopShortcut ${LANG_Greek} "Συντόμευση επιφάνειας εργασίας" +LangString desktopShortcut ${LANG_Hebrew} "קיצורי דרך על שולחן העבודה" +LangString desktopShortcut ${LANG_Hungarian} "Asztali ikon" +LangString desktopShortcut ${LANG_Icelandic} "Flýtileið (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Indonesian} "Desktop Shortcut" +LangString desktopShortcut ${LANG_Irish} "Aicearra deisce (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Italian} "Collegati sul desktop" +LangString desktopShortcut ${LANG_Japanese} "デスクトップショートカット" +LangString desktopShortcut ${LANG_Korean} "바탕화면 바로가기" +LangString desktopShortcut ${LANG_Latvian} "Desktop īsceļu (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Lithuanian} "Darbalaukio nuoroda" +LangString desktopShortcut ${LANG_Macedonian} "Десктоп кратенка (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Malay} "Pintasan Desktop" +LangString desktopShortcut ${LANG_Mongolian} "Ширээний товчлохын (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Norwegian} "Skrivebordssnarvei" +LangString desktopShortcut ${LANG_NorwegianNynorsk} "Skrivebordssnarvei" +LangString desktopShortcut ${LANG_Polish} "Ikona na pulpicie" +LangString desktopShortcut ${LANG_Portuguese} "Atalho do Ambiente de Trabalho" +LangString desktopShortcut ${LANG_PortugueseBR} "Atalho da Área de Trabalho" +LangString desktopShortcut ${LANG_Romanian} "Scurtătură desktop" +LangString desktopShortcut ${LANG_Russian} "Ярлык на рабочем столе" +LangString desktopShortcut ${LANG_Serbian} "Пречица на радној површини" +LangString desktopShortcut ${LANG_SerbianLatin} "Desktop Shortcut" +LangString desktopShortcut ${LANG_SimpChinese} "桌面快捷方式" +LangString desktopShortcut ${LANG_Slovak} "Odkaz na pracovnej ploche" +LangString desktopShortcut ${LANG_Slovenian} "Bližnjica na namizju" +LangString desktopShortcut ${LANG_Spanish} "Acceso directo en el Escritorio" +LangString desktopShortcut ${LANG_SpanishInternational} "Acceso directo en el Escritorio" +LangString desktopShortcut ${LANG_Swedish} "Genväg på skrivbordet" +LangString desktopShortcut ${LANG_Thai} "ไอคอนตรงพื้นโต๊ะ" +LangString desktopShortcut ${LANG_TradChinese} "桌面捷徑" +LangString desktopShortcut ${LANG_Turkish} "Masaüstü Kısayolu" +LangString desktopShortcut ${LANG_Ukrainian} "Ярлик на робочому столі" +LangString desktopShortcut ${LANG_Vietnamese} "Lối tắt trên màn (Desktop Shortcut)" +LangString desktopShortcut ${LANG_Welsh} "Llwybr Byr ar y Bwrdd Gwaith" + +; ------------------- ; +; Check Process ; +; ------------------- ; +!macro isRunning un + Function ${un}isRunning + FindWindow $0 "" "${APP_NAME}" + StrCmp $0 0 notRunning + MessageBox MB_YESNO|MB_ICONEXCLAMATION "${APP_NAME} is currently running.$\r$\nDo you want to close it now?" /SD IDYES IDNO userQuit + SendMessage $0 ${WM_CLOSE} "" "${APP_NAME}" + ;SendMessage $0 ${WM_DESTROY} "" "${APP_NAME}" + Goto notRunning + userQuit: + Abort + notRunning: + FunctionEnd +!macroend +!insertmacro isRunning "" +!insertmacro isRunning "un." + +; ------------------- ; +; Install code ; +; ------------------- ; +Function .onInit ; check for previous version + Call isRunning + ReadRegStr $0 HKCU "${UNINSTALL_KEY}" "InstallString" + StrCmp $0 "" done + StrCpy $INSTDIR $0 + done: +FunctionEnd + +; ----------- ; +; App Files ; +; ----------- ; +Section + + ;Save DB + CreateDirectory "$TEMP\app_DT" + CreateDirectory "$TEMP\app_TC" + CopyFiles "$INSTDIR\User Data\Default\data\*.*" "$TEMP\app_DT" + CopyFiles "$INSTDIR\User Data\Default\TorrentCollection\*.*" "$TEMP\app_TC" + + ;Delete existing install + RMDir /r "$INSTDIR" + + CreateDirectory "$INSTDIR" + CreateDirectory "$INSTDIR\User Data" + CreateDirectory "$INSTDIR\User Data\Default" + CreateDirectory "$INSTDIR\User Data\Default\data" + CreateDirectory "$INSTDIR\User Data\Default\TorrentCollection" + CopyFiles "$TEMP\app_DT\*.*" "$INSTDIR\User Data\Default\data" + CopyFiles "$TEMP\app_TC\*.*" "$INSTDIR\User Data\Default\TorrentCollection" + RMDir /r "$TEMP\app_DT" + RMDir /r "$TEMP\app_TC" + + ;Set output path to InstallDir + SetOutPath "$INSTDIR" + + ;Add the files + File /r "..\..\build\${APP_NAME}\${ARCH}\*" + + ;Create uninstaller + WriteUninstaller "$INSTDIR\Uninstall.exe" + +SectionEnd + +; ------------------- ; +; Shortcuts ; +; ------------------- ; +Section + ;Working Directory + SetOutPath "$INSTDIR" + + ;Start Menu Shortcut + RMDir /r "$SMPROGRAMS\${APP_NAME}" + CreateDirectory "$SMPROGRAMS\${APP_NAME}" + CreateShortCut "$SMPROGRAMS\${APP_NAME}\${APP_NAME}.lnk" "$INSTDIR\${APP_LAUNCHER}" "" "$INSTDIR\${MUI_ICON_LOCAL_PATH}" "" "" "" "${APP_NAME} ${APP_VERSION}" + CreateShortCut "$SMPROGRAMS\${APP_NAME}\Uninstall ${APP_NAME}.lnk" "$INSTDIR\Uninstall.exe" "" "$INSTDIR\${MUI_UNICON_LOCAL_PATH}" "" "" "" "Uninstall ${APP_NAME}" + + ;Desktop Shortcut + Delete "$DESKTOP\${APP_NAME}.lnk" + + ;Add/remove programs uninstall entry + ${GetSize} "$INSTDIR" "/S=0K" $0 $1 $2 + IntFmt $0 "0x%08X" $0 + WriteRegDWORD HKCU "${UNINSTALL_KEY}" "EstimatedSize" "$0" + WriteRegStr HKCU "${UNINSTALL_KEY}" "DisplayName" "${APP_NAME}" + WriteRegStr HKCU "${UNINSTALL_KEY}" "DisplayVersion" "${APP_VERSION}" + WriteRegStr HKCU "${UNINSTALL_KEY}" "DisplayIcon" "$INSTDIR\${MUI_ICON_LOCAL_PATH}" + WriteRegStr HKCU "${UNINSTALL_KEY}" "Publisher" "${COMPANY_NAME}" + WriteRegStr HKCU "${UNINSTALL_KEY}" "UninstallString" "$INSTDIR\Uninstall.exe" + WriteRegStr HKCU "${UNINSTALL_KEY}" "InstallString" "$INSTDIR" + WriteRegStr HKCU "${UNINSTALL_KEY}" "URLInfoAbout" "${APP_URL}" + WriteRegStr HKCU "${UNINSTALL_KEY}" "HelpLink" "${APP_URL}" + + ;File association + WriteRegStr HKCU "Software\Classes\Applications\${APP_NAME}" "FriendlyAppName" "${APP_NAME}" + WriteRegStr HKCU "Software\Classes\Applications\${APP_NAME}\shell\open\command" "" '"$INSTDIR\${APP_LAUNCHER}" "%1"' + + ;Refresh shell icons + System::Call "shell32::SHChangeNotify(i,i,i,i) (0x08000000, 0x1000, 0, 0)" +SectionEnd + +; ------------------- ; +; Uninstaller ; +; ------------------- ; +Section "uninstall" + Call un.isRunning + CreateDirectory "$TEMP\app_DT" + CreateDirectory "$TEMP\app_TC" + CopyFiles "$INSTDIR\User Data\Default\data\*.*" "$TEMP\app_DT" + CopyFiles "$INSTDIR\User Data\Default\TorrentCollection\*.*" "$TEMP\app_TC" + RMDir /r "$INSTDIR" + RMDir /r "$SMPROGRAMS\${APP_NAME}" + Delete "$DESKTOP\${APP_NAME}.lnk" + + MessageBox MB_YESNO|MB_ICONQUESTION "$(removeDataFolder)" IDYES YesUninstallData + CreateDirectory "$INSTDIR" + CreateDirectory "$INSTDIR\User Data" + CreateDirectory "$INSTDIR\User Data\Default" + CreateDirectory "$INSTDIR\User Data\Default\data" + CreateDirectory "$INSTDIR\User Data\Default\TorrentCollection" + CopyFiles "$TEMP\app_DT\*.*" "$INSTDIR\User Data\Default\data" + CopyFiles "$TEMP\app_TC\*.*" "$INSTDIR\User Data\Default\TorrentCollection" + YesUninstallData: + RMDir /r "$TEMP\app_DT" + RMDir /r "$TEMP\app_TC" + DeleteRegKey HKCU "${UNINSTALL_KEY}" + DeleteRegKey HKCU "Software\Classes\Applications\${APP_NAME}" ;file association +SectionEnd + +; ------------------- ; +; Check if writable ; +; ------------------- ; +Function IsWritable + !define IsWritable `!insertmacro IsWritableCall` + !macro IsWritableCall _PATH _RESULT + Push `${_PATH}` + Call IsWritable + Pop ${_RESULT} + !macroend + Exch $R0 + Push $R1 + start: + StrLen $R1 $R0 + StrCmp $R1 0 exit + ${GetFileAttributes} $R0 "DIRECTORY" $R1 + StrCmp $R1 1 direxists + ${GetParent} $R0 $R0 + Goto start + direxists: + ${GetFileAttributes} $R0 "DIRECTORY" $R1 + StrCmp $R1 0 ok + StrCmp $R0 $PROGRAMFILES64 notok + StrCmp $R0 $WINDIR notok + ${GetFileAttributes} $R0 "READONLY" $R1 + Goto exit + notok: + StrCpy $R1 1 + Goto exit + ok: + StrCpy $R1 0 + exit: + Exch + Pop $R0 + Exch $R1 +FunctionEnd + +; ------------------- ; +; Check install dir ; +; ------------------- ; +Function CloseBrowseForFolderDialog + !ifmacrodef "_P<>" ; NSIS 3+ + System::Call 'USER32::GetActiveWindow()p.r0' + ${If} $0 P<> $HwndParent + !else + System::Call 'USER32::GetActiveWindow()i.r0' + ${If} $0 <> $HwndParent + !endif + SendMessage $0 ${WM_CLOSE} 0 0 + ${EndIf} +FunctionEnd + +Function .onVerifyInstDir + Push $R1 + ${IsWritable} $INSTDIR $R1 + IntCmp $R1 0 pathgood + Pop $R1 + Call CloseBrowseForFolderDialog + MessageBox MB_OK|MB_USERICON "$(noRoot)" + Abort + pathgood: + Pop $R1 +FunctionEnd + +; ------------------ ; +; Desktop Shortcut ; +; ------------------ ; +Function finishpageaction + CreateShortCut "$DESKTOP\${APP_NAME}.lnk" "$INSTDIR\${APP_LAUNCHER}" "" "$INSTDIR\${MUI_ICON_LOCAL_PATH}" "" "" "" "${APP_NAME} ${APP_VERSION}" +FunctionEnd diff --git a/dist/windows/updater_makensis.nsi b/dist/windows/updater_makensis.nsi deleted file mode 100644 index 9bf6dafd2f..0000000000 --- a/dist/windows/updater_makensis.nsi +++ /dev/null @@ -1,427 +0,0 @@ -;Butter -;Updater Source for NSIS 3.0 or higher - - -;Enable Unicode encoding -Unicode True - -;Include Modern UI -!include "MUI2.nsh" -!include "FileFunc.nsh" - -;Detect paths style -!if /fileexists "../../package.json" - ;Unix-style paths detected! - !define UNIX_PATHS -!endif - -; ------------------- ; -; Parse Gruntfile.js ; -; ------------------- ; -!searchparse /file "..\..\Gruntfile.js" "version: '" APP_NW "'," - -; ------------------- ; -; Parse package.json ; -; ------------------- ; -!searchparse /file "..\..\package.json" '"name": "' APP_NAME '",' -!searchreplace APP_NAME "${APP_NAME}" "-" " " -!searchparse /file "..\..\package.json" '"version": "' BT_VERSION '",' -!searchreplace BT_VERSION_CLEAN "${BT_VERSION}" "-" ".0" -!searchparse /file "..\..\package.json" '"homepage": "' APP_URL '",' -!searchparse /file "..\..\package.json" '"name": "' DATA_FOLDER '",' - -; ------------------- ; -; Architecture ; -; ------------------- ; -;Default to detected platform build if -;not defined by -DARCH= argument -!ifndef ARCH - !if /fileexists "..\..\build\${APP_NAME}\win64\*.*" - !define ARCH "win64" - !else - !define ARCH "win32" - !endif -!endif - -; ------------------- ; -; Settings ; -; ------------------- ; -;General Settings -!define COMPANY_NAME "Butter Project" -Name "${APP_NAME}" -Caption "${APP_NAME} ${BT_VERSION}" -BrandingText "${APP_NAME} ${BT_VERSION}" -VIAddVersionKey "ProductName" "${APP_NAME}" -VIAddVersionKey "ProductVersion" "${BT_VERSION}" -VIAddVersionKey "FileDescription" "${APP_NAME} ${BT_VERSION} Updater" -VIAddVersionKey "FileVersion" "${BT_VERSION}" -VIAddVersionKey "CompanyName" "${COMPANY_NAME}" -VIAddVersionKey "LegalCopyright" "${APP_URL}" -VIProductVersion "${BT_VERSION_CLEAN}.0" -OutFile "update.exe" -CRCCheck on -SetCompressor /SOLID lzma - -;Default installation folder -InstallDir "$LOCALAPPDATA\${APP_NAME}" - -;Request application privileges -RequestExecutionLevel user - -!define APP_LAUNCHER "${APP_NAME}.exe" -!define UNINSTALL_KEY "Software\Microsoft\Windows\CurrentVersion\Uninstall\${APP_NAME}" - -; ------------------- ; -; UI Settings ; -; ------------------- ; -;Define UI settings -!define MUI_UI_HEADERIMAGE_RIGHT "..\..\src\app\images\icon.png" -!define MUI_ICON "..\..\src\app\images\butter.ico" -!define MUI_UNICON "..\..\src\app\images\butter_uninstall.ico" -!define MUI_WELCOMEFINISHPAGE_BITMAP "installer-image.bmp" -!define MUI_UNWELCOMEFINISHPAGE_BITMAP "uninstaller-image.bmp" -!define MUI_ABORTWARNING -!define MUI_FINISHPAGE_LINK "${APP_URL}" -!define MUI_FINISHPAGE_LINK_LOCATION "${APP_URL}" -!define MUI_FINISHPAGE_RUN "$INSTDIR\nw.exe" -!define MUI_FINISHPAGE_SHOWREADME "" -!define MUI_FINISHPAGE_SHOWREADME_NOTCHECKED -!define MUI_FINISHPAGE_SHOWREADME_TEXT "$(desktopShortcut)" -!define MUI_FINISHPAGE_SHOWREADME_FUNCTION finishpageaction - -;Define the pages -!insertmacro MUI_PAGE_INSTFILES -!insertmacro MUI_PAGE_FINISH - -;Define uninstall pages -!insertmacro MUI_UNPAGE_CONFIRM -!insertmacro MUI_UNPAGE_INSTFILES -!insertmacro MUI_UNPAGE_FINISH - -;Load Language Files -!insertmacro MUI_LANGUAGE "English" -!insertmacro MUI_LANGUAGE "Afrikaans" -!insertmacro MUI_LANGUAGE "Albanian" -!insertmacro MUI_LANGUAGE "Arabic" -!insertmacro MUI_LANGUAGE "Belarusian" -!insertmacro MUI_LANGUAGE "Bosnian" -!insertmacro MUI_LANGUAGE "Bulgarian" -!insertmacro MUI_LANGUAGE "Catalan" -!insertmacro MUI_LANGUAGE "Croatian" -!insertmacro MUI_LANGUAGE "Czech" -!insertmacro MUI_LANGUAGE "Danish" -!insertmacro MUI_LANGUAGE "Dutch" -!insertmacro MUI_LANGUAGE "Esperanto" -!insertmacro MUI_LANGUAGE "Estonian" -!insertmacro MUI_LANGUAGE "Farsi" -!insertmacro MUI_LANGUAGE "Finnish" -!insertmacro MUI_LANGUAGE "French" -!insertmacro MUI_LANGUAGE "Galician" -!insertmacro MUI_LANGUAGE "German" -!insertmacro MUI_LANGUAGE "Greek" -!insertmacro MUI_LANGUAGE "Hebrew" -!insertmacro MUI_LANGUAGE "Hungarian" -!insertmacro MUI_LANGUAGE "Icelandic" -!insertmacro MUI_LANGUAGE "Indonesian" -!insertmacro MUI_LANGUAGE "Irish" -!insertmacro MUI_LANGUAGE "Italian" -!insertmacro MUI_LANGUAGE "Japanese" -!insertmacro MUI_LANGUAGE "Korean" -!insertmacro MUI_LANGUAGE "Latvian" -!insertmacro MUI_LANGUAGE "Lithuanian" -!insertmacro MUI_LANGUAGE "Macedonian" -!insertmacro MUI_LANGUAGE "Malay" -!insertmacro MUI_LANGUAGE "Mongolian" -!insertmacro MUI_LANGUAGE "Norwegian" -!insertmacro MUI_LANGUAGE "NorwegianNynorsk" -!insertmacro MUI_LANGUAGE "Polish" -!insertmacro MUI_LANGUAGE "Portuguese" -!insertmacro MUI_LANGUAGE "PortugueseBR" -!insertmacro MUI_LANGUAGE "Romanian" -!insertmacro MUI_LANGUAGE "Russian" -!insertmacro MUI_LANGUAGE "Serbian" -!insertmacro MUI_LANGUAGE "SerbianLatin" -!insertmacro MUI_LANGUAGE "SimpChinese" -!insertmacro MUI_LANGUAGE "Slovak" -!insertmacro MUI_LANGUAGE "Slovenian" -!insertmacro MUI_LANGUAGE "Spanish" -!insertmacro MUI_LANGUAGE "SpanishInternational" -!insertmacro MUI_LANGUAGE "Swedish" -!insertmacro MUI_LANGUAGE "Thai" -!insertmacro MUI_LANGUAGE "TradChinese" -!insertmacro MUI_LANGUAGE "Turkish" -!insertmacro MUI_LANGUAGE "Ukrainian" -!insertmacro MUI_LANGUAGE "Vietnamese" -!insertmacro MUI_LANGUAGE "Welsh" - -; ------------------- ; -; Localisation ; -; ------------------- ; -LangString removeDataFolder ${LANG_ENGLISH} "Remove all databases and configuration files?" -LangString removeDataFolder ${LANG_Afrikaans} "Alle databasisse en opset lêers verwyder?" -LangString removeDataFolder ${LANG_Albanian} "Hiq të gjitha bazat e të dhënave dhe fotografi konfigurimit?" -LangString removeDataFolder ${LANG_Arabic} "إزالة كافة قواعد البيانات وملفات التكوين؟" -LangString removeDataFolder ${LANG_Belarusian} "Выдаліць усе базы дадзеных і файлы канфігурацыі?" -LangString removeDataFolder ${LANG_Bosnian} "Uklonite sve baze podataka i konfiguracijske datoteke?" -LangString removeDataFolder ${LANG_Bulgarian} "Премахнете всички бази данни и конфигурационни файлове?" -LangString removeDataFolder ${LANG_Catalan} "Eliminar totes les bases de dades i arxius de configuració?" -LangString removeDataFolder ${LANG_Croatian} "Uklonite sve baze podataka i konfiguracijske datoteke?" -LangString removeDataFolder ${LANG_Czech} "Odstraňte všechny databáze a konfiguračních souborů?" -LangString removeDataFolder ${LANG_Danish} "Fjern alle databaser og konfigurationsfiler?" -LangString removeDataFolder ${LANG_Dutch} "Verwijder alle databases en configuratiebestanden?" -LangString removeDataFolder ${LANG_Esperanto} "Forigi la tuta datumbazojn kaj agordaj dosieroj?" -LangString removeDataFolder ${LANG_Estonian} "Eemalda kõik andmebaasid ja konfiguratsioonifailid?" -LangString removeDataFolder ${LANG_Farsi} "حذف تمام پایگاه داده ها و فایل های پیکربندی؟" -LangString removeDataFolder ${LANG_Finnish} "Poista kaikki tietokannat ja asetustiedostot?" -LangString removeDataFolder ${LANG_French} "Supprimer toutes les bases de données et les fichiers de configuration ?" -LangString removeDataFolder ${LANG_Galician} "Eliminar todos os bancos de datos e arquivos de configuración?" -LangString removeDataFolder ${LANG_German} "Alle Datenbanken und Konfigurationsdateien zu entfernen?" -LangString removeDataFolder ${LANG_Greek} "Αφαιρέστε όλες τις βάσεις δεδομένων και τα αρχεία διαμόρφωσης;" -LangString removeDataFolder ${LANG_Hebrew} "הסר את כל קבצי תצורת מסדי נתונים ו" -LangString removeDataFolder ${LANG_Hungarian} "Vegye ki az összes adatbázisok és konfigurációs fájlok?" -LangString removeDataFolder ${LANG_Icelandic} "Fjarlægja allar gagnagrunna og stillingar skrá?" -LangString removeDataFolder ${LANG_Indonesian} "Hapus semua database dan file konfigurasi?" -LangString removeDataFolder ${LANG_Irish} "Bain na bunachair shonraí agus comhaid cumraíochta?" -LangString removeDataFolder ${LANG_Italian} "Rimuovere tutti i database ei file di configurazione?" -LangString removeDataFolder ${LANG_Japanese} "すべてのデータベースと設定ファイルを削除しますか?" -LangString removeDataFolder ${LANG_Korean} "모든 데이터베이스와 구성 파일을 삭제 하시겠습니까?" -LangString removeDataFolder ${LANG_Latvian} "Noņemt visas datu bāzes un konfigurācijas failus?" -LangString removeDataFolder ${LANG_Lithuanian} "Pašalinti visas duombazes ir konfigūravimo failus?" -LangString removeDataFolder ${LANG_Macedonian} "Отстрани ги сите бази на податоци и конфигурациските датотеки?" -LangString removeDataFolder ${LANG_Malay} "Buang semua pangkalan data dan fail-fail konfigurasi?" -LangString removeDataFolder ${LANG_Mongolian} "Бүх өгөгдлийн сангууд болон тохиргооны файлуудыг устгана?" -LangString removeDataFolder ${LANG_Norwegian} "Fjern alle databaser og konfigurasjonsfiler?" -LangString removeDataFolder ${LANG_NorwegianNynorsk} "Fjern alle databaser og konfigurasjonsfiler?" -LangString removeDataFolder ${LANG_Polish} "Usuń wszystkie bazy danych i plików konfiguracyjnych?" -LangString removeDataFolder ${LANG_Portuguese} "Remova todos os bancos de dados e arquivos de configuração?" -LangString removeDataFolder ${LANG_PortugueseBR} "Remova todos os bancos de dados e arquivos de configuração?" -LangString removeDataFolder ${LANG_Romanian} "Elimina toate bazele de date și fișierele de configurare?" -LangString removeDataFolder ${LANG_Russian} "Удалить все базы данных и файлы конфигурации?" -LangString removeDataFolder ${LANG_Serbian} "Уклоните све базе података и конфигурационе фајлове?" -LangString removeDataFolder ${LANG_SerbianLatin} "Uklonite sve baze podataka i datoteke za konfiguraciju ?" -LangString removeDataFolder ${LANG_SimpChinese} "删除所有数据库和配置文件?" -LangString removeDataFolder ${LANG_Slovak} "Odstráňte všetky databázy a konfiguračných súborov?" -LangString removeDataFolder ${LANG_Slovenian} "Odstranite vse podatkovne baze in konfiguracijske datoteke?" -LangString removeDataFolder ${LANG_Spanish} "Eliminar todas las bases de datos y archivos de configuración?" -LangString removeDataFolder ${LANG_SpanishInternational} "Eliminar todas las bases de datos y archivos de configuración?" -LangString removeDataFolder ${LANG_Swedish} "Ta bort alla databaser och konfigurationsfiler?" -LangString removeDataFolder ${LANG_Thai} "ลบฐานข้อมูลทั้งหมดและแฟ้มการกำหนดค่า?" -LangString removeDataFolder ${LANG_TradChinese} "刪除所有數據庫和配置文件?" -LangString removeDataFolder ${LANG_Turkish} "Tüm veritabanlarını ve yapılandırma dosyaları çıkarın?" -LangString removeDataFolder ${LANG_Ukrainian} "Видалити всі бази даних і файли конфігурації?" -LangString removeDataFolder ${LANG_Vietnamese} "Loại bỏ tất cả các cơ sở dữ liệu và các tập tin cấu hình?" -LangString removeDataFolder ${LANG_Welsh} "Tynnwch yr holl gronfeydd data a ffeiliau cyfluniad?" - -LangString desktopShortcut ${LANG_ENGLISH} "Desktop Shortcut" -LangString desktopShortcut ${LANG_Afrikaans} "Snelkoppeling op die lessenaar (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Albanian} "Shkurtore desktop (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Arabic} "إختصار سطح المكتب" -LangString desktopShortcut ${LANG_Belarusian} "ярлык Працоўнага Стала (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Bosnian} "Prečac Radne Površine" -LangString desktopShortcut ${LANG_Bulgarian} "Икона на десктоп" -LangString desktopShortcut ${LANG_Catalan} "Drecera d'escriptori" -LangString desktopShortcut ${LANG_Croatian} "Prečac na radnoj površini (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Czech} "Odkaz na ploše" -LangString desktopShortcut ${LANG_Danish} "Genvej til skrivebord" -LangString desktopShortcut ${LANG_Dutch} "Bureaublad-snelkoppeling" -LangString desktopShortcut ${LANG_Esperanto} "Labortablo ŝparvojo (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Estonian} "Otsetee töölaual" -LangString desktopShortcut ${LANG_Farsi} "(Desktop Shortcut) میانبر دسک تاپ" -LangString desktopShortcut ${LANG_Finnish} "Työpöydän pikakuvake" -LangString desktopShortcut ${LANG_French} "Placer un raccourci sur le bureau" -LangString desktopShortcut ${LANG_Galician} "Atallo de escritorio" -LangString desktopShortcut ${LANG_German} "Desktopsymbol" -LangString desktopShortcut ${LANG_Greek} "Συντόμευση επιφάνειας εργασίας" -LangString desktopShortcut ${LANG_Hebrew} "קיצורי דרך על שולחן העבודה" -LangString desktopShortcut ${LANG_Hungarian} "Asztali ikon" -LangString desktopShortcut ${LANG_Icelandic} "Flýtileið (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Indonesian} "Desktop Shortcut" -LangString desktopShortcut ${LANG_Irish} "Aicearra deisce (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Italian} "Collegati sul desktop" -LangString desktopShortcut ${LANG_Japanese} "デスクトップショートカット" -LangString desktopShortcut ${LANG_Korean} "바탕화면 바로가기" -LangString desktopShortcut ${LANG_Latvian} "Desktop īsceļu (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Lithuanian} "Darbalaukio nuoroda" -LangString desktopShortcut ${LANG_Macedonian} "Десктоп кратенка (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Malay} "Pintasan Desktop" -LangString desktopShortcut ${LANG_Mongolian} "Ширээний товчлохын (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Norwegian} "Skrivebordssnarvei" -LangString desktopShortcut ${LANG_NorwegianNynorsk} "Skrivebordssnarvei" -LangString desktopShortcut ${LANG_Polish} "Ikona na pulpicie" -LangString desktopShortcut ${LANG_Portuguese} "Atalho do Ambiente de Trabalho" -LangString desktopShortcut ${LANG_PortugueseBR} "Atalho da Área de Trabalho" -LangString desktopShortcut ${LANG_Romanian} "Scurtătură desktop" -LangString desktopShortcut ${LANG_Russian} "Ярлык на рабочем столе" -LangString desktopShortcut ${LANG_Serbian} "Пречица на радној површини" -LangString desktopShortcut ${LANG_SerbianLatin} "Desktop Shortcut" -LangString desktopShortcut ${LANG_SimpChinese} "桌面快捷方式" -LangString desktopShortcut ${LANG_Slovak} "Odkaz na pracovnej ploche" -LangString desktopShortcut ${LANG_Slovenian} "Bližnjica na namizju" -LangString desktopShortcut ${LANG_Spanish} "Acceso directo en el Escritorio" -LangString desktopShortcut ${LANG_SpanishInternational} "Acceso directo en el Escritorio" -LangString desktopShortcut ${LANG_Swedish} "Genväg på skrivbordet" -LangString desktopShortcut ${LANG_Thai} "ไอคอนตรงพื้นโต๊ะ" -LangString desktopShortcut ${LANG_TradChinese} "桌面捷徑" -LangString desktopShortcut ${LANG_Turkish} "Masaüstü Kısayolu" -LangString desktopShortcut ${LANG_Ukrainian} "Ярлик на робочому столі" -LangString desktopShortcut ${LANG_Vietnamese} "Lối tắt trên màn (Desktop Shortcut)" -LangString desktopShortcut ${LANG_Welsh} "Llwybr Byr ar y Bwrdd Gwaith" - -; ------------------- ; -; Check Process ; -; ------------------- ; -!macro isRunning un - Function ${un}isRunning - FindWindow $0 "" "${APP_NAME}" - StrCmp $0 0 notRunning - MessageBox MB_YESNO|MB_ICONEXCLAMATION "${APP_NAME} is currently running.$\r$\nDo you want to close it now?" /SD IDYES IDNO userQuit - SendMessage $0 ${WM_CLOSE} "" "${APP_NAME}" - ;SendMessage $0 ${WM_DESTROY} "" "${APP_NAME}" - Goto notRunning - userQuit: - Abort - notRunning: - FunctionEnd -!macroend -!insertmacro isRunning "" -!insertmacro isRunning "un." - -; ------------------- ; -; Install code ; -; ------------------- ; -Function .onInit ; check for previous version - Call isRunning - ReadRegStr $0 HKCU "${UNINSTALL_KEY}" "InstallString" - StrCmp $0 "" done - StrCpy $INSTDIR $0 - done: -FunctionEnd - -; ------------------- ; -; Node Webkit Files ; -; ------------------- ; -Section - ;Delete existing install - RMDir /r "\\?\$INSTDIR" - - ;Delete cache - RMDir /r "$LOCALAPPDATA\${DATA_FOLDER}\Cache" - RMDir /r "$LOCALAPPDATA\${DATA_FOLDER}\GPUCache" - RMDir /r "$LOCALAPPDATA\${DATA_FOLDER}\databases" - RMDir /r "$LOCALAPPDATA\${DATA_FOLDER}\Local Storage" - - ;Set output path to InstallDir - SetOutPath "\\?\$INSTDIR" - - ;Add the files - File "..\..\cache\${APP_NW}\${ARCH}\*.dll" - File "..\..\cache\${APP_NW}\${ARCH}\nw.exe" - File "..\..\cache\${APP_NW}\${ARCH}\nw.pak" - File /r "..\..\cache\${APP_NW}\${ARCH}\locales" - File /nonfatal "..\..\cache\${APP_NW}\${ARCH}\*.dat" -SectionEnd - -; ------------------- ; -; App Files ; -; ------------------- ; -Section - ;Set output path to InstallDir - SetOutPath "\\?\$INSTDIR\src\app" - - ;Add the files - File /r "..\..\src\app\css" - File /r "..\..\src\app\fonts" - File /r "..\..\src\app\images" - File /r "..\..\src\app\language" - File /r "..\..\src\app\lib" - File /r "..\..\src\app\templates" - File /r "..\..\src/app\themes" - File /r /x ".*" /x "test*" /x "example*" "..\..\src\app\vendor" - File "..\..\src\app\index.html" - File "..\..\src\app\*.js" - File /oname=License.txt "LICENSE.txt" - - ;Set output path to InstallDir - SetOutPath "\\?\$INSTDIR" - - ;Add the files - File "..\..\package.json" - File "..\..\build\${APP_NAME}\${ARCH}\${APP_LAUNCHER}" - File "..\..\CHANGELOG.md" - File /nonfatal "..\..\git.json" - - ;Set output path to InstallDir - SetOutPath "\\?\$INSTDIR\node_modules" - - ;Add the files - !ifdef UNIX_PATHS - File /r /x "*grunt*" /x "stylus" /x "nw-gyp" /x "bower" /x ".bin" /x "bin" /x "test" /x "test*" /x "example*" /x ".*" /x "*.md" /x "*.gz" /x "benchmark*" /x "*.markdown" "../../node_modules/*.*" - !else - !searchreplace node_modules ${__FILEDIR__} "\dist\windows" "\node_modules" - File /r /x "*grunt*" /x "stylus" /x "nw-gyp" /x "bower" /x ".bin" /x "bin" /x "test" /x "test*" /x "example*" /x ".*" /x "*.md" /x "*.gz" /x "benchmark*" /x "*.markdown" "\\?\${node_modules}\*.*" - !endif - - ;Create uninstaller - WriteUninstaller "\\?\$INSTDIR\Uninstall.exe" -SectionEnd - -; ------------------- ; -; Shortcuts ; -; ------------------- ; -Section - ;Working Directory - SetOutPath "\\?\$INSTDIR" - - ;Start Menu Shortcut - RMDir /r "$SMPROGRAMS\${APP_NAME}" - CreateDirectory "$SMPROGRAMS\${APP_NAME}" - CreateShortCut "$SMPROGRAMS\${APP_NAME}\${APP_NAME}.lnk" "$INSTDIR\nw.exe" "" "$INSTDIR\src\app\images\butter.ico" "" "" "" "${APP_NAME} ${BT_VERSION}" - CreateShortCut "$SMPROGRAMS\${APP_NAME}\Uninstall ${APP_NAME}.lnk" "$INSTDIR\Uninstall.exe" "" "$INSTDIR\src\app\images\butter_uninstall.ico" "" "" "" "Uninstall ${APP_NAME}" - - ;Desktop Shortcut - Delete "$DESKTOP\${APP_NAME}.lnk" - - ;Add/remove programs uninstall entry - ${GetSize} "$INSTDIR" "/S=0K" $0 $1 $2 - IntFmt $0 "0x%08X" $0 - WriteRegDWORD HKCU "${UNINSTALL_KEY}" "EstimatedSize" "$0" - WriteRegStr HKCU "${UNINSTALL_KEY}" "DisplayName" "${APP_NAME}" - WriteRegStr HKCU "${UNINSTALL_KEY}" "DisplayVersion" "${BT_VERSION}" - WriteRegStr HKCU "${UNINSTALL_KEY}" "DisplayIcon" "$INSTDIR\src\app\images\butter.ico" - WriteRegStr HKCU "${UNINSTALL_KEY}" "Publisher" "${COMPANY_NAME}" - WriteRegStr HKCU "${UNINSTALL_KEY}" "UninstallString" "$INSTDIR\Uninstall.exe" - WriteRegStr HKCU "${UNINSTALL_KEY}" "InstallString" "$INSTDIR" - WriteRegStr HKCU "${UNINSTALL_KEY}" "URLInfoAbout" "${APP_URL}" - WriteRegStr HKCU "${UNINSTALL_KEY}" "HelpLink" "https://discuss.butterproject.org" - - ;File association - WriteRegStr HKCU "Software\Classes\Applications\${APP_LAUNCHER}" "FriendlyAppName" "${APP_NAME}" - WriteRegStr HKCU "Software\Classes\Applications\${APP_LAUNCHER}\shell\open\command" "" '"$INSTDIR\${APP_LAUNCHER}" "%1"' - - ;Refresh shell icons - System::Call "shell32::SHChangeNotify(i,i,i,i) (0x08000000, 0x1000, 0, 0)" -SectionEnd - -; ------------------- ; -; Uninstaller ; -; ------------------- ; -Section "uninstall" - Call un.isRunning - RMDir /r "\\?\$INSTDIR" - RMDir /r "$SMPROGRAMS\${APP_NAME}" - Delete "$DESKTOP\${APP_NAME}.lnk" - - MessageBox MB_YESNO|MB_ICONQUESTION "$(removeDataFolder)" IDNO NoUninstallData - RMDir /r "$LOCALAPPDATA\${DATA_FOLDER}" - NoUninstallData: - DeleteRegKey HKCU "${UNINSTALL_KEY}" - DeleteRegKey HKCU "Software\Chromium" ;workaround for NW leftovers - DeleteRegKey HKCU "Software\Classes\Applications\${APP_LAUNCHER}" ;file association -SectionEnd - -; ------------------ ; -; Desktop Shortcut ; -; ------------------ ; -Function finishpageaction - CreateShortCut "$DESKTOP\${APP_NAME}.lnk" "$INSTDIR\nw.exe" "" "$INSTDIR\src\app\images\butter.ico" "" "" "" "${APP_NAME} ${BT_VERSION}" -FunctionEnd diff --git a/dist/windows/updater_package.sh b/dist/windows/updater_package.sh deleted file mode 100644 index 09ce4437a0..0000000000 --- a/dist/windows/updater_package.sh +++ /dev/null @@ -1,36 +0,0 @@ -#!/bin/sh - -case ${OSTYPE} in *darwin*) - # if this fails please run `brew install coreutils` - homebrew also has this package - alias readlink=greadlink - ;; -esac -basedir="$(dirname $(readlink -f ${0}))/../.." -windir="${basedir}/build/releases/Butter/win" -outdir="${basedir}/build/updater/win" - -rm -rf "${outdir}" - -mkdir -p "${outdir}" - -echo "Copying Sourcefiles" -cp -r "${basedir}/src" "${outdir}" - -echo "Copying modules" -cp -r "${basedir}/node_modules" "${outdir}" -rm -rf "${basedir}/node_modules/grunt" - -if [ "${POP_NEW_NW}" = "TRUE" ]; then - echo "Copying compiled files" - mkdir -p "${outdir}/node-webkit/" - cp -r "${windir}/Butter/*" "${outdir}/node-webkit/" -fi - -cp "${basedir}/package.json" "${outdir}" -cp "${basedir}/git.json" "${outdir}" - -cd ${outdir} -vers=$(sed -n "s|\s*\"version\"\:\ \"\(.*\)\"\,|\1|p" "${basedir}/package.json") - -echo "Zipping Files" -tar --exclude-vcs -caf "../Butter-${vers}-Update-Win.tar.xz" . diff --git a/gulpfile.js b/gulpfile.js index 5247c6bb19..45e7c006ae 100644 --- a/gulpfile.js +++ b/gulpfile.js @@ -3,7 +3,7 @@ /******** * setup * ********/ -const nwVersion = '0.44.5', +const defaultNwVersion = '0.82.0', availablePlatforms = ['linux32', 'linux64', 'win32', 'win64', 'osx64'], releasesDir = 'build', nwFlavor = 'sdk'; @@ -28,6 +28,9 @@ const gulp = require('gulp'), const { detectCurrentPlatform } = require('nw-builder/dist/index.cjs'); +// see: https://shows.cf/version.json +const nwVersion = yargs.argv.nwVersion || defaultNwVersion; + /*********** * custom * ***********/ @@ -70,22 +73,22 @@ const parsePlatforms = () => { const parseReqDeps = () => { return new Promise((resolve, reject) => { exec( - 'npm ls --production=true --parseable=true', + 'yarn list --prod --json', {maxBuffer: 1024 * 500}, (error, stdout, stderr) => { // build array - let npmList = stdout.split('\n'); - - // remove empty or soon-to-be empty - npmList = npmList.filter((line) => { - return line.replace(process.cwd().toString(), ''); - }); + let npmList = JSON.parse(stdout); // format for nw-builder - npmList = npmList.map((line) => { - return line.replace(process.cwd(), '.') + '/**'; + npmList = npmList.data.trees.map((obj) => { + let name = obj.name; + name = name.replace(/@[\d.]+$/, ''); + return './node_modules/' + name + '/**'; }); + // not know why it not add + npmList.push('./node_modules/cheerio/**'); + // return resolve(npmList); if (error || stderr) { @@ -105,6 +108,13 @@ const curVersion = () => { } }; +const nwSuffix = () => { + if (nwVersion === defaultNwVersion) { + return ''; + } + return '-' + nwVersion; +}; + const waitProcess = function(process) { return new Promise((resolve, reject) => { // display log only on failed build @@ -175,8 +185,8 @@ const nw = new nwBuilder({ macIcns: './src/app/images/butter.icns', version: nwVersion, flavor: nwFlavor, - manifestUrl: 'https://popcorn-time.ga/version.json', - downloadUrl: 'https://popcorn-time.ga/nw/', + manifestUrl: 'https://popcorn-time.serv00.net/version.json', + downloadUrl: 'https://popcorn-time.serv00.net/nw/', platforms: parsePlatforms() }).on('log', console.log); @@ -278,7 +288,7 @@ gulp.task('compresszip', () => { return gulp .src(sources + '/**') .pipe( - zip(pkJson.name + '-' + curVersion() + '-' + platform + '.zip') + zip(pkJson.name + '-' + curVersion() + '-' + platform + nwSuffix() + '.zip') ) .pipe(gulp.dest(releasesDir)) .on('end', () => { @@ -294,35 +304,6 @@ gulp.task('compresszip', () => { ).catch(log); }); -gulp.task('compressUpdater', () => { - return Promise.all( - nw.options.platforms.map((platform) => { - return new Promise((resolve, reject) => { - if (platform.indexOf('win') !== -1) { - console.log('Windows updater is already compressed'); - return resolve(); - } - - let updateFile = 'update.tar'; - - console.log('Packaging updater for: %s', platform); - return gulp - .src(path.join('build', updateFile)) - .pipe(zip('update-' + curVersion() + '-' + platform + '.zip')) - .pipe(gulp.dest(releasesDir)) - .on('end', () => { - console.log( - '%s zip packaged in %s', - platform, - path.join(process.cwd(), releasesDir) - ); - resolve(); - }); - }); - }) - ).catch(log); -}); - // beautify entire code (tweak in .jsbeautifyrc) gulp.task('jsbeautifier', () => { return gulp @@ -355,22 +336,6 @@ gulp.task( deleteAndLog([path.join(releasesDir, pkJson.name)], 'build files') ); -gulp.task( - 'clean:updater', - deleteAndLog( - [path.join(process.cwd(), releasesDir, 'update.tar')], - 'build files' - ) -); - -gulp.task( - 'clean:updater:win', - deleteAndLog( - [path.join(process.cwd(), releasesDir, 'update.exe')], - 'build files' - ) -); - // clean dist files (dist) gulp.task( 'clean:dist', @@ -406,14 +371,14 @@ gulp.task('mac-pkg', () => { waitProcess(child).then(() => { console.log('%s pkg packaged in', platform, path.join(process.cwd(), releasesDir)); - if (pkJson.version === curVersion()) { + if (pkJson.version === curVersion() && !nwSuffix()) { resolve(); return; } return renameFile( path.join(process.cwd(), releasesDir), pkJson.name + '-' + pkJson.version + '.pkg', - pkJson.name + '-' + curVersion() + '.pkg' + pkJson.name + '-' + curVersion() + nwSuffix() + '.pkg' ).then(() => resolve()); }).catch(() => { console.log('%s failed to package pkg', platform); @@ -472,7 +437,7 @@ gulp.task('injectgit', () => { 'git.json', JSON.stringify({ commit: gitInfo.hash.substr(1), - semver: gitInfo.semverString, + semver: gitInfo.semverString.includes(pkJson.version) ? gitInfo.semverString : gitInfo.semverString + '-' + pkJson.version.split('-').slice(1).join('-'), }), (error) => { return error ? reject(error) : resolve(gitInfo); @@ -524,30 +489,22 @@ gulp.task('nsis', () => { return new Promise((resolve, reject) => { console.log('Packaging nsis for: %s', platform); - // spawn isn't exec - const makensis = - process.platform === 'win32' ? 'makensis.exe' : 'makensis'; - - const child = spawn(makensis, [ - './dist/windows/installer_makensis.nsi', - '-DARCH=' + platform, - '-DOUTDIR=' + path.join(process.cwd(), releasesDir) - ]); + const child = platform === 'win32' ? spawn('makensis.exe', ['./dist/windows/installer_makensis32.nsi', '-DOUTDIR=' + path.join(process.cwd(), releasesDir)]) : spawn('makensis', ['./dist/windows/installer_makensis64.nsi', '-DOUTDIR=' + path.join(process.cwd(), releasesDir)]); waitProcess(child).then(() => { - console.log('%s nsis packaged in', platform, path.join(process.cwd(), releasesDir)); - if (pkJson.version === curVersion()) { - resolve(); - return; - } - return renameFile( - path.join(process.cwd(), releasesDir), - pkJson.name + '-' + pkJson.version + '-' + platform + '-Setup.exe', - pkJson.name + '-' + curVersion() + '-' + platform + '-Setup.exe' - ).then(() => resolve()); + console.log('%s nsis packaged in', platform, path.join(process.cwd(), releasesDir)); + if (pkJson.version === curVersion() && !nwSuffix()) { + resolve(); + return; + } + return renameFile( + path.join(process.cwd(), releasesDir), + pkJson.name + '-' + pkJson.version + '-' + platform + '-Setup.exe', + pkJson.name + '-' + curVersion() + '-' + platform + nwSuffix() + '-Setup.exe' + ).then(() => resolve()); }).catch(() => { - console.log('%s failed to package nsis', platform); - reject(); + console.log('%s failed to package nsis', platform); + reject(); }); }); }) @@ -583,7 +540,16 @@ gulp.task('deb', () => { waitProcess(child).then(() => { console.log('%s deb packaged in', platform, path.join(process.cwd(), releasesDir)); - resolve(); + if (!nwSuffix()) { + resolve(); + return; + } + const suffix = platform === 'linux64' ? 'amd64' : 'i386'; + return renameFile( + path.join(process.cwd(), releasesDir), + pkJson.name + '-' + curVersion() + '-' + suffix + '.deb', + pkJson.name + '-' + curVersion() + '-' + suffix + nwSuffix() + '.deb' + ).then(() => resolve()); }).catch(() => { console.log('%s failed to package deb', platform); reject(); @@ -593,96 +559,6 @@ gulp.task('deb', () => { ).catch(log); }); -gulp.task('prepareUpdater', () => { - return Promise.all( - nw.options.platforms.map((platform) => { - // don't package win, use nsis - if (platform.indexOf('win') !== -1) { - console.log('No `compress` task for:', platform); - return null; - } - - return new Promise((resolve, reject) => { - console.log('Packaging tar for: %s', platform); - - let sources = path.join('build', pkJson.name, platform); - if (platform === 'osx64') { - sources = path.join(sources, pkJson.name + '.app'); - } - - // list of commands - let excludeCmd = '--exclude .git'; - if (process.platform.indexOf('linux') !== -1) { - excludeCmd = '--exclude-vcs'; - } - - const commands = [ - 'cd ' + sources, - 'tar ' + - excludeCmd + - ' -cf ' + - path.join(process.cwd(), releasesDir, 'update.tar') + - ' .', - 'echo "' + - platform + - ' tar packaged in ' + - path.join(process.cwd(), releasesDir) + - '" || echo "' + - platform + - ' failed to package tar"' - ].join(' && '); - - exec(commands, (error, stdout, stderr) => { - if (error || stderr) { - console.log(error || stderr); - console.log('%s failed to package tar', platform); - resolve(); - } else { - console.log(stdout.replace('\n', '')); - resolve(); - } - }); - }); - }) - ).catch(log); -}); - -gulp.task('prepareUpdater:win', () => { - return Promise.all( - nw.options.platforms.map((platform) => { - if (platform.indexOf('win') === -1) { - console.log( - 'This updater sequence is only possible on win, skipping ' + platform - ); - return null; - } - - return new Promise((resolve, reject) => { - gulp - .src( - path.join( - process.cwd(), - releasesDir, - pkJson.name + '-' + curVersion() + '-' + platform + '-Setup.exe' - ) - ) - .pipe(gulpRename('update.exe')) - .pipe(gulp.dest(path.join(process.cwd(), releasesDir))) - .pipe(zip('update-' + curVersion() + '-' + platform + '.zip')) - .pipe(gulp.dest(releasesDir)) - .on('end', () => { - console.log( - '%s zip packaged in %s', - platform, - path.join(process.cwd(), releasesDir) - ); - resolve(); - }); - }); - }) - ).catch(log); -}); - // prevent commiting if conditions aren't met and force beautify (bypass with `git commit -n`) gulp.task( 'pre-commit', diff --git a/make_popcorn.sh b/make_popcorn.sh index 406ec87299..20b993d886 100755 --- a/make_popcorn.sh +++ b/make_popcorn.sh @@ -1,4 +1,4 @@ -#!/bin/bash +#!/usr/bin/bash ## Version 0.1.1 ## @@ -127,7 +127,7 @@ if yarn build; then if [[ `uname -s` != *"NT"* ]]; then # if not windows ./Create-Desktop-Entry fi - echo "Run 'gulp run' from inside the repository to launch the app or check out under ./build folder..." + echo "Run 'yarn start' to launch the app or run Popcorn-Time from the ./build folder..." echo "Enjoy!" else echo "Popcorn Time encountered an error and couldn't be built" diff --git a/package.json b/package.json index 0eefbfd402..b59ccfe89e 100644 --- a/package.json +++ b/package.json @@ -3,7 +3,7 @@ "companyName": "Popcorn Time", "installIcon": "./src/app/images/popcorntime.ico", "unInstallIcon": "./src/app/images/butter_uninstall.ico", - "homepage": "https://popcorntime.app/", + "homepage": "https://shows.cf/", "bugs": "https://github.com/popcorn-official/popcorn-desktop/issues", "repository": { "type": "git", @@ -11,8 +11,8 @@ }, "license": "GPL-3.0", "main": "src/app/index.html", - "version": "0.4.9", - "releaseName": "Ogres are not like cakes", + "version": "0.5.0", + "releaseName": "Mischief Managed", "scripts": { "build": "gulp build", "clean": "gulp clean", @@ -44,8 +44,8 @@ "butter-provider/yts.js" ], "dependencies": { - "@fortawesome/fontawesome-free": "^6.1", - "@vpnht/sdk": "^1.0.10", + "@fortawesome/fontawesome-free": "^6.4", + "@noble/ed25519": "^1.7", "adm-zip": "0.4.16", "airplayer": "2.0.0", "async": "3.2.2", @@ -57,71 +57,68 @@ "bootstrap": "^3.4.1", "butter-provider": "0.11.0", "butter-sanitize": "^0.1.1", - "butter-settings-popcorntime.app": "0.0.9", - "chromecast-api": "0.3.4", - "dayjs": "^1.10.6", + "butter-settings-popcorntime.app": "0.0.10", + "chromecast-api": "^0.4", + "dayjs": "^1.11", "dlnacasts2": "0.2.0", - "edit-json-file": "^1.4.1", - "flag-icon-css": "^3.5.0", + "edit-json-file": "^1.7.0", + "flag-icons": "^6.7", "i18n": "0.x.x", "iconv-lite": "0.x.x", - "jquery": "^3.5.1", + "jquery": "^3.7", "jschardet": "1.6.0", - "json-rpc2": "1.x.x", + "json-rpc2": "^2.0", "lodash": "^4.17.19", "memoizee": "0.x.x", "mkdirp": "*", - "mousetrap": "~1.6.2", + "mousetrap": "~1.6.5", "mv": "2.x.x", - "nedb-promises": "^5.0.0", - "noble-ed25519": "^1.2.5", + "nedb-promises": "^5.0.3", "node-tvdb": "^4.1.0", "opensubtitles-api": "^5.1.2", - "patch-package": "^6.4.7", + "patch-package": "^8.0", "postinstall-postinstall": "^2.1.0", "q": "2.0.3", - "querystring": "^0.2.0", "readdirp": "2.x.x", "request": "2.88.x", "rimraf": "^3.0.0", "sanitizer": "0.x.x", - "semver": "^5.7.1", - "send": "^0.17.1", - "socks-proxy-agent": "^6.0.0", + "semver": "^7.5", + "send": "^0.17.2", + "socks-proxy-agent": "^6.2.1", "srt-to-vtt": "^1.1", "tar": "4.4.18", - "torrentcollection5": "1.0.6", + "torrentcollection6": "^1.0", "trakt.tv": "7.x.x", "trakt.tv-images": "5.x.x", "trakt.tv-matcher": "7.x.x", "trakt.tv-ondeck": "7.x.x", - "underscore": "^1.13.0", + "underscore": "^1.13.6", "urijs": "^1.19.11", "video.js": "4.11.4", "videojs-youtube": "1.2.10", - "webtorrent": "^1.5.8", + "webtorrent": "^1.9.7", "webtorrent-health": "1.x.x" }, "devDependencies": { - "del": "^3.x.x", - "git-describe": "^4.0", + "del": "^6", + "git-describe": "^4.1.1", "gulp": "^4.0.2", - "gulp-filter": "^5.1.0", "gulp-gzip": "^1.4.2", - "gulp-jsbeautifier": "^2.1.2", - "gulp-jshint": "^2.0.0", - "gulp-load-plugins": "^1.5.0", + "gulp-jsbeautifier": "^3.0", + "gulp-jshint": "^2.1.0", + "gulp-load-plugins": "^2.0", "gulp-rename": "^2.0.0", - "gulp-stylus": "^2.7.0", - "gulp-tar": "^2.1.0", + "gulp-stylus": "^3", + "gulp-tar": "^4.0", "gulp-zip": "^4.2.0", "guppy-pre-commit": "^0.4.0", - "i18n-unused": "^0.8.0", - "jshint": "^2.9.6", + "i18n-unused": "^0.16", + "jshint": "^2.13.6", "jshint-stylish": "^2.2.1", - "nib": "^1.1.2", - "nw-builder": "^3.5.7", - "stylus": "^0.54.5", - "yargs": "^12.x.x" + "nib": "^1.2.0", + "nw-builder": "^3.7.4", + "stylus": "^0.62", + "yargs": "^17" } } diff --git a/patches/webtorrent+1.9.7.patch b/patches/webtorrent+1.9.7.patch new file mode 100644 index 0000000000..d63baf983a --- /dev/null +++ b/patches/webtorrent+1.9.7.patch @@ -0,0 +1,18 @@ +--- a/node_modules/webtorrent/lib/torrent.js ++++ b/node_modules/webtorrent/lib/torrent.js +@@ -1318,11 +1318,11 @@ + _updateWireWrapper (wire) { + const self = this + +- if (typeof window !== 'undefined' && typeof window.requestIdleCallback === 'function') { +- window.requestIdleCallback(() => { self._updateWire(wire) }, { timeout: 250 }) +- } else { ++ //if (typeof window !== 'undefined' && typeof window.requestIdleCallback === 'function') { ++ // window.requestIdleCallback(() => { self._updateWire(wire) }, { timeout: 250 }) ++ //} else { + self._updateWire(wire) +- } ++ //} + } + + /** diff --git a/src/app/.jshintrc b/src/app/.jshintrc index 2dc7935a45..2b29f6c594 100644 --- a/src/app/.jshintrc +++ b/src/app/.jshintrc @@ -1,4 +1,6 @@ { + "esversion": 11, + // Environments "browser" : true, "node" : true, @@ -19,7 +21,6 @@ "expr" : true, "eqnull" : true, "quotmark" : "single", - "trailing" : true, "sub" : true, "trailing" : true, "undef" : true, @@ -31,6 +32,7 @@ // Globals "globals": { // App + "nw": true, "App": true, "Settings": true, "AdvSettings": true, @@ -38,7 +40,6 @@ "Database": true, "detectLanguage": true, "Common": true, - "indexedDB": true, "startupTime": true, "deleteFolder": true, "deleteCookies": true, @@ -49,7 +50,6 @@ "Promise": true, // Global variables - "_": true, "async": true, "inherits": true, "Q": true, @@ -85,7 +85,6 @@ "Backbone": true, "Mousetrap": true, "_": true, - "request": true, "videojs": true, "vjs": true } diff --git a/src/app/app.js b/src/app/app.js index 01c1c9e170..9bd8bd490f 100644 --- a/src/app/app.js +++ b/src/app/app.js @@ -176,15 +176,15 @@ var initTemplates = function () { var ts = []; _.each(document.querySelectorAll('[type="text/x-template"]'), function (el) { - var d = Q.defer(); - $.get(el.src, function (res) { - el.innerHTML = res; - d.resolve(true); - }); - ts.push(d.promise); + ts.push(new Promise((resolve, reject) => { + $.get(el.src, function (res) { + el.innerHTML = res; + resolve(true); + }); + })); }); - return Q.all(ts); + return Promise.all(ts); }; var initApp = function () { @@ -258,11 +258,6 @@ var deleteCookies = function () { }); }; -var deleteCache = function () { - window.indexedDB.deleteDatabase('cache'); - win.close(true); -}; - var deleteLogs = function() { var dataPath = path.join(data_path, 'logs.txt'); if (fs.existsSync(dataPath)) { @@ -270,9 +265,17 @@ var deleteLogs = function() { } }; +var posterZoom = function () { + var zoom = $('.show-detail-container').height() / $('.shp-img').height() * (0.75 + Settings.bigPicture / 2000); + var top = parseInt(($('.shp-img').height() * zoom - $('.shp-img').height()) / 2 + (3000 / Settings.bigPicture)) + 'px'; + var left = parseInt(($('.shp-img').width() * zoom - $('.shp-img').width()) / 2 + (2000 / Settings.bigPicture)) + 'px'; + $('.sh-poster.active').css({transform: 'scale(' + zoom + ')', top: top, left: left}); +}; + win.on('resize', function (width, height) { localStorage.width = Math.round(width); localStorage.height = Math.round(height); + $('.sh-poster').hasClass('active') ? posterZoom() : null; }); win.on('move', function (x, y) { @@ -282,29 +285,31 @@ win.on('move', function (x, y) { win.on('enter-fullscreen', function () { App.vent.trigger('window:focus'); - if (!Settings.nativeWindowFrame) { + if (!Settings.nativeWindowFrame && parseFloat(process.versions['node-webkit'].replace('0.', '')) <= 50) { win.setResizable(false); } }); win.on('leave-fullscreen', function () { - if (!Settings.nativeWindowFrame) { + if (!Settings.nativeWindowFrame && parseFloat(process.versions['node-webkit'].replace('0.', '')) <= 50) { win.setResizable(true); } }); win.on('maximize', function () { - if (!Settings.nativeWindowFrame) { + if (!Settings.nativeWindowFrame && parseFloat(process.versions['node-webkit'].replace('0.', '')) <= 50) { win.setResizable(false); } localStorage.maximized = true; + $('.sh-poster').hasClass('active') ? posterZoom() : null; }); win.on('restore', function () { - if (!Settings.nativeWindowFrame) { + if (!Settings.nativeWindowFrame && parseFloat(process.versions['node-webkit'].replace('0.', '')) <= 50) { win.setResizable(true); } localStorage.maximized = false; + $('.sh-poster').hasClass('active') ? posterZoom() : null; }); // Now this function is used via global keys (cmd+q and alt+f4) @@ -346,7 +351,7 @@ function close() { deleteFolder(App.settings.downloadsLocation + '/TorrentCache/'); } deleteLogs(); - deleteCache(); + win.close(true); } catch (err) { return onError(err); } @@ -544,7 +549,7 @@ var handleVideoFile = function (file) { // get subtitles from provider var getSubtitles = function (subdata) { - return Q.Promise(function (resolve, reject) { + return new Promise(function (resolve, reject) { win.debug('Subtitles data request:', subdata); var subtitleProvider = App.Config.getProviderForType('subtitle'); @@ -790,6 +795,7 @@ if ( last_arg && (last_arg.substring(0, 8) === 'magnet:?' || last_arg.substring(0, 7) === 'http://' || + last_arg.substring(0, 8) === 'https://' || last_arg.endsWith('.torrent')) ) { App.vent.on('app:started', function () { @@ -808,105 +814,6 @@ if (last_arg && isVideo(last_arg)) { }); } -// VPN -let subscribed = false; -const subscribeEvents = () => { - const appInstalled = VPNht.isInstalled(); - if (subscribed || !appInstalled) { - return; - } - try { - const vpnStatus = VPNht.status(); - - vpnStatus.on('connected', () => { - App.vent.trigger('vpn:connected'); - }); - - vpnStatus.on('disconnected', () => { - App.vent.trigger('vpn:disconnected'); - }); - - vpnStatus.on('error', error => { - console.log('ERROR', error); - }); - - subscribed = true; - } catch (error) { - console.log(error); - subscribed = false; - } -}; - -const checkVPNStatus = () => { - try { - const appInstalled = VPNht.isInstalled(); - if (!appInstalled) { - return; - } - - VPNht.isConnected().then(isConnected => { - console.log(isConnected); - if (isConnected) { - App.vent.trigger('vpn:connected'); - } - }); - } catch (error) { - console.log(error); - } -}; - -App.vent.on('app:started', function () { - subscribeEvents(); - checkVPNStatus(); -}); - -App.vent.on('vpn:open', function () { - try { - const appInstalled = VPNht.isInstalled(); - if (!appInstalled) { - App.vent.trigger('vpn:show'); - } else { - VPNht.open(); - subscribeEvents(); - } - } catch (error) { - console.log(error); - } -}); - -App.vent.on('vpn:install', function () { - try { - const appInstalled = VPNht.isInstalled(); - if (!appInstalled) { - VPNht.install().then(installer => { - installer.on('download', data => { - if (data && data.percent) { - App.vent.trigger('vpn:installProgress', data.percent); - } - }); - - installer.on('downloaded', () => { - App.vent.trigger('vpn:downloaded'); - }); - - installer.on('installed', () => { - VPNht.open(); - subscribeEvents(); - }); - - installer.on('error', data => { - console.log(data); - }); - }); - } else { - VPNht.open(); - subscribeEvents(); - } - } catch (error) { - console.log(error); - } -}); - nw.App.on('open', function (cmd) { var file; if (os.platform() === 'win32') { diff --git a/src/app/bootstrap.js b/src/app/bootstrap.js index c5e9529551..bda0764eb8 100644 --- a/src/app/bootstrap.js +++ b/src/app/bootstrap.js @@ -7,11 +7,11 @@ var fs = require('fs'); function loadLocalProviders() { - var appPath = ''; var providerPath = './src/app/lib/providers/'; var files = fs.readdirSync(providerPath); + var head = document.getElementsByTagName('head')[0]; return files .map(function(file) { if (!file.match(/\.js$/) || file.match(/generic.js$/)) { @@ -20,23 +20,20 @@ win.info('loading local provider', file); - var q = Q.defer(); + return new Promise((resolve, reject) => { + var script = document.createElement('script'); - var head = document.getElementsByTagName('head')[0]; - var script = document.createElement('script'); + script.type = 'text/javascript'; + script.src = 'lib/providers/' + file; - script.type = 'text/javascript'; - script.src = 'lib/providers/' + file; - - script.onload = function() { - this.onload = null; - win.info('loaded', file); - q.resolve(file); - }; - - head.appendChild(script); + script.onload = function() { + script.onload = null; + win.info('loaded', file); + resolve(file); + }; - return q.promise; + head.appendChild(script); + }); }) .filter(function(q) { return q; @@ -75,7 +72,7 @@ } function loadNpmSettings() { - return Q.all( + return Promise.all( loadFromPackageJSON(/butter-settings-/, function(settings) { Settings = _.extend(Settings, settings); }) @@ -83,13 +80,13 @@ } function loadProviders() { - return Q.all( + return Promise.all( loadLocalProviders() ); } function loadProvidersDelayed() { - return Q.all( + return Promise.all( loadNpmProviders().concat(loadLegacyNpmProviders()) ); } diff --git a/src/app/butter-provider/anime.js b/src/app/butter-provider/anime.js index d986a98b23..f3991945a1 100644 --- a/src/app/butter-provider/anime.js +++ b/src/app/butter-provider/anime.js @@ -1,32 +1,27 @@ 'use strict'; -const Generic = require('./generic'); +const TVApi = require('./tv'); const sanitize = require('butter-sanitize'); const i18n = require('i18n'); -class AnimeApi extends Generic { - constructor(args) { - super(args); - - this.language = args.language; - } - - extractIds(items) { - return items.results.map(item => item.mal_id); - } +class AnimeApi extends TVApi { fetch(filters) { const params = { sort: 'seeds', - limit: '50' + limit: '50', + anime: 1 }; + params.locale = this.language; + params.contentLocale = this.contentLanguage; + if (!this.contentLangOnly) { + params.showAll = 1; + } + if (filters.keywords) { params.keywords = filters.keywords.trim(); } - if (filters.genre) { - params.genre = filters.genre; - } if (filters.order) { params.order = filters.order; } @@ -34,143 +29,67 @@ class AnimeApi extends Generic { params.sort = filters.sorter; } - const uri = `animes/${filters.page}?` + new URLSearchParams(params); - return this._get(0, uri).then(animes => { - animes.forEach(anime => { - return { - images: { - poster: 'https://media.kitsu.io/anime/poster_images/' + anime._id + '/large.jpg', - banner: 'https://media.kitsu.io/anime/cover_images/' + anime._id + '/original.jpg', - fanart: 'https://media.kitsu.io/anime/cover_images/' + anime._id + '/original.jpg', - }, - mal_id: anime._id, - haru_id: anime._id, - tvdb_id: 'mal-' + anime._id, - imdb_id: anime._id, - slug: anime.slug, - title: anime.title, - year: anime.year, - type: anime.type, - item_data: anime.type, - rating: anime.rating - }; - }); + const uri = `shows/${filters.page}?` + new URLSearchParams(params); + return this._get(0, uri).then(data => { + data.forEach(entry => {entry.type = 'show'; entry.title = entry.slug.replace(/-/g, ' ').capitalizeEach();}); - return { results: sanitize(animes), hasMore: true }; - }); - } - - detail(torrent_id, old_data, debug) { - const uri = `anime/${torrent_id}`; - - return this._get(0, uri).then(anime => { - var result = { - mal_id: anime._id, - haru_id: anime._id, - tvdb_id: 'mal-' + anime._id, - imdb_id: anime._id, - slug: anime.slug, - title: anime.title, - item_data: anime.type, - country: 'Japan', - genre: anime.genres, - genres: anime.genres, - num_seasons: 1, - runtime: anime.runtime, - status: anime.status, - synopsis: anime.synopsis, - network: [], //FIXME - rating: anime.rating, - images: { - poster: 'https://media.kitsu.io/anime/poster_images/' + anime._id + '/large.jpg', - banner: 'https://media.kitsu.io/anime/cover_images/' + anime._id + '/original.jpg', - fanart: 'https://media.kitsu.io/anime/cover_images/' + anime._id + '/original.jpg', - }, - year: anime.year, - type: anime.type + return { + results: sanitize(data), + hasMore: true }; - - if (anime.type === 'show') { - result = Object.extend(result, { episodes: anime.episodes }); - } - - return sanitize(result); }); } - filters() { - const data = { - genres: [ - 'All', - 'Action', - 'Adventure', - 'Cars', - 'Comedy', - 'Dementia', - 'Demons', - 'Drama', - 'Ecchi', - 'Fantasy', - 'Game', - 'Harem', - 'Historical', - 'Horror', - 'Josei', - 'Kids', - 'Magic', - 'Martial Arts', - 'Mecha', - 'Military', - 'Music', - 'Mystery', - 'Parody', - 'Police', - 'Psychological', - 'Romance', - 'Samurai', - 'School', - 'Sci-Fi', - 'Seinen', - 'Shoujo', - 'Shoujo Ai', - 'Shounen', - 'Shounen Ai', - 'Slice of Life', - 'Space', - 'Sports', - 'Super Power', - 'Supernatural', - 'Thriller', - 'Vampire' - ], - sorters: ['popularity', 'name', 'year'], - types: ['All', 'Movies', 'TV', 'OVA', 'ONA'] - }; + formatFiltersFromServer(sorters, data) + { let filters = { genres: {}, sorters: {}, - types: {}, }; - for (const genre of data.genres) { - filters.genres[genre] = i18n.__(genre.capitalizeEach()); - } - for (const sorter of data.sorters) { - filters.sorters[sorter] = i18n.__(sorter.capitalizeEach()); - } - for (const type of data.types) { - filters.types[type] = i18n.__(type); + for (const genre of sorters) { + filters.sorters[genre] = i18n.__(genre.capitalizeEach()); } - return Promise.resolve(filters); + filters.genres = { + 'All': 'Anime', + }; + + return filters; + } + + filters() { + const params = { + contentLocale: this.contentLanguage, + }; + if (!this.contentLangOnly) { + params.showAll = 1; + } + return this._get(0, 'shows/stat?' + new URLSearchParams(params)) + .then((result) => this.formatFiltersFromServer( + ['trending', 'popularity', 'updated', 'year', 'name', 'rating'], + result + )).catch(() => { + const data = { + sorters: ['trending', 'popularity', 'updated', 'year', 'name', 'rating'], + }; + let filters = { + genres: {}, + }; + for (const sorter of data.sorters) { + filters.sorters[sorter] = i18n.__(sorter.capitalizeEach()); + } + + return Promise.resolve(filters); + }); } } AnimeApi.prototype.config = { name: 'AnimeApi', - uniqueId: 'mal_id', - tabName: 'Animes', + uniqueId: 'tvdb_id', + tabName: 'Anime', type: 'anime', - metadata: 'trakttv:anime-metadata' + metadata: 'trakttv:show-metadata' }; module.exports = AnimeApi; diff --git a/src/app/butter-provider/movie.js b/src/app/butter-provider/movie.js index 60a2957259..cebad35cb3 100644 --- a/src/app/butter-provider/movie.js +++ b/src/app/butter-provider/movie.js @@ -32,6 +32,7 @@ class MovieApi extends Generic { cover: movie.images ? movie.images.poster : false, backdrop: movie.images ? movie.images.fanart : false, poster: movie.images ? movie.images.poster : false, + poster_medium: movie.images ? movie.images.poster_medium : false, synopsis: movie.synopsis, trailer: movie.trailer !== null ? movie.trailer : false, certification: movie.certification, diff --git a/src/app/butter-provider/tv.js b/src/app/butter-provider/tv.js index 2503f6fb94..4cb0f6bfd4 100644 --- a/src/app/butter-provider/tv.js +++ b/src/app/butter-provider/tv.js @@ -54,7 +54,7 @@ class TVApi extends Generic { } detail(imdb_id, old_data, debug) { - return this.contentOnLang(imdb_id, old_data.contextLocale); + return this.contentOnLang(imdb_id, old_data.contextLocale, old_data.title1); } feature(name) { return name==='torrents'; } @@ -77,7 +77,7 @@ class TVApi extends Generic { return this._get(0, uri); } - contentOnLang(imdb_id, lang) { + contentOnLang(imdb_id, lang, title1) { const params = {}; if (this.language) { params.locale = this.language; @@ -88,6 +88,9 @@ class TVApi extends Generic { const uri = `show/${imdb_id}?` + new URLSearchParams(params); return this._get(0, uri).then(data => { + if (title1) { + data.title = title1; + } return data; return sanitize(data); }); diff --git a/src/app/butter-provider/yts.js b/src/app/butter-provider/yts.js index f0d3ddc1f8..e75fee36d6 100644 --- a/src/app/butter-provider/yts.js +++ b/src/app/butter-provider/yts.js @@ -43,6 +43,7 @@ class YTSApi extends Generic { cover: movie.large_cover_image, backdrop: movie.background_image_original, poster: movie.large_cover_image, + poster_medium: movie.medium_cover_image, synopsis: movie.description_full, trailer: 'https://www.youtube.com/watch?v=' + movie.yt_trailer_code || false, certification: movie.mpa_rating, diff --git a/src/app/common.js b/src/app/common.js index 15ed64ee03..56522f51d5 100644 --- a/src/app/common.js +++ b/src/app/common.js @@ -162,32 +162,6 @@ Common.md5 = function (arg) { return crypt.createHash('md5').update(arg).digest('hex'); }; -Common.copyFile = function (source, target, cb) { - var cbCalled = false; - - var rd = fs.createReadStream(source); - - function done(err) { - if (!cbCalled) { - if (err) { - fs.unlink(target); - } - cb(err); - cbCalled = true; - } - } - - rd.on('error', done); - - var wr = fs.createWriteStream(target); - wr.on('error', done); - wr.on('close', function (ex) { - done(); - }); - - rd.pipe(wr); -}; - Common.fileSize = function (num) { if (isNaN(num) || num === null) { return; diff --git a/src/app/database.js b/src/app/database.js index 85c3fd52ec..d85c7dffb0 100644 --- a/src/app/database.js +++ b/src/app/database.js @@ -118,6 +118,20 @@ var Database = { return db.bookmarks.find(query).skip(offset).limit(byPage); }, + // format: {page: page, keywords: title} + getWatched: function (data) { + var page = data.page - 1; + var byPage = 500; + var offset = page * byPage; + var query = {}; + + if (data.type) { + query.type = data.type; + } + + return db.watched.find(query).skip(offset).limit(byPage); + }, + getAllBookmarks: function () { return db.bookmarks.find({}); }, @@ -369,16 +383,7 @@ var Database = { fs.unlinkSync(path.join(data_path, 'data/settings.db')); - return new Promise(function (resolve, reject) { - var req = indexedDB.deleteDatabase(App.Config.cache.name); - req.onsuccess = function () { - resolve(); - }; - req.onerror = function () { - resolve(); - }; - }); - + return Promise.resolve(); }, initialize: function () { @@ -420,10 +425,6 @@ var Database = { App.vent.trigger('initHttpApi'); App.vent.trigger('db:ready'); App.vent.trigger('stream:loadExistTorrents'); - - /*return AdvSettings.checkApiEndpoints([ - Settings.updateEndpoint - ]);*/ }) .then(function () { // set app language @@ -435,15 +436,6 @@ var Database = { }) .then(function () { App.Trakt = App.Config.getProviderForType('metadata'); - if (Settings.automaticUpdating === false) { - return; - } - // check update - var updater = new App.Updater(); - updater.update() - .catch(function (err) { - win.error('updater.update()', err); - }); }) .then(function () { if (Settings.protocolEncryption) { diff --git a/src/app/dht.js b/src/app/dht.js index 79535b84f1..c0bda2764d 100644 --- a/src/app/dht.js +++ b/src/app/dht.js @@ -1,7 +1,7 @@ 'use strict'; var DHT = require('bittorrent-dht'); -var ed = require('noble-ed25519'); // better use ed25519-supercop but need rebuild ed25519 for windows +var ed = require('@noble/ed25519'); // better use ed25519-supercop but need rebuild ed25519 for windows class DhtReader { constructor(options) { @@ -113,6 +113,7 @@ class DhtReader { }.bind(this); var notificationModel = new App.Model.Notification({ title: i18n.__('Success'), + showClose: false, type: 'success', }); switch (alertType) { @@ -134,6 +135,7 @@ class DhtReader { case 'restart': notificationModel.set('body', i18n.__('Please restart your application')); notificationModel.set('showRestart', true); + notificationModel.set('showClose', true); break; case 'updated': notificationModel.set('body', i18n.__('API Server URLs updated')); diff --git a/src/app/global.js b/src/app/global.js index bcd0cc4149..2ea77f5782 100644 --- a/src/app/global.js +++ b/src/app/global.js @@ -31,14 +31,11 @@ var _ = require('underscore'), http = require('http'), request = require('request'), // Web - querystring = require('querystring'), URI = require('urijs'), Trakt = require('trakt.tv'), // Torrent engines WebTorrent = require('webtorrent'), - torrentCollection = require('torrentcollection5'), - // VPN - VPNht = require('@vpnht/sdk'), + torrentCollection = require('torrentcollection6'), // NodeJS child = require('child_process'), // package.json diff --git a/src/app/images/flags/none.svg b/src/app/images/flags/none.svg index e831f30113..1270ababfb 100644 --- a/src/app/images/flags/none.svg +++ b/src/app/images/flags/none.svg @@ -1,5 +1,5 @@ -
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "غير معروف", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "نعم", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "السطوع", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "البحث عن التحديثات", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/bg.json b/src/app/language/bg.json index 88db0d5522..eb01341301 100644 --- a/src/app/language/bg.json +++ b/src/app/language/bg.json @@ -44,7 +44,6 @@ "Load More": "Зареди още", "Saved": "Запазено", "Settings": "Настройки", - "Show advanced settings": "Покажи разширени настройки", "User Interface": "Потребителски интерфейс", "Default Language": "Език по подразбиране", "Theme": "Тема", @@ -61,10 +60,7 @@ "Disabled": "Изключени", "Size": "Размер", "Quality": "Качество", - "Only list movies in": "Показвай филми само в", - "Show movie quality on list": "Покажи качеството на филмите в списъка.", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Свържете се към %s , за да можете автоматично да \"скробълвате\" епизоди, които гледате в %s", "Username": "Потребителско име", "Password": "Парола", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Username", "HTTP API Password": "HTTP API Password", "Connection": "Интернет връзка", - "TV Show API Endpoint": "Крайна точка на програмния интерфейс за сериали", "Connection Limit": "Ограничение на връзката", "DHT Limit": "DHT ограничение", "Port to stream on": "Порт на който да стриймвате", "0 = Random": "0 = Random", "Cache Directory": "Директория на кеша", - "Clear Tmp Folder after closing app?": "Да се изчиства ли временната папка след затваряне на приложението?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "База данни", "Database Directory": "Директория на база данни", "Import Database": "Внос на база данни", "Export Database": "Износ на база данни", "Flush bookmarks database": "Изчисти отметки", - "Flush subtitles cache": "Изчисти кеша със субтитри", "Flush all databases": "Изчисти всички данни", "Reset to Default Settings": "Възстанови настройките по подразбиране", "Importing Database...": "Внасяне на база данни...", @@ -131,8 +125,8 @@ "Ended": "Приключил", "Error loading data, try again later...": "Грешка при зареждането, моля опитайте пак по-късно...", "Miscellaneous": "Разни", - "First Unwatched Episode": "Първи невидян епизод", - "Next Episode In Series": "Следващ епизод в сериите", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Изчистване...", "Are you sure?": "Сигурен ли сте?", "We are flushing your databases": "Почистване на базата с данни", @@ -142,7 +136,7 @@ "Terms of Service": "Правила на ползване", "I Accept": "Приемам", "Leave": "Изход", - "When Opening TV Series Detail Jump To": "Когато отваряте резюме за сериали прескочете към", + "Series detail opens to": "Series detail opens to", "Playback": "Възпроизвеждане", "Play next episode automatically": "Възпроизведи следващият епизод автоматично", "Generate Pairing QR code": "Генерирай QR код за сдвояване", @@ -152,23 +146,17 @@ "Seconds": "Секунди", "You are currently connected to %s": "В момента сте свързани към %s", "Disconnect account": "Изключи профил", - "Sync With Trakt": "Синхронизирай се с Trakt", "Syncing...": "Синхронизиране...", "Done": "Готово", "Subtitles Offset": "Изместване на субтитри", "secs": "секунди", "We are flushing your database": "Изчистваме вашата база данни", "Ratio": "Съотношение", - "Advanced Settings": "Разширени настройки", - "Tmp Folder": "Временна папка", - "URL of this stream was copied to the clipboard": "Адресът на стрийма бе копиран на клипборда. ", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Грешка, базата данни вероятно е повредена. Моля, опитайте се да изчистите отметките си в \"Настройки\".", "Flushing bookmarks...": "Почистване на отметките...", "Resetting...": "Нулиране...", "We are resetting the settings": "В момента нулираме настройките", "Installed": "Инсталирано", - "We are flushing your subtitle cache": "В момента почистваме вашият кеш от субтитри", - "Subtitle cache deleted": "Кешът със субтитри е изтрит", "Please select a file to play": "Моля изберете файл за възпроизвеждане", "Global shortcuts": "Глобални преки пътища", "Video Player": "Видео плейър", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Излизане от пълен екран", "Seek Backward": "Виж назад", "Decrease Volume": "Намали звука", - "Show Stream URL": "Покажи адреса на стрийма", "TV Show Detail": "Резюме за сериал", "Toggle Watched": "Отбележи като прегледано", "Select Next Episode": "Избери следващ епизод", @@ -309,10 +296,7 @@ "Super Power": "Супер сили", "Supernatural": "Супер естествено", "Vampire": "Вампири", - "Automatically Sync on Start": "Синхронизирай автоматично при стартиране", "VPN": "VPN", - "Activate automatic updating": "Активирай автоматично обновяване", - "Please wait...": "Моля изчакайте...", "Connect": "Свържи се", "Create Account": "Създай профил", "Celebrate various events": "Празнувай различни събития", @@ -320,10 +304,8 @@ "Downloaded": "Изтеглено", "Loading stuck ? Click here !": "Зареждането заби ? Натисни тук !", "Torrent Collection": "Колекция с торенти", - "Drop Magnet or .torrent": "Спусни магнит или .torrent", "Remove this torrent": "Премахни този торент", "Rename this torrent": "Преименувай този торент", - "Flush entire collection": "Изчисти цялата колекция", "Open Collection Directory": "Отвори директорията с колекции", "Store this torrent": "Съхрани този торент", "Enter new name": "Въведи ново име", @@ -352,101 +334,214 @@ "No thank you": "Не, благодаря ви", "Report an issue": "Докладвай за проблем", "Email": "Имейл", - "Log in": "Вход", - "Report anonymously": "Докладвай анонимно", - "Note regarding anonymous reports:": "Забележка относно анонимни доклади:", - "You will not be able to edit or delete your report once sent.": "Веднъж изпратен, докладът няма да може да бъде редактиран или изтрит.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ако е нужна допълнителна информация, докладът може да бъде затворен, защото не можете да я предоставите.", - "Step 1: Please look if the issue was already reported": "Стъпка 1: Моля погледнете дали проблемът вече е докладван", - "Enter keywords": "Въведете ключови думи", - "Already reported": "Вече докладвано", - "I want to report a new issue": "Искам да докладвам нов проблем", - "Step 2: Report a new issue": "Стъпка 2: Докладвай проблем", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Забележка: моля не използвайте този формуляр, за да се свържете с нас. Той е ограничен само за бъгове.", - "The title of the issue": "Заглавието на проблема", - "Description": "Описание", - "200 characters minimum": "минимум 200 символа", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Кратко описание на проблема. Ако е възможно, въведете стъпките нужни, за възпроизвеждане на бъга.", "Submit": "Изпрати", - "Step 3: Thank you !": "Стъпка 3: Благодарим Ви!", - "Your issue has been reported.": "Вашият проблем бе докладван.", - "Open in your browser": "Отворете във вашият браузър", - "No issues found...": "Не са открити проблеми...", - "First method": "Първи начин", - "Use the in-app reporter": "Използвайте вграденият начин за докладване", - "You can find it later on the About page": "Можете да го откриете по-късно в \"Относно\"", - "Second method": "Втори начин", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Използвайте %s филтъра с проблеми, за да потърсите и проверите дали вече този проблем е докладван или поправен.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Сложете скрийншот, ако е нужно. Вашият проблем относно дизайна ли е или бъг?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Един добър доклад не трябва да оставя другите да ви преследват за още информация. Уверете се, че сте описали всичко.", "Warning: Always use English when contacting us, or we might not understand you.": "Внимание: Моля винаги използвайте английски, когато се свързвате с нас, защото може и да не ви разберем.", - "Search for torrent": "Search for torrent", "No results found": "Няма открити резултати", - "Invalid credentials": "Невалидни данни", "Open Favorites": "Отвори Любими", "Open About": "Отвори Относно", "Minimize to Tray": "Минимизирай към трей.", "Close": "Затвори", "Restore": "Възстанови", - "Resume Playback": "Възстанови въпроизвеждане", "Features": "Функции", "Connect To %s": "Свържи се към %s", - "The magnet link was copied to the clipboard": "Магнетният линк бе копиран в клипборда", - "Big Picture Mode": "Режим за голям екран", - "Big Picture Mode is unavailable on your current screen resolution": "Режимът за голям екран не може да работи на сегашната резолюция на екрана ви.", "Cannot be stored": "Не може да бъде съхранено", - "%s reported this torrent as fake": "%s докладва този торент като фалшив", - "Randomize": "Разбъркай", - "Randomize Button for Movies": "Разбъркай бутона за филми", "Overall Ratio": "Общо съотношение", "Translate Synopsis": "Преведи резюме", "N/A": "N/A", "Your disk is almost full.": "Вашето дисково пространство е почти пълно.", "You need to make more space available on your disk by deleting files.": "Трябва да освободите повече място на диска като изтриете други файлове.", "Playing Next": "Следва", - "Trending": "Тенденции", - "Remember Filters": "Запомни филтри", - "Automatic Subtitle Uploading": "Автоматично качване на субтитри", "See-through Background": "Прозрачен фон", "Bold": "Удебелено", "Currently watching": "В момента гледате", "No, it's not that": "Не, не е това", "Correct": "Правилно", - "Indie": "Инди", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Локални", "Try another subtitle or drop one in the player": "Опитайте други субтитри или сложете нови в плейъра", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Грешка при конвертиране на субтитри", "No subtitles found": "Не са открити субтитри", "Try again later or drop a subtitle in the player": "Опитайте отново по-късно или сложете нови в плейъра", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Търси в %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Грешка в прочита на тайминг за субтитрите, файлът изглежда развален", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Изтегляне...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Резултати от търсенето", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Оригинално", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Неизвестно", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Да", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Контраст", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Провери за обновления", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/bn.json b/src/app/language/bn.json index d839fb6428..1f7f4d4a5c 100644 --- a/src/app/language/bn.json +++ b/src/app/language/bn.json @@ -44,7 +44,6 @@ "Load More": "আরও লোড করুন", "Saved": "সংরক্ষিত", "Settings": "সেটিংস", - "Show advanced settings": "উন্নত সেটিংস দেখান", "User Interface": "ব্যবহারকারী ইন্টারফেস", "Default Language": "ডিফল্ট ভাষা", "Theme": "থিম", @@ -61,10 +60,7 @@ "Disabled": "নিষ্ক্রিয়", "Size": "আকার", "Quality": "গুণমান", - "Only list movies in": "শুধু এই তালিকার চলচ্চিত্রে", - "Show movie quality on list": "তালিকায় চলচ্চিত্রের গুণমান দেখান", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "%s এ আপনার দেখা পর্ব স্বয়ংক্রিয়ভাবে স্ক্রিবল করতে %s এ সংযোগ করুন", "Username": "ব্যবহারকারী নাম", "Password": "পাসওয়ার্ড", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API ব্যবহারকারী নাম", "HTTP API Password": "HTTP API পাসওয়ার্ড", "Connection": "সংযোগ", - "TV Show API Endpoint": "টিভি অনুষ্ঠান API ঠিকানা", "Connection Limit": "সংযোগ সীমা", "DHT Limit": "DHT সীমা", "Port to stream on": "এতে পোর্ট স্ট্রিম", "0 = Random": "0 = অজানা একটি", "Cache Directory": "ক্যাশে নির্দেশিকা", - "Clear Tmp Folder after closing app?": "অ্যাপ বন্ধ করার পর Tmp ফোল্ডার মুছবেন?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "ডাটাবেস", "Database Directory": "ডাটাবেস নির্দেশিকা", "Import Database": "ডাটাবেস আমদানি", "Export Database": "ডাটাবেস রপ্তানি", "Flush bookmarks database": "বুকমার্ক ডাটাবেস পরিষ্কার করুন", - "Flush subtitles cache": "সাবটাইটেল ক্যাশে পরিষ্কার করুন", "Flush all databases": "সব ডাটাবেজ পরিষ্কার করুন", "Reset to Default Settings": "ডিফল্ট সেটিংসে পুনঃস্থাপন করুন", "Importing Database...": "ডাটাবেস আমদানি হচ্ছে...", @@ -131,8 +125,8 @@ "Ended": "সমাপ্ত", "Error loading data, try again later...": "ডাটা লোডে ত্রুটি, পরে আবার চেষ্টা করুন...", "Miscellaneous": "বিবিধ", - "First Unwatched Episode": "প্রথম অ-দেখা পর্ব", - "Next Episode In Series": "ধারাবাহিকের পরবর্তী পর্ব", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "পরিষ্কার হচ্ছে...", "Are you sure?": "আপনি কি নিশ্চিত?", "We are flushing your databases": "আমরা আপনার ডাটাবেজ পরিষ্কার করছি", @@ -142,7 +136,7 @@ "Terms of Service": "পরিষেবার শর্তাবলী", "I Accept": "আমি গ্রহণ করলাম", "Leave": "ত্যাগ", - "When Opening TV Series Detail Jump To": "টিভি অনুষ্ঠানের বিস্তারিত দেখানোর সময় ঝাঁপ দাও:", + "Series detail opens to": "Series detail opens to", "Playback": "প্লেব্যাক", "Play next episode automatically": "স্বয়ংক্রিয়ভাবে পরবর্তী পর্ব চালান", "Generate Pairing QR code": "পিয়ারিং QR কোড উৎপন্ন করুন", @@ -152,23 +146,17 @@ "Seconds": "সেকেন্ড", "You are currently connected to %s": "আপনি বর্তমানে %s এর সাথে সংযুক্ত আছেন", "Disconnect account": "অ্যাকাউন্ট সংযোগ বিচ্ছিন্ন করুন", - "Sync With Trakt": "Trakt-এর সাথে সিঙ্ক", "Syncing...": "সিঙ্ক হচ্ছে...", "Done": "করা হয়েছে", "Subtitles Offset": "সাবটাইটেল অফসেট", "secs": "সেকেন্ড", "We are flushing your database": "আমরা আপনার ডাটাবেজ পরিষ্কার করছি", "Ratio": "অনুপাত", - "Advanced Settings": "উন্নত সেটিংস", - "Tmp Folder": "Tmp ফোল্ডার", - "URL of this stream was copied to the clipboard": "এই স্ট্রীমের URL টি ক্লিপবোর্ডে অনুলিপি করা হয়েছে", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "ত্রুটি, ডাটাবেস সম্ভবত ক্ষতিগ্রস্ত হয়েছে। সেটিংস থেকে বুকমার্ক পরিষ্কার করার চেষ্টা করুন।", "Flushing bookmarks...": "বুকমার্ক পরিষ্কার হচ্ছে...", "Resetting...": "পুনঃস্থাপন...", "We are resetting the settings": "আমরা সেটিংস পুনঃস্থাপন করছি", "Installed": "ইনস্টল হয়েছে", - "We are flushing your subtitle cache": "আমরা আপনার সাবটাইটেল ক্যাশে পরিষ্কার করছি", - "Subtitle cache deleted": "সাবটাইটেল ক্যাশে অপসারিত", "Please select a file to play": "দয়া করে চালানোর জন্য একটি ফাইল নির্বাচন করুন", "Global shortcuts": "বৈশ্বিক শর্টকাট", "Video Player": "ভিডিও প্লেয়ার", @@ -185,7 +173,6 @@ "Exit Fullscreen": "পূর্ন স্ক্রীন প্রস্থান", "Seek Backward": "পিছনে খুঁজুন", "Decrease Volume": "ভলিউম কমান", - "Show Stream URL": "স্ট্রীম URL দেখান", "TV Show Detail": "টিভি অনুষ্ঠানের বিস্তারিত", "Toggle Watched": "দেখাগুলি টগল করুন", "Select Next Episode": "পরবর্তী পর্ব নির্বাচন করুন", @@ -309,10 +296,7 @@ "Super Power": "সুপার পাওয়ার", "Supernatural": "অতিপ্রাকৃত", "Vampire": "ভ্যাম্পায়ার", - "Automatically Sync on Start": "শুরুতে স্বয়ংক্রিয়ভাবে সিঙ্ক করুন", "VPN": "VPN", - "Activate automatic updating": "স্বয়ংক্রিয় হালনাগাদকরণ সক্রিয় করুন", - "Please wait...": "দয়া করে অপেক্ষা করুন...", "Connect": "সংযোগ", "Create Account": "অ্যাকাউন্ট তৈরি করুন", "Celebrate various events": "বিভিন্ন ইভেন্ট উদযাপন করুন", @@ -320,10 +304,8 @@ "Downloaded": "ডাউনলোড হয়েছে", "Loading stuck ? Click here !": "লোড হওয়া আটকে আছে? এখানে ক্লিক করুন!", "Torrent Collection": "টরেন্ট সংগ্রহ", - "Drop Magnet or .torrent": "চুম্বক বা .torrent ড্রপ করুন", "Remove this torrent": "এই টরেন্ট সরান", "Rename this torrent": "এই টরেন্ট পুনঃনামকরণ করুন", - "Flush entire collection": "সম্পূর্ণ সংগ্রহ খালি করুন", "Open Collection Directory": "সংগ্রহ নির্দেশিকা খুলুন", "Store this torrent": "এই টরেন্ট সঞ্চয় করুন", "Enter new name": "নতুন নাম লিখুন", @@ -352,101 +334,214 @@ "No thank you": "না আপনাকে ধন্যবাদ", "Report an issue": "একটি সমস্যার অভিযোগ করুন", "Email": "ইমেইল", - "Log in": "লগ ইন", - "Report anonymously": "বেনামে অভিযোগ করুন", - "Note regarding anonymous reports:": "বেনামী অভিযোগ সংক্রান্ত উল্লেখ্য:", - "You will not be able to edit or delete your report once sent.": "একবার পাঠানো হলে আপনি অভিযোগ সম্পাদনা বা মুছে ফেলতে সক্ষম হবেন না।", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "যদি কোন অতিরিক্ত তথ্যের প্রয়োজন বোধ করা হয়, আপনি তাদের প্রদান করতে সক্ষম না হলে , অভিযোগ বন্ধ করে দেয়া হতে পারে।", - "Step 1: Please look if the issue was already reported": "ধাপ ১: সমস্যাটি ইতিমধ্যেই জানানো হয়েছিল কিনা তা দয়া করে দেখুন", - "Enter keywords": "মূলশব্দ লিখুন", - "Already reported": "ইতিমধ্যে অভিযোগকৃত", - "I want to report a new issue": "আমি একটি নতুন সমস্যার অভিযোগ করতে চাই", - "Step 2: Report a new issue": "ধাপ ২: নতুন সমস্যার অভিযোগ করুন", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "দ্রষ্টব্য: দয়া করে এই ফরম ব্যবহার করে আমাদের সাথে যোগাযোগ করবেন না। এটা শুধুমাত্র ত্রুটি অভিযোগেই সীমাবদ্ধ।", - "The title of the issue": "সমস্যার শিরোনাম", - "Description": "বর্ণনা", - "200 characters minimum": "কমপক্ষে ২০০ অক্ষর", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "সমস্যার একটি সংক্ষিপ্ত বিবরণ দিন। উপযুক্ত হলে, ত্রুটি পুনর্গঠন করার প্রয়োজনীয় পদক্ষেপ অন্তর্ভুক্ত করুন।", "Submit": "জমা দিন", - "Step 3: Thank you !": "ধাপ ৩: আপনাকে ধন্যবাদ!", - "Your issue has been reported.": "আপনার সমস্যা অভিযোগ করা হয়েছে।", - "Open in your browser": "আপনার ব্রাউজারে খুলুন", - "No issues found...": "কোন সমস্যা পাওয়া যায়নি...", - "First method": "প্রথম পদ্ধতি", - "Use the in-app reporter": "অ্যাপ অভিযোগকারী ব্যবহার করুন", - "You can find it later on the About page": "আপনি পরে এটি সম্পর্কে পাতায় খুঁজে পেতে পারেন", - "Second method": "দ্বিতীয় পদ্ধতি", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "অনুসন্ধান করতে এবং সমস্যা ইতিমধ্যে অভিযোগ করা হয়েছে কিনা বা ইতিমধ্যে সংশোধন করা হয়েছে কিনা তা পরীক্ষা করতে সমস্যা পরিশোধক %s ব্যবহার করুন।", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "একটি স্ক্রিনশট অন্তর্ভুক্ত করুন যদি প্রাসঙ্গিক হয় - আপনার সমস্যা কি একটি নকশার বৈশিষ্ট্য নাকি একটি ত্রুটি সম্পর্কে?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "একটি ভালো ত্রুটি অভিযোগ অন্যদের আরও তথ্যের জন্য আপনার পিছনে তাড়া করতে দেয়া না। আপনার পরিবেশের বিবরণ অন্তর্ভুক্ত করতে ভুলবেন না।", "Warning: Always use English when contacting us, or we might not understand you.": "সতর্কবার্তা: আমাদের সাথে যোগাযোগ করলে সর্বদা ইংরেজি ব্যবহার করুন, না হলে আমরা আপনার কথা নাও বুঝতে পারি।", - "Search for torrent": "Search for torrent", "No results found": "কোন ফলাফল পাওয়া যায়নি", - "Invalid credentials": "অকার্যকর পরিচয়পত্র", "Open Favorites": "পছন্দসমূহ খুলুন", "Open About": "সম্পর্কে খুলুন", "Minimize to Tray": "ট্রেতে নিন", "Close": "বন্ধ", "Restore": "পুনঃস্থাপন", - "Resume Playback": "প্লেব্যাক পুনঃসূচনা করুন", "Features": "বৈশিষ্ট্যসমূহ", "Connect To %s": "%s-এ সংযুক্ত করুন", - "The magnet link was copied to the clipboard": "চুম্বক লিংকটি ক্লিপবোর্ডে অনুলিপি করা হয়েছে", - "Big Picture Mode": "বড় ছবির মোড", - "Big Picture Mode is unavailable on your current screen resolution": "বড় ছবির মোড আপনার বর্তমান পর্দার রেজল্যুশনে অনুপলব্ধ", "Cannot be stored": "সংরক্ষণ করা যাবে না", - "%s reported this torrent as fake": "%s এই টরেন্টটি ভুয়া হিসাবে অভিযোগ করেছেন", - "Randomize": "অজানা ভাবে", - "Randomize Button for Movies": "চলচ্চিত্রের জন্য অজানা ভাবে একটি বোতাম", "Overall Ratio": "সার্বিক অনুপাত", "Translate Synopsis": "সারাংশ অনুবাদ", "N/A": "প্র/না", "Your disk is almost full.": "আপনার ডিস্কটি প্রায় পরিপূর্ণ।", "You need to make more space available on your disk by deleting files.": "আপনাকে আপনার ডিস্কের কিছু ফাইল মুছে ফেলার মাধ্যমে জায়গা বাড়াতে হবে।", "Playing Next": "পরবর্তী চালানো হচ্ছে", - "Trending": "প্রবণতা", - "Remember Filters": "ফিল্টারগুলোকে মনে রাখুন", - "Automatic Subtitle Uploading": "স্বয়ংক্রিয় সাবটাইটেল আপলোড", "See-through Background": "পটভূমির মধ্য দিয়ে দেখুন", "Bold": "গাঢ়", "Currently watching": "এখন দেখছেন", "No, it's not that": "না, এটি সেটি নয়", "Correct": "সঠিক", - "Indie": "স্বাধীন", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "স্থানীয়", "Try another subtitle or drop one in the player": "প্লেয়ারে আরেকটি সাবটাইটেল চেষ্টা করুন বা একটি ছাড়ুন", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "সাবটাইটেল রূপান্তরের সময় ত্রুটি", "No subtitles found": "কোন সাবটাইটেল পাওয়া যায়নি", "Try again later or drop a subtitle in the player": "প্লেয়ারে একটি সাবটাইটেল ছাড়ুন না পরে আবার চেষ্টা করুন", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "%s -এ অনুসন্ধান করুন", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "সাবটাইটেলের সময় পড়ার সময় ত্রুটি, মনে হচ্ছে ফাইল ক্ষতিগ্রস্ত হয়েছে", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "ডাউনলোড হচ্ছে", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "অনুসন্ধানের ফলাফল", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "আসল", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "অজানা", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "হ্যাঁ", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "উজ্জ্বলতা", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "হালনাগাদের জন্য পরীক্ষা করুন", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/br.json b/src/app/language/br.json index 9297e0e011..19cedfa4a7 100644 --- a/src/app/language/br.json +++ b/src/app/language/br.json @@ -44,7 +44,6 @@ "Load More": "Kargañ muioc'h", "Saved": "Enrollet", "Settings": "Arventennoù", - "Show advanced settings": "Diskouez an arventennoù araokaet", "User Interface": "Etrefas an implijer", "Default Language": "Yezh Dre-Ziouer", "Theme": "Tem", @@ -61,10 +60,7 @@ "Disabled": "Diweredekaet", "Size": "Ment", "Quality": "Kalite", - "Only list movies in": "Listennañ ar filmoù hepken e-barzh", - "Show movie quality on list": "Diskouez kalite ar filmoù en ul listenn", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "En em enskrivañ da %s evit skrobliñ ar rannoù a sellit outo e-barzh %s", "Username": "Anv-implijer", "Password": "Ger-Tremen", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Anv-implijer", "HTTP API Password": "HTTP API Ger-kuzh", "Connection": "Kevreadur", - "TV Show API Endpoint": "Poent Fin an API Skinwel", "Connection Limit": "Bevenn ar C'hevreadur", "DHT Limit": "Bevenn DHT", "Port to stream on": "Porzh da skignañ", "0 = Random": "0 = Dre zegouezh", "Cache Directory": "Krubuilh ar C'havlec'h", - "Clear Tmp Folder after closing app?": "Goullonderiñ Doser Tmp goude ma vefe lazhet an arload?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Diaz-Roadennoù", "Database Directory": "Kavlec'h an Diaz-Roadennoù", "Import Database": "Emporzhiañ an Diaz-Roadennoù", "Export Database": "Ezporzhiañ an Diaz-Roadennoù", "Flush bookmarks database": "Goullonderiñ sinedoù an diaz-Roadennoù", - "Flush subtitles cache": "Goullonderiñ Istitloù ar c'hrubuilh", "Flush all databases": "Goullonderiñ an diazoù-roadennoù a-bezh", "Reset to Default Settings": "Adderaouekaat d'an Arventennoù Dre-ziouer", "Importing Database...": "Oc'h emporzhiañ an Diaz-Roadennoù...", @@ -131,8 +125,8 @@ "Ended": "Echuet", "Error loading data, try again later...": "Fazi pa oa o kargañ ar roadennoù, klaskit diwezhatoc'h...", "Miscellaneous": "A bep seurt", - "First Unwatched Episode": "Rann gentañ ha n'eo ket bet gwelet", - "Next Episode In Series": "Rannoù Da-Heul En Heuliadennoù", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "O c'houllonderiñ...", "Are you sure?": "Ha sur oc'h?", "We are flushing your databases": "Emaomp o c'houllonderiñ ho tiazoù-roadennoù", @@ -142,7 +136,7 @@ "Terms of Service": "Termenoù Implij", "I Accept": "Sevel a ran A-Du", "Leave": "Mont kuit", - "When Opening TV Series Detail Jump To": "Pa Zigor Munudoù un Heuliadenn Skinwel Mont Da", + "Series detail opens to": "Series detail opens to", "Playback": "Lenn", "Play next episode automatically": "Lenn ar Rann da C'houde en un doare emgefreek", "Generate Pairing QR code": "Krouiñ ar C'hod Reañ QR", @@ -152,23 +146,17 @@ "Seconds": "Eilennoù", "You are currently connected to %s": "Kevreet emaoc'h bremañ ouzh %s", "Disconnect account": "Digevreañ ar gont", - "Sync With Trakt": "Goubredañ gant Trakt", "Syncing...": "O c'houbredañ...", "Done": "Graet", "Subtitles Offset": "Offset an Istitloù", "secs": "eiloù", "We are flushing your database": "O c'houllonderiñ emaomp ho tiaz-roadennoù", "Ratio": "Dane", - "Advanced Settings": "Arventennoù araokaet", - "Tmp Folder": "Doser TMP", - "URL of this stream was copied to the clipboard": "URL ar skignadenn-mañ a zo bet eilet er golver", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fazi, gwalleget e c'hall bezañ an diaz-roadennoù. Klaskit goullonderiñ ar sinedoù en arventennoù.", "Flushing bookmarks...": "O c'houllonderiñ ar sinedoù...", "Resetting...": "Oc'h adderaouekaat...", "We are resetting the settings": "Emaomp oc'h adderaouekaat an arventennoù", "Installed": "Staliet", - "We are flushing your subtitle cache": "O c'houllonderiñ emaomp ho krubuilh istitloù", - "Subtitle cache deleted": "Lammet eo bet kuit krubuilh an istitloù", "Please select a file to play": "Diuzit ur restr da lenn mar-plij", "Global shortcuts": "Berradennoù Hollek", "Video Player": "Lenner Video", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Lazhañ ar Skamm-bras", "Seek Backward": "Mont war-gil", "Decrease Volume": "Izelaat ar Son", - "Show Stream URL": "Gwelet URL ar Skignadenn", "TV Show Detail": "Munudoù an Abadenn Skinwel", "Toggle Watched": "Gwelet ar Pouezerezh", "Select Next Episode": "Diuziñ ar Rann da C'houde", @@ -309,10 +296,7 @@ "Super Power": "Dreist Galloud", "Supernatural": "Dreistnaturel", "Vampire": "Sunerien-Gwad", - "Automatically Sync on Start": "Goubredañ emgefre war al Loc'hañ", "VPN": "VPN", - "Activate automatic updating": "Gweredekaat an hizivadurioù emgefreek", - "Please wait...": "Gortozit mar-plij...", "Connect": "Kevreañ", "Create Account": "Krouiñ ur gont", "Celebrate various events": "Lidit darvoudoù-lies", @@ -320,10 +304,8 @@ "Downloaded": "Pellgarget", "Loading stuck ? Click here !": "Kargadenn sac'het? Klikit amañ!", "Torrent Collection": "Dastumad Torrent", - "Drop Magnet or .torrent": "Taolit Maen-Touch pe .torrent", "Remove this torrent": "Dilemel an torrent-mañ", "Rename this torrent": " Adenvel an torrent-mañ ", - "Flush entire collection": "Goullonderiñ an dastumad a-bezh", "Open Collection Directory": "Digeriñ Kavlec'h an Dastumad", "Store this torrent": "Enrollañ an torrent-mañ", "Enter new name": "Ebarzhiñ un anv nevez", @@ -352,101 +334,214 @@ "No thank you": "N'am bo ket trugarez", "Report an issue": "Danevellañ ez eus bet ur gudenn", "Email": "Postel", - "Log in": "Kevreañ", - "Report anonymously": "Danevellañ en doare dianav", - "Note regarding anonymous reports:": "Evezhiadenn diwar-benn an danevelloù dianav:", - "You will not be able to edit or delete your report once sent.": "Ne voc'h ket aotreet na da gemm na ziverkañ ho tanevell ur wezh ma vo bet kaset.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ma vez rekiset titouroù ouzhpenn, gellout a ra bezañ serret an danevell, rak ne c'hallit ket reiñ anezho.", - "Step 1: Please look if the issue was already reported": "Pazenn 1: Sellit da welet m'eo bet danevellet dija ar gudenn", - "Enter keywords": "Ebarzhit gerioù-alc'hwez", - "Already reported": "Danevellet dija", - "I want to report a new issue": "C'hoant em eus da zanevellañ ur gudenn all", - "Step 2: Report a new issue": "Pazenn 2: Danevellañ ur gudenn nevez", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Notenn: n'implijit ket ar furm-mañ evit mont e darempred ganeomp. Gouestlet eo hepken evit danevellañ ez eus beugoù nemetken.", - "The title of the issue": "Titl ar gudenn", - "Description": "Diskrivadur", - "200 characters minimum": "200 arouezenn da vihanañ", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Un diskrivadenn verr eus ar gudenn. Ma vez tu ebarzhañ ar pazennoù ret evit kaout ar beug.", "Submit": "Kas", - "Step 3: Thank you !": "Pazenn 3: Trugarez vras deoc'h!", - "Your issue has been reported.": "Danevellet eo bet ho kudenn.", - "Open in your browser": "Digeriñ en ho merdeer", - "No issues found...": "Kudenn ebet kavet...", - "First method": "Hentenn gentañ", - "Use the in-app reporter": "Implijit ar daneveller en arload", - "You can find it later on the About page": "Gellout a rit e gavout diwezhatoc'h war ar bajenn Diwar-benn", - "Second method": "Eil hentenn", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Grit gant ar sil %s evit klask ha gwiriañ m'eo bet danevellet dija ar gudenn pe eo bet reizhet dija.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Ebarzhit un dapadenn-skramm m'eo talvoudus - Daoust hag-eñ ez eo ho kudenn diwar-benn un arc'hweladur empentiñ pe ur veugenn?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un danevell beug a zere na rankje ket lezel tud o deus ezhomm gouzout hiroc'h klask war ho lerc'h evit kaout muioc'h a ditouroù. Bezit-sur da ebarzhañ munudoù hoc'h endro.", "Warning: Always use English when contacting us, or we might not understand you.": "Diwallit: Grit gant ar saozneg pa 'z it e darempred ganeomp, a-hend all ne vimp ket gouest da gompren ac'hanoc'h.", - "Search for torrent": "Search for torrent", "No results found": "Disoc'h ebet kavet", - "Invalid credentials": "Titouroù anaouadur anwiriek", "Open Favorites": "Digeriñ ar re Vuiañ-Karet", "Open About": "Digeriñ Diwar-benn", "Minimize to Tray": "Bihanaat d'al Leurenn", "Close": "Serriñ", "Restore": "Adsevel", - "Resume Playback": "Adkregiñ da Lenn", "Features": "Arc'hweladurioù", "Connect To %s": "O kevreañ Ouzh %s", - "The magnet link was copied to the clipboard": "Al liamm maen-touch a zo bet eilet er golver", - "Big Picture Mode": "Mod Skeudennoù Bras", - "Big Picture Mode is unavailable on your current screen resolution": "N'eo ket hegerzus ar mod skeudennoù bras evit ar spister-skramm red", "Cannot be stored": "N'hall ket bezañ enrollet", - "%s reported this torrent as fake": "%s en deus danevellet e oa an torrent-mañ unan gaou", - "Randomize": "Dre zegouezh", - "Randomize Button for Movies": "Bouton Dre zegouezh evit ar Filmoù", "Overall Ratio": "Feur Hollek", "Translate Synopsis": "Treiñ ar Sinopsis", "N/A": "N/A", "Your disk is almost full.": "Tost leun emañ ho pladenn.", "You need to make more space available on your disk by deleting files.": "Rankout a rit ober muioc'h a blas hegerzus war ho pladenn en ur ziverkañ restroù 'zo.", "Playing Next": "Lenn Da-heul", - "Trending": "Gizioù", - "Remember Filters": "Derc'hel-soñj eus ar siloù", - "Automatic Subtitle Uploading": "Uskargadenn Emgefreek eus an Istitloù", "See-through Background": "Drek-skramm Treuzwelus", "Bold": "Moal", "Currently watching": "O lenn", "No, it's not that": "Ket, n'eo ket an dra-mañ", "Correct": "Reizh", - "Indie": "Indez", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Lec'hel", "Try another subtitle or drop one in the player": "Klaskit gant un istilt all pa taolit unan el lenner", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Fazi en ur emdreiñ an istitloù", "No subtitles found": "N'eus bet kavet istitl ebet", "Try again later or drop a subtitle in the player": "Klaskit en-dro diwezhatoc'h pe taolit un istitl el lenner", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Klask war %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Fazi en ur lenn amzer an istitloù, ar restr a seblant bezañ goubrenet", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "O Pellgargañ", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Disoc'h an Enklask", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Orin", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Dianav", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ya", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Sklaerded", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Gwiriañ evit hizivadurioù", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ca.json b/src/app/language/ca.json index 099bee74f4..265e9daa45 100644 --- a/src/app/language/ca.json +++ b/src/app/language/ca.json @@ -44,7 +44,6 @@ "Load More": "Carrega'n més", "Saved": "S'ha desat", "Settings": "Configuració", - "Show advanced settings": "Mostra la configuració avançada", "User Interface": "Interfície d'usuari", "Default Language": "Llengua per defecte", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Desactivats", "Size": "Mida", "Quality": "Qualitat", - "Only list movies in": "Només llista pel·lícules en", - "Show movie quality on list": "Mostra la qualitat de la pel·lícula al llistat", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connecteu amb %s per informar-hi automàticament dels capítols que mireu a %s", "Username": "Nom d'usuari", "Password": "Contrasenya", "%s stores an encrypted hash of your password in your local database": "%s emmagatzema una funció resum xifrada de la contrasenya en la base de dades local", @@ -73,19 +69,17 @@ "HTTP API Username": "Nom d'usuari de l'API HTTP", "HTTP API Password": "Contrasenya de l'API HTTP", "Connection": "Connexió", - "TV Show API Endpoint": "Punt final de l'API de sèries", "Connection Limit": "Límit de connexions", "DHT Limit": "Límit DHT", "Port to stream on": "Port per transmetre-hi", "0 = Random": "0 = Aleatori", "Cache Directory": "Directori de la memòria cau", - "Clear Tmp Folder after closing app?": "Voleu esborrar el directori «Tmp» en tancar l'aplicació?", + "Clear Cache Folder after closing the app?": "Esborra la carpeta de la memòria cau en tancar l'aplicació", "Database": "Base de dades", "Database Directory": "Directori de la base de dades", "Import Database": "Importa la base de dades", "Export Database": "Exporta la base de dades", "Flush bookmarks database": "Esborra els favorits", - "Flush subtitles cache": "Esborra la cau dels subtítols", "Flush all databases": "Esborra totes les bases de dades", "Reset to Default Settings": "Restaura les opcions per defecte", "Importing Database...": "S'està important la base de dades...", @@ -131,8 +125,8 @@ "Ended": "Finalitzada", "Error loading data, try again later...": "Error en carregar les dades, proveu-ho més tard...", "Miscellaneous": "Diversos", - "First Unwatched Episode": "Primer capítol sense veure", - "Next Episode In Series": "Següent capítol de la sèrie", + "First unwatched episode": "El primer capítol sense reproduir", + "Next episode": "Capítol següent", "Flushing...": "S'està esborrant...", "Are you sure?": "N'esteu segur?", "We are flushing your databases": "S'estan esborrant les bases de dades", @@ -142,7 +136,7 @@ "Terms of Service": "Condicions del servei", "I Accept": "Accepto", "Leave": "Surt", - "When Opening TV Series Detail Jump To": "En obrir la pàgina d'una sèrie, vés a", + "Series detail opens to": "El detall de les sèries obre", "Playback": "Reproducció", "Play next episode automatically": "Reprodueix el següent capítol automàticament", "Generate Pairing QR code": "Genera un codi QR d'emparellat", @@ -152,23 +146,17 @@ "Seconds": "Segons", "You are currently connected to %s": "Estàs connectat a %s", "Disconnect account": "Desconnecta el compte", - "Sync With Trakt": "Sincronitza amb Trakt", "Syncing...": "S'està sincronitzant...", "Done": "Fet", "Subtitles Offset": "Desfasament dels subtítols", "secs": "segons", "We are flushing your database": "S'està esborrant la base de dades", "Ratio": "Proporció", - "Advanced Settings": "Configuració avançada", - "Tmp Folder": "Directori Tmp", - "URL of this stream was copied to the clipboard": "S'ha copiat l'URL d'aquesta transmissió al porta-retalls", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, la base de dades sembla estar corrompuda. Proveu d'esborrar els favorits a la configuració.", "Flushing bookmarks...": "S'estan esborrant els favorits...", "Resetting...": "S'està restablint...", "We are resetting the settings": "S'està restablint la configuració", "Installed": "Instal·lada", - "We are flushing your subtitle cache": "S'està esborrant la memòria cau dels subtítols", - "Subtitle cache deleted": "S'ha esborrat la memòria cau dels subtítols", "Please select a file to play": "Seleccioneu un fitxer a reproduir", "Global shortcuts": "Dreceres globals", "Video Player": "Reproductor de vídeo", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Surt de la pantalla completa", "Seek Backward": "Salta enrere", "Decrease Volume": "Baixa el volum un", - "Show Stream URL": "Mostra l'URL de transmissió", "TV Show Detail": "Pàgina de la sèrie", "Toggle Watched": "Marca com vista", "Select Next Episode": "Selecciona el capítol següent", @@ -205,15 +192,15 @@ "Help Section": "Secció d'ajuda", "Did you know?": "Sabíeu què?", "What does %s offer?": "Què ofereix %s?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Amb %s es poden veure pel·lícules i sèries amb facilitat. Només heu de fer clic a una de les portades i després a «Reprodueix ara». Però l'experiència és altament personalitzable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "La nostra col·lecció de pel·lícules només conté pel·lícules d'alta definició, disponibles en 720p i 1080p. Per a veure'n una, només heu d'obrir %s i navegar per la col·lecció de pel·lícules, accessible a través de la pestanya «Pel·lícules» de la barra de navegació. La vista per defecte us mostrarà totes les pel·lícules ordenades per popularitat, però hi podeu aplicar els vostres propis filtres, gràcies a «Gènere» i «Ordena per». Quan tingueu quina pel·lícula veure, feu clic a la portada. Després feu clic a «Reprodueix ara». No us oblideu de les crispetes!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "La pestanya de Sèries, què es pot accedir clicant a «Sèries de TV» a la barra de navegació, mostra totes les sèries disponibles a la nostra col·lecció. També podeu aplicar els vostres propis filtres, igual que a les Pel·lícules, per ajudar-vos a decidir què voleu veure. En aquesta col·lecció, tan sols cliqueu la portada: la nova finestra que hi apareixerà us permetrà navegar a través de les temporades i capítols. Quan hageu triat, simplement feu clic al botó «Reprodueix ara».", "Choose quality": "Seleccioneu-ne la qualitat", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Un control al costat del botó «Veure ara» us permetrà triar la qualitat del vídeo. També podeu establir una qualitat fixa a la pestanya Configuració. Advertència: una millor qualitat és igual a més dades per baixar.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "La majoria de les nostres pel·lícules i sèries de TV tenen subtítols en el seu idioma. Els podeu configurar a la pestanya Configuració. Per a les pel·lícules, fins i tot es pot configurar mitjançant el menú desplegable a la pàgina de detalls de la pel·lícula.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "En fer clic a la icona del cor en una portada, s'afegirà la pel·lícula als favorits. Aquesta col·lecció és accessible a través de la icona en forma de cor, a la barra de navegació. Per eliminar un element de la col·lecció, simplement feu clic a la icona de nou! Què fàcil és això, no?", "Watched icon": "Icona d'«Element vist»", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s té en compte el que ja heu vist, una mica d'ajuda per a recordar-vos-ho no causa cap dany. També podeu definir un element com a vist fent clic a la icona amb forma d'ull a les portades. Podeu fins i tot crear i sincronitzar la col·lecció amb el lloc web Trakt.tv, a través de la pestanya Configuració.", "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", "External Players": "Reproductors externs", "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", @@ -224,14 +211,14 @@ "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", "Torrent health": "Salut del Torrent", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "Als detalls de Pel·lícules / Sèries de TV, podeu trobar un petit cercle, de color gris, vermell, groc o verd. Aquests colors es refereixen a la salut del torrent. Un torrent verd es baixarà ràpidament, mentre un torrent vermell no es podrà baixar, o molt lentament. El color gris representa un error en el càlcul de la salut a Pel·lícules, i que s'ha de fer clic a Sèries de TV per mostrar-ne la salut.", - "How does %s work?": "How does %s work?", + "How does %s work?": "Com funciona %s?", "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Transmissió de torrents? Bé, els torrents utilitzen el protocol Bittorrent, que bàsicament vol dir que baixeu petites parts del contingut de l'ordinador d'un altre usuari, mentre s'envien parts que ja s'han baixat a un altre usuari. Llavors, es reprodueixen eixes parts, mentre que les pròximes s'estan baixant en segon pla. Aquest intercanvi permet que el contingut es mantingui saludable.", "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", "I found a bug, how do I report it?": "He trobat un error, com poc informar-hi?", - "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", - "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "You can paste magnet links anywhere in %s with CTRL+V.": "Podeu enganxar enllaços magnètics en qualsevol lloc en %samb CTRL+V", + "You can drag & drop a .torrent file into %s.": "Podeu arrossegar i soltar un fitxer .torrent a %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Si falta el subtítol d'una serie, es por afegir a %s. I el mateix per a les pel·lícules però a %s", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Podeu iniciar sessió a Trakt.tv per desar tots els elements vists i sincronitzar-los amb diversos dispositius.", "Clicking on the rating stars will display a number instead.": "En clicar les estrelles de valoració es mostrarà el número corresponent.", @@ -309,10 +296,7 @@ "Super Power": "Superpoders", "Supernatural": "Sobrenatural", "Vampire": "Vampirs", - "Automatically Sync on Start": "Sincronitza automàticament a l'inici", "VPN": "VPN", - "Activate automatic updating": "Activa l'actualització automàtica", - "Please wait...": "Espereu...", "Connect": "Connecta", "Create Account": "Creeu un compte", "Celebrate various events": "Aplica temes especials per a esdeveniments i festivitats", @@ -320,10 +304,8 @@ "Downloaded": "Baixat", "Loading stuck ? Click here !": "S'ha parat la pujada? Feu clic ací!", "Torrent Collection": "Col·lecció de torrents", - "Drop Magnet or .torrent": "Arrossegueu i deixeu anar un enllaç magnètic o .torrent", "Remove this torrent": "Elimina aquest torrent", "Rename this torrent": "Reanomena aquest torrent", - "Flush entire collection": "Esborra la col·lecció sencera", "Open Collection Directory": "Obre el Directori de la Col·lecció", "Store this torrent": "Emmagatzema aquest torrent", "Enter new name": "Introduïu un nom nou", @@ -352,101 +334,214 @@ "No thank you": "No, gràcies", "Report an issue": "Informeu d'un error", "Email": "Correu electrònic", - "Log in": "Entra", - "Report anonymously": "Informa anònimament", - "Note regarding anonymous reports:": "Nota sobre els informes anònims:", - "You will not be able to edit or delete your report once sent.": "No podràs editar o esborrar l'informe un cop enviat.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Si es requereix informació adicional, l'informe es podria tancar ja que no podràs proveir-la.", - "Step 1: Please look if the issue was already reported": "Pas 1: Mireu si ja s'havia informat de l'error prèviament", - "Enter keywords": "Introduïu les paraules clau", - "Already reported": "Ja se n'ha informat", - "I want to report a new issue": "Vull informar sobre un nou error", - "Step 2: Report a new issue": "Pas 2: Informeu sobre un nou error", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: No useu aquest formulari per a contactar-nos. Està destinat exclusivament per l'informe d'errors.", - "The title of the issue": "El títol de l'error", - "Description": "Descripció", - "200 characters minimum": "200 caràcters mínim", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Una curta descripció de l'error. Si escau, incloeu els passos necessaris per a reproduir l'error.", "Submit": "Envia", - "Step 3: Thank you !": "Pas 3: Gràcies!", - "Your issue has been reported.": "S'ha informat del vostre error.", - "Open in your browser": "Obre al navegador", - "No issues found...": "No s'ha trobat cap error...", - "First method": "Primer mètode", - "Use the in-app reporter": "Utilitzeu l'informador de l'aplicació", - "You can find it later on the About page": "El podeu trobar més tard a la pàgina «Quant a»", - "Second method": "Segon mètode", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Useu el filtre de problemes de %s per cercar i comprovar si el problema s'ha comunicat o si ja es troba solucionat.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Incloeu una captura de pantalla si és rellevant: És un problema de disseny o un error?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un bon informe d'error hauria d'evitar que els altres us anaren al darrere per obtindre'n més informació. Assegureu-vos d'incloure els detalls del sistema i les condicions.", "Warning: Always use English when contacting us, or we might not understand you.": "Atenció: Contacteu-nos sempre emprant l'anglès, o no us comprendrem.", - "Search for torrent": "Cerca torrent", "No results found": "No s'han trobat resultats", - "Invalid credentials": "Credencials invàlides", "Open Favorites": "Obre els Favorits", "Open About": "Obre «Quant a»", "Minimize to Tray": "Minimitza a la safata", "Close": "Tanca", "Restore": "Restaura", - "Resume Playback": "Continua la reproducció", "Features": "Característiques", "Connect To %s": "Connecta amb %s", - "The magnet link was copied to the clipboard": "S'ha copiat l'enllaç magnètic al porta-retalls", - "Big Picture Mode": "Mode Panorama", - "Big Picture Mode is unavailable on your current screen resolution": "El mode Panorama no està disponible per a la resolució de pantalla actual", "Cannot be stored": "No es pot guardar", - "%s reported this torrent as fake": "%s ha reportat com fals aquest torrent", - "Randomize": "Aleatori", - "Randomize Button for Movies": "Botó «Aleatori» a Pel·lícules", "Overall Ratio": "Ràtio global", "Translate Synopsis": "Tradueix la sinopsi", "N/A": "N/D", "Your disk is almost full.": "El disc és pràcticament ple.", "You need to make more space available on your disk by deleting files.": "Cal alliberar més espai disponible al disc eliminant fitxers.", "Playing Next": "Capítol següent", - "Trending": "Tendència", - "Remember Filters": "Recorda els filtres", - "Automatic Subtitle Uploading": "Càrrega de subtítols automàtica", "See-through Background": "Visualització a través del fons", "Bold": "Negreta", "Currently watching": "S'està reproduint", "No, it's not that": "No, no és aquest", "Correct": "Correcte", - "Indie": "Indie", "Init Database": "Init Database", - "Status: %s ...": "Status: %s ...", + "Status: %s ...": "Estat: %s ...", "Create Temp Folder": "Crea carpeta temporal", "Set System Theme": "Set System Theme", - "Disclaimer": "Disclaimer", - "Series": "Series", - "Finished": "Acabat", + "Disclaimer": "Exempció de responsabilitat", + "Series": "Sèries", "Event": "Event", - "action": "acció", - "war": "bèl·lic", "Local": "Local", "Try another subtitle or drop one in the player": "Prova uns altres subtítols o arrossega'n uns al reproductor", - "animation": "animació", - "family": "familiar", "show": "programa", "movie": "pel·lícula", "Something went wrong downloading the update": "Alguna cosa ha fallat en descarregar l'actualització", - "Activate Update seeding": "Activa l'actualització de la sembra", - "Disable Anime Tab": "Desactiva la pestanya d'anime", - "Disable Indie Tab": "Desactiva la pestanya d'indie", "Error converting subtitle": "Error al convertir els subtítols", "No subtitles found": "No s'han trobat subtítols", "Try again later or drop a subtitle in the player": "Prova de nou més tard o deixa anar uns subtítols al reproductor", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Cerca a %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Idioma de l'àudio", "Subtitle": "Subtítol", "Code:": "Codi:", "Error reading subtitle timings, file seems corrupted": "Error en llegir els temps dels subtítols, el fitxer sembla corrupte", - "Connection Not Secured": "Connexió no segura", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel·la i utilitza el VPN", - "Continue seeding torrents after restart app?": "Continua sembrant torrents després de reiniciar l'aplicació?", - "Enable VPN": "Activar VPN" + "Resume seeding after restarting the app?": "Reprén les llavors en reiniciar l'aplicació", + "Seedbox": "Seedbox", + "Cache Folder": "Carpeta de memòria cau", + "Show cast": "Show cast", + "Filename": "Nom del fitxer", + "Stream Url": "Stream Url", + "Show playback controls": "Mostra els controls de reproducció", + "Downloading": "S'està baixant", + "Hide playback controls": "Amaga els controls de reproducció", + "Poster Size": "Mida dels cartells", + "UI Scaling": "Escalat de la interfície", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Botó de la carpeta de memòria cau", + "Enable remote control": "Activa el control remot", + "Server": "Servidor", + "API Server(s)": "Servidor(s) API", + "Proxy Server": "Servidor intermediari", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Actualitza", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Torrents desats", + "Search Results": "Resultats de la cerca", + "Paste a Magnet link": "Enganxeu un enllaç magnètic", + "Import a Torrent file": "Importeu un fitxer torrent", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Elements reproduïts", + "Bookmarked items": "Marcadors", + "Download list is empty...": "La llista de baixades està buida...", + "Active Torrents Limit": "Límit de torrents actius", + "Toggle Subtitles": "Activa els subtítols", + "Toggle Crop to Fit screen": "Retalla per a ajustar a la pantalla", + "Original": "Original", + "Fit screen": "Ajusta a la pantalla", + "Video already fits screen": "El vídeo ja està ajustat a la pantalla", + "The filename was copied to the clipboard": "S'ha copiat el nom del fitxer", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Pestanyes", + "Native window frame": "Marc de la finestra natiu", + "Open Cache Folder": "Obre la carpeta de la memòria cau", + "Restart Popcorn Time": "Reinicia el Popcorn Time", + "Developer Tools": "Eines de desenvolupament", + "Movies API Server": "Servidor API de les pel·lícules", + "Series API Server": "Servidor API de les sèries", + "Anime API Server": "Servidor API de l'anime", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Actualment Popcorn Time és compatible amb", + "There is also support for Chromecast, AirPlay & DLNA devices.": "També és compatible amb Chromecast, AirPlay i dispositius DLNA.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Filtres per defecte", + "Set Filters": "Estableix filtres", + "Reset Filters": "Restableix els filtres", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "S'estan establint els filtres...", + "Default": "Per defecte", + "Custom": "Personalitzat", + "Remember": "Recorda", + "Cache": "Memòria cau", + "Unknown": "Desconegut", + "Change Subtitles Position": "Canvia la posició dels subtítols", + "Minimize": "Minimitza", + "Separate directory for Downloads": "Separa el directori per a les baixades", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Directori de les baixades", + "Open Downloads Directory": "Obre el directori de les baixades", + "Delete related cache ?": "Voleu eliminar la memòria cau relacionada?", + "Yes": "Sí", + "No": "No", + "Cache files deleted": "Memòria cau esborrada", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Sempre", + "Ask me every time": "Pregunta-m'ho cada vegada", + "Enable Protocol Encryption": "Activa l'encriptació del protocol", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Baixada afegida", + "Change API Server": "Canvia el servidor API", + "Default Content Language": "Llengua del contingut per defecte", + "Title translation": "Traducció del títol", + "Translated - Original": "Traducció - Original", + "Original - Translated": "Original - Traducció", + "Translated only": "Només la traducció", + "Original only": "Només l'original", + "Translate Posters": "Tradueix els pòsters", + "Translate Episode Titles": "Tradueix els títols dels capítols", + "Only show content available in this language": "Mostra només contingut en aquesta llengua", + "Translations depend on availability. Some options also might not be supported by all API servers": "Les traduccions depenen de la disponibilitat. És possible que algunes opcions tampoc siguin compatibles amb tots els servidors API", + "added": "afegit", + "Max. Down / Up Speed": "Velocitat màx. de pujada/baixada", + "Show Release Info": "Mostra informació de l'estrena", + "Parental Guide": "Guia parental", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Envia metadades i traduccions", + "Not available": "No disponible", + "Cast not available": "Cast not available", + "was removed from bookmarks": "s'ha eliminat dels marcadors", + "Bookmark restored": "Marcador recuperat", + "Undo": "Desfés", + "minute(s) remaining before preloading next episode": "minut(s) fins a la precàrrega del capítol següent", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Lluminositat", + "Hue": "Hue", + "Saturation": "Saturació", + "Decrease Zoom by": "Redueix el zoom un", + "Increase Zoom by": "Augmenta el zoom un", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Redueix la saturació en", + "Increase Saturation by": "Augmenta la saturació un", + "Automatically update the API Server URLs": "Actualitza automàticament els URL del servidor API", + "Enable automatically updating the API Server URLs": "Activa automàticament l'actualització dels URL del servidor API", + "Automatically update the app when a new version is available": "Actualitza automàticament l'aplicació si hi ha una nova versió disponible", + "Enable automatically updating the app when a new version is available": "Activa l'actualització automàtica de l'aplicació quan hi hagi una nova versió disponible", + "Check for updates": "Comprova si hi ha actualitzacions", + "Updating the API Server URLs": "S'estan actualitzant els URL del servidor API", + "API Server URLs updated": "URL del servidor API actualitzats", + "API Server URLs already updated": "Els URL del servidor API ja estan actualitzats", + "API Server URLs could not be updated": "No s'han pogut actualitzar els URL del servidor API", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "S'ha copiat l'URL del servidor API", + "0 = Disable preloading": "0 = Desactiva la precàrrega", + "Search field always expanded": "Barra de cerca sempre desplegada", + "DHT UDP Requests Limit": "Límit de peticions DHT UDP", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connecta a %s per a obtenir automàticament els subtítols per a pel·lícules i capítols que mireu a %s", + "Create an account": "Crea un compte", + "Search for something or drop a .torrent / magnet link...": "Cerqueu alguna cosa o solteu un enllaç .torrent/magnètic", + "Torrent removed": "S'ha eliminat el Torrent", + "Remove": "Elimina", + "Connect to %s": "Connecta amb %s", + "to automatically 'scrobble' episodes you watch in %s": "per a fer «scrobble» automàticament dels capítols que mireu en %s", + "Sync now": "Sincronitza", + "Same as Default Language": "Igual que la llengua per defecte", + "Language": "Llengua", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "enllaç de la informació de l'estrena", + "parental guide link": "enllaç de la guia parental", + "IMDb page link": "Enllaç de la pàgina d'IMDb", + "submit metadata & translations link": "enllaç d'enviar metadades i traduccions", + "episode title": "títol del capítol", + "full cast & crew link": "enllaç del repartiment i l'equip", + "Click providers to enable / disable": "Feu clic els proveïdors per a activar/desactivar", + "Right-click to filter results by": "Clic dret per a filtrar els resultats per", + "to filter by All": "per a filtrar per Tot", + "more...": "més...", + "Seeds": "Llavors", + "Peers": "Clients", + "less...": "menys..." } \ No newline at end of file diff --git a/src/app/language/cs.json b/src/app/language/cs.json index c700112b01..65b4dffeb2 100644 --- a/src/app/language/cs.json +++ b/src/app/language/cs.json @@ -44,7 +44,6 @@ "Load More": "Načíst další", "Saved": "Uloženo", "Settings": "Nastavení", - "Show advanced settings": "Zobrazit rozšířená nastavení", "User Interface": "Uživatelské rozhraní", "Default Language": "Výchozí jazyk", "Theme": "Téma", @@ -61,10 +60,7 @@ "Disabled": "Vypnuty", "Size": "Velikost", "Quality": "Kvalita", - "Only list movies in": "Zobrazit pouze tato videa:", - "Show movie quality on list": "Zobrazit kvalitu filmu v katalogu", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Uživatelské jméno", "Password": "Heslo", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Uživatelské jméno", "HTTP API Password": "HTTP API Heslo", "Connection": "Připojení", - "TV Show API Endpoint": "Koncový bod API TV pořadů", "Connection Limit": "Limit připojení", "DHT Limit": "Limit DHT", "Port to stream on": "Port pro streamování", "0 = Random": "0 = Náhodný", "Cache Directory": "Složka Cache", - "Clear Tmp Folder after closing app?": "Po vypnutí aplikace vymazat složku temp?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Databáze", "Database Directory": "Složka databáze", "Import Database": "Importovat databázi", "Export Database": "Exportovat databázi", "Flush bookmarks database": "Smazat databázi záložek", - "Flush subtitles cache": "Smazat titulky v cache", "Flush all databases": "Smazat všechny databáze", "Reset to Default Settings": "Resetovat do výchozího nastavení", "Importing Database...": "Importování databáze...", @@ -131,8 +125,8 @@ "Ended": "Ukončeno", "Error loading data, try again later...": "Chyba načítání dat, zkuste to později...", "Miscellaneous": "Různé", - "First Unwatched Episode": "První nezhlédnutý díl", - "Next Episode In Series": "Další díl v řadě", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Mazání...", "Are you sure?": "Jste si jisti?", "We are flushing your databases": "Mazání vašich databází", @@ -142,7 +136,7 @@ "Terms of Service": "Podmínky služby", "I Accept": "Přijímám", "Leave": "Odejít", - "When Opening TV Series Detail Jump To": "Při otevření detailu TV seriálu přejít na", + "Series detail opens to": "Series detail opens to", "Playback": "Přehrávání", "Play next episode automatically": "Přehrát další díl automaticky", "Generate Pairing QR code": "Vygenerovat párovací QR kód", @@ -152,23 +146,17 @@ "Seconds": "Sekund", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Odpojit účet", - "Sync With Trakt": "Synchronizovat s Trakt", "Syncing...": "Synchronizování...", "Done": "Hotovo", "Subtitles Offset": "Posunutí titulků", "secs": "sekund", "We are flushing your database": "Mazání vaší databáze", "Ratio": "Poměr", - "Advanced Settings": "Pokročilá nastavení", - "Tmp Folder": "Tmp složka", - "URL of this stream was copied to the clipboard": "URL tohoto streamu byla zkopírována do schránky", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Chyba, databáze je pravděpodobně poškozena. Zkuste smazat záložky v nastavení.", "Flushing bookmarks...": "Mazání záložek", "Resetting...": "Resetování...", "We are resetting the settings": "Přenastavujeme nastavení", "Installed": "Instalováno", - "We are flushing your subtitle cache": "Mazání titulků v cache", - "Subtitle cache deleted": "Titulky v cache smazány", "Please select a file to play": "Vyberte soubor k přehrání", "Global shortcuts": "Hlavní zkratky", "Video Player": "Video přehrávač", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Ukončit režim zobrazení na celou obrazovku", "Seek Backward": "Posunout dozadu o", "Decrease Volume": "Snížit hlasitost o", - "Show Stream URL": "Ukázat URL streamu", "TV Show Detail": "Detail seriálu", "Toggle Watched": "Označit jako zhlédnuté", "Select Next Episode": "Vybrat další díl", @@ -309,10 +296,7 @@ "Super Power": "Superschopnosti", "Supernatural": "Nadpřirozené", "Vampire": "Upírské", - "Automatically Sync on Start": "Automaticky synchronizovat při startu", "VPN": "VPN", - "Activate automatic updating": "Povolit automatické aktualizace", - "Please wait...": "Prosím čekejte...", "Connect": "Připojit", "Create Account": "Vytvořit účet", "Celebrate various events": "Slavit rozličné události", @@ -320,10 +304,8 @@ "Downloaded": "Staženo", "Loading stuck ? Click here !": "Zaseklé načítaní ? Klikněte zde !", "Torrent Collection": "Kolekce torrentů", - "Drop Magnet or .torrent": "Přetáhněte Magnet nebo .torrent", "Remove this torrent": "Odebrat tento tortent", "Rename this torrent": "Přejmenovat tento torrent", - "Flush entire collection": "Smazat celý katalog", "Open Collection Directory": "Otevřít adresář kolekce", "Store this torrent": "Uložit tento torrent", "Enter new name": "Vložte nové jméno", @@ -352,101 +334,214 @@ "No thank you": "Ne, děkuji", "Report an issue": "Nahlásit chybu", "Email": "E-mail", - "Log in": "Přihlásit se", - "Report anonymously": "Nahlásit anonymně", - "Note regarding anonymous reports:": "Poznámka týkající se anonymních nahlášení:", - "You will not be able to edit or delete your report once sent.": "Jakmile bude zpráva odeslána, nebudete ji schopni upravit nebo odstranit.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "If any additionnal information is required, the report might be closed, as you won't be able to provide them.", - "Step 1: Please look if the issue was already reported": "Krok 1: Podívejte se, zda již chyba nebyla nahlášena", - "Enter keywords": "Zadejte klíčová slova", - "Already reported": "Již nahlášeno", - "I want to report a new issue": "Chci nahlásit novou chybu", - "Step 2: Report a new issue": "Krok 2: Nahlašte novou chybu", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Poznámka: Prosím, nepoužívejte tento formulář pro kontaktování našeho týmu. Je určen čistě pro nahlašování chyb.", - "The title of the issue": "Název chyby", - "Description": "Popis", - "200 characters minimum": "Minimálně 200 znaků", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Krátký popis chyby. Pokud je to možné, zahrňte i kroky potřebné k reprodukci chyby", "Submit": "Odeslat", - "Step 3: Thank you !": "Krok 3: Děkujeme!", - "Your issue has been reported.": "Váš problém byl nahlášen.", - "Open in your browser": "Otevřít v prohlížeči", - "No issues found...": "Nebyly nalezeny žádné chyby...", - "First method": "První způsob", - "Use the in-app reporter": "Použít nahlášení v aplikaci", - "You can find it later on the About page": "You can find it later on the About page", - "Second method": "Druhý způsob", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", "Warning: Always use English when contacting us, or we might not understand you.": "Varování: Když nás kontaktujete, vždy používejte angličtinu, jinak bychom vám nemuseli rozumět.", - "Search for torrent": "Search for torrent", "No results found": "Nenalezeny žádné výsledky", - "Invalid credentials": "Invalid credentials", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimize to Tray", "Close": "Zavřít", "Restore": "Restore", - "Resume Playback": "Obnovení přehrávání", "Features": "Funkce", "Connect To %s": "Připojit k %s", - "The magnet link was copied to the clipboard": "Magnet link byl zkopírován do schránky", - "Big Picture Mode": "Režim velkých obrázků ", - "Big Picture Mode is unavailable on your current screen resolution": "Režim velkých obrázků je nedostupný při aktuálním rozlišení obrazovky ", "Cannot be stored": "Nelze uložit ", - "%s reported this torrent as fake": "%s nahlásil tento torrent jako falešný ", - "Randomize": "Náhodně ", - "Randomize Button for Movies": "Náhodně rozdělit tlačítka pro filmy ", "Overall Ratio": "Celkové ratio", "Translate Synopsis": "Přeložit anotace", "N/A": "Nedostupné", "Your disk is almost full.": "Váš disk je téměř plný", "You need to make more space available on your disk by deleting files.": "K uvolnění místa na disku musíte odstranit soubory.", "Playing Next": "Další v pořadí", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatické nahrávání titulků", "See-through Background": "See-through Background", "Bold": "Tučné", "Currently watching": "Currently watching", "No, it's not that": "Ne, to není ono", "Correct": "Správně", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Místní", "Try another subtitle or drop one in the player": "Zkuste jiné titulky nebo je přesuňte do přehrávače", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Chyba v konvertování titulků", "No subtitles found": "Titulky nenalezeny", "Try again later or drop a subtitle in the player": "Zkuste to později nebo přesuňte do přehrávače", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Search on %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Chyba ve čtení časování titulek, soubor se zdá být poškozený", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Stahování", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Originální", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Jas", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Vyhledávat aktualizace", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/da.json b/src/app/language/da.json index a91dcd4c98..dea4881673 100644 --- a/src/app/language/da.json +++ b/src/app/language/da.json @@ -44,7 +44,6 @@ "Load More": "Indlæs flere", "Saved": "Gemt", "Settings": "Indstillinger", - "Show advanced settings": "Vis avancerede indstillinger", "User Interface": "Brugergrænseflade", "Default Language": "Standardsprog", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Deaktiveret", "Size": "Størrelse", "Quality": "Kvalitet", - "Only list movies in": "Vis kun film i", - "Show movie quality on list": "Vis filmkvalitet på listen", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Forbind til %s for automatisk at 'scrobble' episoder du ser i %s", "Username": "Brugernavn", "Password": "Adgangskode", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API brugernavn", "HTTP API Password": "HTTP API adgangskode", "Connection": "Forbindelse", - "TV Show API Endpoint": "Endepunkt for TV-serie API", "Connection Limit": "Max. antal forbindelser", "DHT Limit": "DHT grænse", "Port to stream on": "Port som streames fra", "0 = Random": "0 = Tilfældig", "Cache Directory": "Cache mappe", - "Clear Tmp Folder after closing app?": "Ryd den midlertidige mappe når programmet lukkes?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Database", "Database Directory": "Database mappe", "Import Database": "Importér database", "Export Database": "Eksportér database", "Flush bookmarks database": "Tøm favorit databasen", - "Flush subtitles cache": "Tøm undertekst cache", "Flush all databases": "Tøm alle databaser", "Reset to Default Settings": "Nulstil til standardindstillinger", "Importing Database...": "Importerer database...", @@ -131,8 +125,8 @@ "Ended": "Afsluttet", "Error loading data, try again later...": "Fejl ved indlæsning af data, prøv igen senere...", "Miscellaneous": "Diverse", - "First Unwatched Episode": "Første ikke-sete episode", - "Next Episode In Series": "Næste episode i serie", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Tømmer...", "Are you sure?": "Er du sikker?", "We are flushing your databases": "Vi tømmer dine databaser", @@ -142,7 +136,7 @@ "Terms of Service": "Vilkår for tjeneste", "I Accept": "Jeg accepterer", "Leave": "Forlad", - "When Opening TV Series Detail Jump To": "Når du åbner TV-serie detaljer, gå til", + "Series detail opens to": "Series detail opens to", "Playback": "Afspilning", "Play next episode automatically": "Afspil næste episode automatisk", "Generate Pairing QR code": "Opret QR-kode til parring", @@ -152,23 +146,17 @@ "Seconds": "Sekunder", "You are currently connected to %s": "Du er i øjeblikket forbundet til %s", "Disconnect account": "Afbryd konto", - "Sync With Trakt": "Synkronisér med Trakt", "Syncing...": "Synkroniserer...", "Done": "Færdig", "Subtitles Offset": "Undertekst forskydning", "secs": "sek.", "We are flushing your database": "Vi tømmer din database", "Ratio": "Forhold", - "Advanced Settings": "Avancerede indstillinger", - "Tmp Folder": "Midlertidig mappe", - "URL of this stream was copied to the clipboard": "Genvejen til dette stream er kopieret til udklipsholderen", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fejl, databasen er sandsynligvis beskadiget. Prøv at tømme favoritterne under indstillinger.", "Flushing bookmarks...": "Tømmer favoritter...", "Resetting...": "Nulstiller...", "We are resetting the settings": "Nulstiller indstillinger", "Installed": "Installeret", - "We are flushing your subtitle cache": "Sletter undertekst cache", - "Subtitle cache deleted": "Undertekst cache slettet", "Please select a file to play": "Vælg venligst en fil som skal afspilles", "Global shortcuts": "Globale genveje", "Video Player": "Videoafspiller", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Afslut fuld skærm", "Seek Backward": "Spol tilbage", "Decrease Volume": "Skru ned for lydstyrken", - "Show Stream URL": "Vis stream URL", "TV Show Detail": "TV-serie detaljer", "Toggle Watched": "Markér som set/ikke-set", "Select Next Episode": "Vælg næste episode", @@ -309,10 +296,7 @@ "Super Power": "Superkraft", "Supernatural": "Overnaturlig", "Vampire": "Vampyr", - "Automatically Sync on Start": "Synkroniser automatisk ved opstart", "VPN": "VPN", - "Activate automatic updating": "Aktivér automatisk opdatering", - "Please wait...": "Vent venligst...", "Connect": "Forbind", "Create Account": "Opret bruger", "Celebrate various events": "Fejr forskellige arrangementer", @@ -320,10 +304,8 @@ "Downloaded": "Downloadet", "Loading stuck ? Click here !": "Sidder fast? Tryk her!", "Torrent Collection": "Torrentsamling", - "Drop Magnet or .torrent": "Slip magnet eller .torrent her", "Remove this torrent": "Fjern denne torrent", "Rename this torrent": "Omdøb torrent", - "Flush entire collection": "Tøm hele samlingen", "Open Collection Directory": "Åbn samlingsmappe", "Store this torrent": "Del denne torrent", "Enter new name": "Indtast nyt navn", @@ -352,101 +334,214 @@ "No thank you": "Nej tak", "Report an issue": "Rapportér et problem", "Email": "E-mail", - "Log in": "Log ind", - "Report anonymously": "Rapportér anonymt", - "Note regarding anonymous reports:": "Bemærkning om anonyme rapporter:", - "You will not be able to edit or delete your report once sent.": "Du vil ikke være i stand til at redigere eller slette din rapport når den er blevet sendt.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Hvis rapporten kræver yderligere oplysninger, kan det være at den bliver lukket, da du ikke vil være i stand til at give oplysningerne.", - "Step 1: Please look if the issue was already reported": "Trin 1: Se venligst om problemet allerede er blevet rapporteret", - "Enter keywords": "Indtast nøgleord", - "Already reported": "Allerede rapporteret", - "I want to report a new issue": "Jeg vil gerne rapportere et nyt problem", - "Step 2: Report a new issue": "Trin 2: Rapportér et nyt problem", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Bemærk: brug venligst ikke denne formular til at kontakte os. Den er kun til at rapportere fejl med.", - "The title of the issue": "Titlen på problemet", - "Description": "Beskrivelse", - "200 characters minimum": "Mindst 200 tegn", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "En kort beskrivelse af problemet. Skriv eventuelt de trin som skal udføres for at genskabe fejlen.", "Submit": "Send", - "Step 3: Thank you !": "Trin 3: Tak !", - "Your issue has been reported.": "Dit problem er blevet rapporteret.", - "Open in your browser": "Åbn i din browser", - "No issues found...": "Der blev ikke fundet nogen problemer...", - "First method": "Første metode", - "Use the in-app reporter": "Brug den indbyggede funktion til at rapportere", - "You can find it later on the About page": "Du kan finde det på et senere tidspunkt på Om-siden", - "Second method": "Anden metode", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Brug %s filter til at søge efter problemer og for at se om problemet allerede er blevet rapporteret eller allerede er blevet rettet.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Medsend et skærmbillede hvis det er relevant - Omhandler dit problem en design funktion eller en fejl?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Ved en god fejlrapport bør det ikke være nødvendigt at lede efter dig for at få flere oplysninger. Sørg for at inkludere detaljer om dit system.", "Warning: Always use English when contacting us, or we might not understand you.": "Advarsel: Skriv altid på engelsk når du kontakter os, da vi ellers muligvis ikke vil kunne forstå dig.", - "Search for torrent": "Search for torrent", "No results found": "Ingen resultater fundet", - "Invalid credentials": "Ugyldige loginoplysninger", "Open Favorites": "Åbn favoritter", "Open About": "Åbn 'Om'", "Minimize to Tray": "Minimér til proceslinje", "Close": "Luk", "Restore": "Gendan", - "Resume Playback": "Fortsæt afspilning", "Features": "Funktioner", "Connect To %s": "Opret forbindelse til %s", - "The magnet link was copied to the clipboard": "Magnet-linket blev kopieret til udklipsholderen", - "Big Picture Mode": "'Big Picture' Tilstand", - "Big Picture Mode is unavailable on your current screen resolution": "'Big Picture' Tilstand er ikke tilgængelig med din nuværende skærmopløsning", "Cannot be stored": "Kan ikke gemmes", - "%s reported this torrent as fake": "%s rapporterede denne torrent som værende uægte", - "Randomize": "Bland", - "Randomize Button for Movies": "Blande-knap til Film", "Overall Ratio": "Samlet forhold", "Translate Synopsis": "Oversæt synopsis", "N/A": "Utilgængelig", "Your disk is almost full.": "Din harddisk er næsten fuld.", "You need to make more space available on your disk by deleting files.": "Du bliver nødt til at skaffe mere plads på din harddisk ved at slette filer.", "Playing Next": "Afspiller næste", - "Trending": "Trending", - "Remember Filters": "Husk Filtre", - "Automatic Subtitle Uploading": "Automatisk Undertekst Upload", "See-through Background": "Gennemsigtig Baggrund", "Bold": "Fed", "Currently watching": "Ser på nuværende tidspunkt", "No, it's not that": "Nej, det er ikke den", "Correct": "Korrekt", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Lokal", "Try another subtitle or drop one in the player": "Prøv en anden undertekst, eller træk en ind i afspilleren", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Fejl under konvertering af undertekst", "No subtitles found": "Ingen undertekster fundet", "Try again later or drop a subtitle in the player": "Prøv igen senere eller træk en undertekst ind i afspilleren", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Søg på %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Fejl under læsning af undertekst tidskoder, filen virker til at være beskadiget", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Downloader", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Søgeresultater", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Oprindelig ", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Ukendt", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ja", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Lysstyrke", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Tjek for opdateringer", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/de.json b/src/app/language/de.json index a508b730bc..0dae281bb6 100644 --- a/src/app/language/de.json +++ b/src/app/language/de.json @@ -44,7 +44,6 @@ "Load More": "Mehr laden", "Saved": "Gespeichert", "Settings": "Einstellungen", - "Show advanced settings": "Erweiterte Einstellungen anzeigen", "User Interface": "Benutzeroberfläche", "Default Language": "Standardsprache", "Theme": "Theme", @@ -61,10 +60,7 @@ "Disabled": "Deaktiviert", "Size": "Größe", "Quality": "Qualität", - "Only list movies in": "Nur Filme auflisten in", - "Show movie quality on list": "Filmqualität in der Liste anzeigen", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Zu %s verbinden um automatisch Folgen zu 'scrobbeln' die Sie sich ansehen in %s", "Username": "Benutzername", "Password": "Passwort", "%s stores an encrypted hash of your password in your local database": "%s speichert einen verschlüsselten Hash Ihres Passworts in Ihrer lokalen Datenbank", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Benutzername", "HTTP API Password": "HTTP API Passwort", "Connection": "Verbindung", - "TV Show API Endpoint": "Programmierschnittstellen-Endpunkt der TV-Sendungen", "Connection Limit": "Verbindungs Limite", "DHT Limit": "DHT Limite", "Port to stream on": "Port zum Streamen", "0 = Random": "0 = Zufällig", "Cache Directory": "Cache-Verzeichnis", - "Clear Tmp Folder after closing app?": "Temp-Ordner nach dem beenden der App löschen?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Datenbank", "Database Directory": "Datenbank-Verzeichnis", "Import Database": "Datenbank importieren", "Export Database": "Datenbank exportieren", "Flush bookmarks database": "Lesezeichen-Datenbank leeren", - "Flush subtitles cache": "Untertitel-Cache leeren", "Flush all databases": "Alle Datenbanken leeren", "Reset to Default Settings": "Zurücksetzen auf Standardeinstellungen", "Importing Database...": "Importiere Datenbank ...", @@ -131,8 +125,8 @@ "Ended": "Beendet", "Error loading data, try again later...": "Fehler beim Laden der Daten, versuche es später erneut...", "Miscellaneous": "Verschiedenes", - "First Unwatched Episode": "Erste ungesehene Folge", - "Next Episode In Series": "Nächste Folge der Serie", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Leerung...", "Are you sure?": "Sind Sie sicher?", "We are flushing your databases": "Datenbanken werden geleert", @@ -142,7 +136,7 @@ "Terms of Service": "AGB", "I Accept": "Ich akzeptiere", "Leave": "Verlassen", - "When Opening TV Series Detail Jump To": "Beim Öffnen von Fernsehserien-Details springe zu", + "Series detail opens to": "Series detail opens to", "Playback": "Wiedergabe", "Play next episode automatically": "Spiele nächste Folge automatisch", "Generate Pairing QR code": "QR-Code generieren", @@ -152,23 +146,17 @@ "Seconds": "Sekunden", "You are currently connected to %s": "Sie sind momentan verbunden mit %s", "Disconnect account": "Konto abmelden", - "Sync With Trakt": "Synchronisierung mit Trakt", "Syncing...": "Synchronisiere ...", "Done": "Erledigt", "Subtitles Offset": "Untertitel-Zeitversatz", "secs": "Sekunden", "We are flushing your database": "Datenbank wird geleert", "Ratio": "Verhältnis", - "Advanced Settings": "Erweiterte Einstellungen", - "Tmp Folder": "Temp-Ordner", - "URL of this stream was copied to the clipboard": "Der Link dieses Streams wurde in die Zwischenablage kopiert", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fehler, vermutlich ist die Datenbank beschädigt. Versuchen Sie die Lesezeichen in den Einstellungen zu leeren.", "Flushing bookmarks...": "Lesezeichen werden geleert ...", "Resetting...": "Wird zurückgestellt...", "We are resetting the settings": "Die Einstellungen werden zurückgesetzt", "Installed": "Installiert", - "We are flushing your subtitle cache": "Untertitel-Zwischenspeicher wird geleert", - "Subtitle cache deleted": "Untertitel-Zwischenspeicher wurde geleert", "Please select a file to play": "Bitte eine Datei zur Wiedergabe wählen", "Global shortcuts": "Globale Tastenkombinationen", "Video Player": "Videoabspieler", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Vollbild beenden", "Seek Backward": "Rückwärts spulen", "Decrease Volume": "Lautstärke verringern", - "Show Stream URL": "Stream-URL anzeigen", "TV Show Detail": "Informationen zur Fernsehsendung", "Toggle Watched": "Gesehen umschalten", "Select Next Episode": "Nächste Folge auswählen", @@ -309,10 +296,7 @@ "Super Power": "Supermacht", "Supernatural": "Übernatürlich", "Vampire": "Vampir", - "Automatically Sync on Start": "Beim Start automatisch synchronisieren", "VPN": "VPN", - "Activate automatic updating": "Automatische Aktualisierung aktivieren", - "Please wait...": "Bitte warten...", "Connect": "Verbinden", "Create Account": "Konto erstellen", "Celebrate various events": "Feiern Sie verschiedene Ereignisse", @@ -320,10 +304,8 @@ "Downloaded": "Heruntergeladen", "Loading stuck ? Click here !": "Ladevorgang steckt fest? Klicken Sie hier!", "Torrent Collection": "Torrent-Sammlung", - "Drop Magnet or .torrent": "Magnet oder .torrent absetzen", "Remove this torrent": "Torrent entfernen", "Rename this torrent": "Torrent umbenennen", - "Flush entire collection": "Gesamte Sammlung leeren", "Open Collection Directory": "Sammlungs-Verzeichnis öffnen", "Store this torrent": "Torrent speichern", "Enter new name": "Neuen Namen eingeben", @@ -352,101 +334,214 @@ "No thank you": "Nein, danke", "Report an issue": "Problem melden", "Email": "E-Mail-Adresse", - "Log in": "Anmelden", - "Report anonymously": "Anonym melden", - "Note regarding anonymous reports:": "Hinweis für anonyme Meldungen:", - "You will not be able to edit or delete your report once sent.": "Sie werden nicht in der Lage sein, den gesendeten Bericht noch einmal zu bearbeiten oder zu löschen.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Wenn zusätzliche Informationen benötigt werden, kann der Bericht geschlossen werden, da Sie es nicht mehr hinzufügen können.", - "Step 1: Please look if the issue was already reported": "Schritt 1: Bitte schauen Sie, ob das Problem bereits berichtet wurde", - "Enter keywords": "Schlüsselwörter eingeben", - "Already reported": "Bereits berichtet", - "I want to report a new issue": "Ich möchte ein neues Problem melden", - "Step 2: Report a new issue": "Schritt 2: ein neues Problem melden", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Hinweis: Bitte verwenden Sie dieses Formular nicht, um uns zu kontaktieren. Es beschränkt sich auf Bug-Reports.", - "The title of the issue": "Der Titel des Problems", - "Description": "Beschreibung", - "200 characters minimum": "mindestens 200 Zeichen", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Eine kurze Beschreibung des Problems. Wenn es möglich ist, beziehen Sie die Schritte die erforderlich sind um den Fehler zu reproduzieren mitein.", "Submit": "Absenden", - "Step 3: Thank you !": "Schritt 3: Danke!", - "Your issue has been reported.": "Ihr Problem wurde übermittelt.", - "Open in your browser": "Öffnen Sie in Ihrem Browser", - "No issues found...": "Keine Probleme gefunden...", - "First method": "Erste Methode", - "Use the in-app reporter": "Verwenden Sie die In-App-Reporter", - "You can find it later on the About page": "Sie finden es später auf der Seite Über", - "Second method": "Zweite Methode", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Brauchen Sie den %s Problemefilter und achten Sie darauf, ob das Problem allenfalls bereits gemeldet wurde oder bereits gelöst wurde.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Falls relevant, fügen Sie einen Screenshot bei. Ist ihr Anliegen wegen der Gestaltung eines Designs oder eines Bugs?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Ein guter Bugreport sollte alle Informationen beinhalten, damit keinen Informationen nachgegangen werden müssen. Achten Sie darauf, alles Notwendige beizufügen.", "Warning: Always use English when contacting us, or we might not understand you.": "Achtung: Verwenden Sie immer Englisch, wenn Sie uns kontaktieren, sonst kann es sein dass wir Sie nicht verstehen können.", - "Search for torrent": "Nach Torrents suchen", "No results found": "Keine Sucherergebnisse gefunden", - "Invalid credentials": "ungültige Anmeldedaten", "Open Favorites": "Favoriten öffnen", "Open About": "Über öffnen", "Minimize to Tray": "In das Benachrichtigungsfeld minimieren", "Close": "Schließen", "Restore": "Wiederherstellen", - "Resume Playback": "Wiedergabe fortsetzen", "Features": "Funktionen", "Connect To %s": "Mit %s verbinden", - "The magnet link was copied to the clipboard": "Der Magnet-Link wurde in die Zwischenablage kopiert", - "Big Picture Mode": "Großbildmodus", - "Big Picture Mode is unavailable on your current screen resolution": "Großbildmodus ist auf Grund der aktuellen Bildschirmauflösung nicht verfügbar", "Cannot be stored": "Kann nicht gespeichert werden", - "%s reported this torrent as fake": "%s haben diesen Torrent als Fälschung gemeldet", - "Randomize": "Zufällig anordnen", - "Randomize Button for Movies": "Schaltfläche zum zufälligen Anordnen für Filme", "Overall Ratio": "Gesamtverhältnis", "Translate Synopsis": "Handlungszusammenfassung übersetzen", "N/A": "N/V", "Your disk is almost full.": "Ihre Festplatte ist fast voll.", "You need to make more space available on your disk by deleting files.": "Löschen Sie Daten auf Ihrer Festplatte um mehr Speicherplatz zur Verfügung zu stellen.", "Playing Next": "Nächste wiedergeben", - "Trending": "Wiederkehrend", - "Remember Filters": "Filter merken", - "Automatic Subtitle Uploading": "Untertitel automatisch hochladen", "See-through Background": "Durchsichtiger Hintergrund", "Bold": "Fett", "Currently watching": "Aktuell ansehend", "No, it's not that": "Nein, das ist es nicht", "Correct": "Richtig", - "Indie": "Indie", "Init Database": "Datenbank initialisieren", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Temporäres Verzeichnis erstellen", "Set System Theme": "System-Design setzen", "Disclaimer": "Haftungsausschluss ", "Series": "Serien", - "Finished": "Fertig", "Event": "Ereignis", - "action": "Action-Filme", - "war": "Kampf-Filme", "Local": "Lokal", "Try another subtitle or drop one in the player": "Versuchen Sie einen anderen Untertitel oder legen Sie einen im Abspieler ab", - "animation": "Animations-Filme", - "family": "Familien-Filme", "show": "Serien", "movie": "Filme", "Something went wrong downloading the update": "Beim Herunterladen der Aktualisierung ist etwas schlief gelaufen", - "Activate Update seeding": "Aktiviere verteilen von Aktualisierungen", - "Disable Anime Tab": "Registerkarte Anime verstecken", - "Disable Indie Tab": "Registerkarte Indie verstecken", "Error converting subtitle": "Fehler beim Konvertieren des Untertitels", "No subtitles found": "Keine Untertitel gefunden", "Try again later or drop a subtitle in the player": "Versuchen Sie es später noch einmal oder legen Sie einen Untertitel im Abspieler ab", "You should save the content of the old directory, then delete it": "Sie sollten sich den Inhalt des vorherigen Ordners sichern und diesen danach löschen.", "Search on %s": "Suche auf %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Sind Sie sich sicher, dass Ihre gesamte Torrent-Sammlung gelöscht werden soll?", "Audio Language": "Ausgabesprache", "Subtitle": "Untertitel", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Fehler beim Lesen der Untertitelzeitabstimmung, Datei scheint beschädigt zu sein", - "Connection Not Secured": "Verbindung nicht sicher", "Open File to Import": "Datei zum Importieren wählen", - "Browse Directoy to save to": "Speicher-Verzeichnis wählen", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Abbrechen und VPN verwenden", - "Continue seeding torrents after restart app?": "Torrents nach dem Neustart weiterhin seeden?", - "Enable VPN": "VPN aktivieren" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Lade herunter", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Suchergebnisse", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unbekannt", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ja", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Helligkeit", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Nach Aktualisierungen suchen", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/el-GR.json b/src/app/language/el-GR.json index ab1148e33a..af231abf27 100644 --- a/src/app/language/el-GR.json +++ b/src/app/language/el-GR.json @@ -44,7 +44,6 @@ "Load More": "Περισσότερα", "Saved": "Αποθηκεύτηκε", "Settings": "Ρυθμίσεις", - "Show advanced settings": "Εμφάνιση ρυθμίσεων για προχωρημένους", "User Interface": "Περιβάλλον", "Default Language": "Προκαθορισμένη γλώσσα", "Theme": "Θέμα", @@ -61,10 +60,7 @@ "Disabled": "Απενεργοποιημένοι", "Size": "Μέγεθος", "Quality": "Ποιότητα", - "Only list movies in": "Εμφάνιση ταινιών μόνο σε", - "Show movie quality on list": "Εμφάνιση ποιότητας ταινιών στη λίστα", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Συνδεθείτε στο %s για να κάνετε αυτόματα «scrobble» επεισόδια που βλέπετε στο %s", "Username": "Όνομα χρήστη", "Password": "Κωδικός πρόσβασης", "%s stores an encrypted hash of your password in your local database": "Το %s αποθηκεύει ένα κρυπτογραφημένο αρχείο κατακερματισμού του κωδικού σας στην τοπική βάση δεδομένων σας.", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Όνομα χρήστη", "HTTP API Password": "HTTP API Κωδικός πρόσβασης", "Connection": "Σύνδεση", - "TV Show API Endpoint": "API Endpoint για σειρές", "Connection Limit": "Όριο σύνδεσης", "DHT Limit": "Όριο DHT", "Port to stream on": "Θύρα για ροή", "0 = Random": "0 = Τυχαία", "Cache Directory": "Φάκελος κρυφής μνήμης", - "Clear Tmp Folder after closing app?": "Καθαρισμός του φακέλου προσωρινής αποθήκευσης μετά το κλείσιμο της εφαρμογής;", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Βάση δεδομένων", "Database Directory": "Φάκελος βάσης δεδομένων", "Import Database": "Εισαγωγή βάσης δεδομένων", "Export Database": "Εξαγωγή βάσης δεδομένων", "Flush bookmarks database": "Εκκαθάριση βάσης δεδομένων αγαπημένων", - "Flush subtitles cache": "Εκκαθάριση κρυφής μνήμης υποτίτλων", "Flush all databases": "Εκκαθάριση όλων των βάσεων δεδομένων", "Reset to Default Settings": "Επαναφορά στις προεπιλεγμένες ρυθμίσεις", "Importing Database...": "Γίνεται εισαγωγή βάσης δεδομένων...", @@ -131,8 +125,8 @@ "Ended": "Τελείωσε", "Error loading data, try again later...": "Σφάλμα κατά την φόρτωση δεδομένων, δοκιμάστε αργότερα...", "Miscellaneous": "Διάφορα", - "First Unwatched Episode": "Πρώτο επεισόδιο που δεν έχει προβληθεί", - "Next Episode In Series": "Επόμενο επεισόδιο της σειράς", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Εκκαθάριση...", "Are you sure?": "Είστε σίγουροι;", "We are flushing your databases": "Γίνεται εκκαθάριση των βάσεων δεδομένων", @@ -142,7 +136,7 @@ "Terms of Service": "Όροι Χρήσης", "I Accept": "Αποδέχομαι", "Leave": "Αποχώρηση", - "When Opening TV Series Detail Jump To": "Με το άνοιγμα πληροφοριών μιας τηλεοπτικής σειράς πήγαινε στο", + "Series detail opens to": "Series detail opens to", "Playback": "Αναπαραγωγή", "Play next episode automatically": "Αυτόματη αναπαραγωγή επόμενου επεισοδίου", "Generate Pairing QR code": "Δημιουργία QR κωδικού", @@ -152,23 +146,17 @@ "Seconds": "Δευτερόλεπτα", "You are currently connected to %s": "Είστε συνδεδεμένοι στο %s", "Disconnect account": "Αποσύνδεση λογαριασμού", - "Sync With Trakt": "Συγχρονισμός με Trakt", "Syncing...": "Γίνεται συγχρονισμός...", "Done": "Ολοκληρώθηκε", "Subtitles Offset": "Αντιστάθμιση υποτίτλων", "secs": "δεύτερα", "We are flushing your database": "Γίνεται εκκαθάριση της βάσης δεδομένων σας", "Ratio": "Αναλογία", - "Advanced Settings": "Προχωρημένες ρυθμίσεις", - "Tmp Folder": "Φάκελος προσωρινής αποθήκευσης", - "URL of this stream was copied to the clipboard": "Το URL της ροής αντιγράφηκε στο πρόχειρο", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Σφάλμα, η βάση δεδομένων είναι πιθανότατα κατεστραμμένη. Προσπαθήστε να εκκαθαρίσετε τα αγαπημένα στις ρυθμίσεις.", "Flushing bookmarks...": "Γίνεται εκκαθάριση των αγαπημένων...", "Resetting...": "Γίνεται επαναφορά...", "We are resetting the settings": "Γίνεται επαναφορά των ρυθμίσεων", "Installed": "Εγκαταστάθηκε", - "We are flushing your subtitle cache": "Γίνεται εκκαθάριση της κρυφής μνήμης υποτίτλων", - "Subtitle cache deleted": "Έγινε εκκαθάριση της κρυφής μνήμης υποτίτλων", "Please select a file to play": "Παρακαλώ επιλέξτε ένα αρχείο για αναπαραγωγή", "Global shortcuts": "Γενικές συντομεύσεις", "Video Player": "Πρόγραμμα αναπαραγωγής βίντεο", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Έξοδος πλήρης οθόνης", "Seek Backward": "Πίσω", "Decrease Volume": "Μέιωση έντασης", - "Show Stream URL": "Εμφάνιση URL ροής", "TV Show Detail": "Λεπτομέριες τηλεοπτικής σειράς", "Toggle Watched": "Εναλλαγή προβληθέν", "Select Next Episode": "Επιλογή επόμενου επισοδίου", @@ -309,10 +296,7 @@ "Super Power": "Υπερδυνάμεις", "Supernatural": "Υπερφυσικά", "Vampire": "Βρυκόλακες", - "Automatically Sync on Start": "Αυτόματος συγχρονισμός κατά την εκκίνηση", "VPN": "VPN", - "Activate automatic updating": "Ενεργοποίηση αυτόματης αναβάθμισης", - "Please wait...": "Παρακαλώ περιμένετε...", "Connect": "Σύνδεση", "Create Account": "Δημιουργία λογαριασμού", "Celebrate various events": "Εορτασμός διαφόρων εκδηλώσεων", @@ -320,10 +304,8 @@ "Downloaded": "Έγινε λήψη", "Loading stuck ? Click here !": "Κόλλησε στην αναμονή; Κάντε κλικ εδώ!", "Torrent Collection": "Συλλογή torrent", - "Drop Magnet or .torrent": "Εισάγετε magnet ή .torrent", "Remove this torrent": "Αφαίρεση του torrent", "Rename this torrent": "Μετονομασία του torrent", - "Flush entire collection": "Εκκαθάριση όλης της συλλογής", "Open Collection Directory": "Άνοιγμα φακέλου συλλογής", "Store this torrent": "Αποθήκευση του torrent", "Enter new name": "Εισαγωγή νέου ονόματος", @@ -352,101 +334,214 @@ "No thank you": "Όχι, ευχαριστώ", "Report an issue": "Αναφορά προβλήματος", "Email": "Email", - "Log in": "Σύνδεση", - "Report anonymously": "Αναφορά ανώνυμα", - "Note regarding anonymous reports:": "Σημείωση περί ανώνυμων αναφορών:", - "You will not be able to edit or delete your report once sent.": "Δεν θα μπορείτε να επεξεργαστείτε ή να διαγράψετε την αναφορά σας αφού σταλεί.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Αν απαιτούνται επιπλέον πληροφορίες, η αναφορά μπορεί να κλείσει, αφού δεν θα μπορείτε να τις δώσετε.", - "Step 1: Please look if the issue was already reported": "Βήμα 1: Παρακαλώ κοιτάξτε αν το πρόβλημα έχει ήδη αναφερθεί", - "Enter keywords": "Εισαγωγή λέξεων-κλειδιών", - "Already reported": "Έχει ήδη αναφερθεί", - "I want to report a new issue": "Θέλω να αναφέρω ένα νέο πρόβλημα", - "Step 2: Report a new issue": "Βήμα 2: Αναφορά νέου προβλήματος", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Σημείωση: παρακαλώ μη χρησιμοποιείτε την φόρμα αυτή για να επικοινωνήσετε μαζί μας. Ο μοναδικός σκοπός της είναι για την αναφορά προβλημάτων.", - "The title of the issue": "Ο τίτλος του προβλήματος", - "Description": "Περιγραφή", - "200 characters minimum": "200 χαρακτήρες το ελάχιστο", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Μια μικρή περιγραφή του προβλήματος. Αν γίνεται, συμπεριλάβετε τα βήματα που απαιτούνται για την αναπαραγωγή του.", "Submit": "Υποβολή", - "Step 3: Thank you !": "Βήμα 3: Ευχαριστούμε!", - "Your issue has been reported.": "Το πρόβλημα σας έχει αναφερθεί.", - "Open in your browser": "Άνοιγμα στον περιηγητή σας", - "No issues found...": "Δεν βρέθηκαν προβλήματα...", - "First method": "Πρώτη μέθοδος", - "Use the in-app reporter": "Χρήση της εσωτερικής φόρμα αναφοράς", - "You can find it later on the About page": "Μπορείτε να τη βρείτε αργότερα στη σελίδα «Σχετικά»", - "Second method": "Δεύτερη μέθοδος", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Χρησιμοποιήστε το φίλτρο προβλήματος του %s για να αναζητήσετε και να ελέγξετε αν το πρόβλημα έχει αναφερθεί ή επιδιορθωθεί ήδη.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Συμπεριλάβετε ένα στιγμιότυπο οθόνης αν είναι σχετικό - Είναι το πρόβλημα σας για ένα σχεδιαστικό χαρακτηριστικό ή για ένα bug;", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Μια καλή αναφορά προβλήματος δεν θα πρέπει να αφήνει άλλους να πρέπει να σας κυνηγάνε για περισσότερες πληροφορίες. Σιγουρευτείτε ότι συμπεριλάβατε τις λεπτομέρειες του περιβάλλοντος σας.", "Warning: Always use English when contacting us, or we might not understand you.": "Προειδοποίηση: Πάντα χρησιμοποιείτε την αγγλική γλώσσα όταν επικοινωνείτε μαζί μας, αλλιώς μπορεί να μην σας καταλάβουμε.", - "Search for torrent": "Αναζήτηση για torrent", "No results found": "Δεν βρέθηκαν αποτελέσματα", - "Invalid credentials": "Λάθος διαπιστευτήρια", "Open Favorites": "Άνοιγμα αγαπημένων", "Open About": "Άνοιγμα σελίδας περί", "Minimize to Tray": "Ελαχιστοποίηση στην περιοχή ειδοποιήσεων", "Close": "Κλείσιμο", "Restore": "Επαναφορά", - "Resume Playback": "Συνέχιση αναπαραγωγής", "Features": "Χαρακτηριστικά", "Connect To %s": "Σύνδεση στο %s", - "The magnet link was copied to the clipboard": "Ο σύνδεσμος magnet αντιγράφηκε στο πρόχειρο", - "Big Picture Mode": "Λειτουργία μεγάλης οθόνης", - "Big Picture Mode is unavailable on your current screen resolution": "Η λειτουργία μεγάλης οθόνης δεν είναι διαθέσιμη στην τρέχουσα ανάλυση οθόνης σας.", "Cannot be stored": "Δεν είναι δυνατή η αποθήκευση", - "%s reported this torrent as fake": "Το %s ανέφερε αυτό το torrent ως ψεύτικο", - "Randomize": "Τυχαιοποίηση", - "Randomize Button for Movies": "Κουμπί τυχαιοποίησης για ταινίες", "Overall Ratio": "Συνολική αναλογία", "Translate Synopsis": "Μετάφραση περίληψης", "N/A": "Δ/Υ", "Your disk is almost full.": "Ο δίσκος σας είναι σχεδόν πλήρης", "You need to make more space available on your disk by deleting files.": "Πρέπει να κάνετε περισσότερο χώρο διαθέσιμο στον δίσκο σας διαγράφοντας αρχεία.", "Playing Next": "Στη συνέχεια", - "Trending": "Τάσεις", - "Remember Filters": "Αποθήκευση φίλτρων", - "Automatic Subtitle Uploading": "Αυτόματη αποστολή υποτίτλων", "See-through Background": "Διαφανές φόντο", "Bold": "Έντονα", "Currently watching": "Παίζει τώρα", "No, it's not that": "Όχι, δεν είναι αυτό", "Correct": "Σωστό", - "Indie": "Ίντι", "Init Database": "Γίνεται εκκίνηση βάσης δεδομένων", "Status: %s ...": "Κατάσταση: %s ...", "Create Temp Folder": "Δημιουργία Φακέλου προσωρινής αποθήκευσης", "Set System Theme": "Ορισμός θέματος συστήματος", "Disclaimer": "Δήλωση αποποίησης ευθύνης", "Series": "Σειρές", - "Finished": "Ολοκληρώθηκε", "Event": "Γεγονός", - "action": "δράση", - "war": "πόλεμος", "Local": "Τοπικά", "Try another subtitle or drop one in the player": "Δοκιμάστε έναν διαφορετικό υπότιτλο ή ρίξτε έναν στο πρόγραμμα αναπαραγωγής", - "animation": "κινούμενα σχέδια", - "family": "οικογένεια", "show": "show", "movie": "ταινία", "Something went wrong downloading the update": "Κάτι πήγε στραβά κατά το κατέβασμα της ενημέρωσης", - "Activate Update seeding": "Ενεργοποίηση τροφοδότησης ενημέρωσης", - "Disable Anime Tab": "Απενεργοποίηση καρτέλας Άνιμε", - "Disable Indie Tab": "Απενεργοποίηση καρτέλας Ίντι", "Error converting subtitle": "Σφάλμα μετατροπής υπότιτλου", "No subtitles found": "Δεν βρέθηκαν υπότιτλοι", "Try again later or drop a subtitle in the player": "Δοκιμάστε ξανά αργότερα ή ρίξτε έναν στο πρόγραμμα αναπαραγωγής", "You should save the content of the old directory, then delete it": "Θα ήταν καλό να αποθηκεύσετε το περιεχόμενο του παλιού φακέλου και μετά να τον διαγράψετε", "Search on %s": "Αναζήτηση για %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Είστε σίγουροι ότι θέλετε να διαγράψετε όλο το περιεχόμενο της Συλλογής Torrent ;", "Audio Language": "Γλώσσα ήχου", "Subtitle": "Υπότιτλοι", "Code:": "Κωδικός:", "Error reading subtitle timings, file seems corrupted": "Σφάλμα ανάγνωσης χρονισμού υπότιτλου, το αρχείο φαίνεται κατεστραμμένο.", - "Connection Not Secured": "Μη ασφαλής σύνδεση", "Open File to Import": "Άνοιγμα αρχείου για εισαγωγή", - "Browse Directoy to save to": "Επιλογή φακέλου για αποθήκευση", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Ακύρωση και ενεργοποίηση VPN", - "Continue seeding torrents after restart app?": "Συνέχεια τροφοδότησης torrent μετά την επανεκκίνηση της εφαρμογής;", - "Enable VPN": "Ενεργοποίηση VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Γίνεται λήψη", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Αποτελέσματα αναζήτησης", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Αρχική", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Άγνωστη", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ναι", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Φωτεινότητα", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Έλεγχος για ενημερώσεις", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/el.json b/src/app/language/el.json index 8e1c129e69..072bf97209 100644 --- a/src/app/language/el.json +++ b/src/app/language/el.json @@ -44,7 +44,6 @@ "Load More": "Περισσότερα", "Saved": "Αποθηκεύτηκε", "Settings": "Ρυθμίσεις", - "Show advanced settings": "Εμφάνιση ρυθμίσεων για προχωρημένους", "User Interface": "Περιβάλλον", "Default Language": "Προκαθορισμένη γλώσσα", "Theme": "Θέμα", @@ -61,10 +60,7 @@ "Disabled": "Απενεργοποιημένοι", "Size": "Μέγεθος", "Quality": "Ποιότητα", - "Only list movies in": "Εμφάνιση ταινιών μόνο σε", - "Show movie quality on list": "Εμφάνιση ποιότητας ταινιών στη λίστα", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Συνδεθείτε στο %s για να κάνετε αυτόματα «scrobble» επεισόδια που βλέπετε στο %s", "Username": "Όνομα χρήστη", "Password": "Κωδικός πρόσβασης", "%s stores an encrypted hash of your password in your local database": "Το %s αποθηκεύει ένα κρυπτογραφημένο αρχείο κατακερματισμού του κωδικού σας στην τοπική βάση δεδομένων σας.", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Όνομα χρήστη", "HTTP API Password": "HTTP API Κωδικός πρόσβασης", "Connection": "Σύνδεση", - "TV Show API Endpoint": "API Endpoint για σειρές", "Connection Limit": "Όριο σύνδεσης", "DHT Limit": "Όριο DHT", "Port to stream on": "Θύρα για ροή", "0 = Random": "0 = Τυχαία", "Cache Directory": "Φάκελος κρυφής μνήμης", - "Clear Tmp Folder after closing app?": "Καθαρισμός του φακέλου προσωρινής αποθήκευσης μετά το κλείσιμο της εφαρμογής;", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Βάση δεδομένων", "Database Directory": "Φάκελος βάσης δεδομένων", "Import Database": "Εισαγωγή βάσης δεδομένων", "Export Database": "Εξαγωγή βάσης δεδομένων", "Flush bookmarks database": "Εκκαθάριση βάσης δεδομένων αγαπημένων", - "Flush subtitles cache": "Εκκαθάριση κρυφής μνήμης υποτίτλων", "Flush all databases": "Εκκαθάριση όλων των βάσεων δεδομένων", "Reset to Default Settings": "Επαναφορά στις προεπιλεγμένες ρυθμίσεις", "Importing Database...": "Γίνεται εισαγωγή βάσης δεδομένων...", @@ -131,8 +125,8 @@ "Ended": "Τελείωσε", "Error loading data, try again later...": "Σφάλμα κατά την φόρτωση δεδομένων, δοκιμάστε αργότερα...", "Miscellaneous": "Διάφορα", - "First Unwatched Episode": "Πρώτο επεισόδιο που δεν έχει προβληθεί", - "Next Episode In Series": "Επόμενο επεισόδιο της σειράς", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Εκκαθάριση...", "Are you sure?": "Είστε σίγουροι;", "We are flushing your databases": "Γίνεται εκκαθάριση των βάσεων δεδομένων", @@ -142,7 +136,7 @@ "Terms of Service": "Όροι Χρήσης", "I Accept": "Αποδέχομαι", "Leave": "Αποχώρηση", - "When Opening TV Series Detail Jump To": "Με το άνοιγμα πληροφοριών μιας τηλεοπτικής σειράς πήγαινε στο", + "Series detail opens to": "Series detail opens to", "Playback": "Αναπαραγωγή", "Play next episode automatically": "Αυτόματη αναπαραγωγή επόμενου επεισοδίου", "Generate Pairing QR code": "Δημιουργία QR κωδικού", @@ -152,23 +146,17 @@ "Seconds": "Δευτερόλεπτα", "You are currently connected to %s": "Είστε συνδεδεμένοι στο %s", "Disconnect account": "Αποσύνδεση λογαριασμού", - "Sync With Trakt": "Συγχρονισμός με Trakt", "Syncing...": "Γίνεται συγχρονισμός...", "Done": "Ολοκληρώθηκε", "Subtitles Offset": "Αντιστάθμιση υποτίτλων", "secs": "δεύτερα", "We are flushing your database": "Γίνεται εκκαθάριση της βάσης δεδομένων σας", "Ratio": "Αναλογία", - "Advanced Settings": "Προχωρημένες ρυθμίσεις", - "Tmp Folder": "Φάκελος προσωρινής αποθήκευσης", - "URL of this stream was copied to the clipboard": "Το URL της ροής αντιγράφηκε στο πρόχειρο", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Σφάλμα, η βάση δεδομένων είναι πιθανότατα κατεστραμμένη. Προσπαθήστε να εκκαθαρίσετε τα αγαπημένα στις ρυθμίσεις.", "Flushing bookmarks...": "Γίνεται εκκαθάριση των αγαπημένων...", "Resetting...": "Γίνεται επαναφορά...", "We are resetting the settings": "Γίνεται επαναφορά των ρυθμίσεων", "Installed": "Εγκαταστάθηκε", - "We are flushing your subtitle cache": "Γίνεται εκκαθάριση της κρυφής μνήμης υποτίτλων", - "Subtitle cache deleted": "Έγινε εκκαθάριση της κρυφής μνήμης υποτίτλων", "Please select a file to play": "Παρακαλώ επιλέξτε ένα αρχείο για αναπαραγωγή", "Global shortcuts": "Γενικές συντομεύσεις", "Video Player": "Πρόγραμμα αναπαραγωγής βίντεο", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Έξοδος πλήρης οθόνης", "Seek Backward": "Πίσω", "Decrease Volume": "Μέιωση έντασης", - "Show Stream URL": "Εμφάνιση URL ροής", "TV Show Detail": "Λεπτομέριες τηλεοπτικής σειράς", "Toggle Watched": "Εναλλαγή προβληθέν", "Select Next Episode": "Επιλογή επόμενου επισοδίου", @@ -309,10 +296,7 @@ "Super Power": "Υπερδυνάμεις", "Supernatural": "Υπερφυσικά", "Vampire": "Βρυκόλακες", - "Automatically Sync on Start": "Αυτόματος συγχρονισμός κατά την εκκίνηση", "VPN": "VPN", - "Activate automatic updating": "Ενεργοποίηση αυτόματης αναβάθμισης", - "Please wait...": "Παρακαλώ περιμένετε...", "Connect": "Σύνδεση", "Create Account": "Δημιουργία λογαριασμού", "Celebrate various events": "Εορτασμός διαφόρων εκδηλώσεων", @@ -320,10 +304,8 @@ "Downloaded": "Έγινε λήψη", "Loading stuck ? Click here !": "Κόλλησε στην αναμονή; Κάντε κλικ εδώ!", "Torrent Collection": "Συλλογή torrent", - "Drop Magnet or .torrent": "Εισάγετε magnet ή .torrent", "Remove this torrent": "Αφαίρεση του torrent", "Rename this torrent": "Μετονομασία του torrent", - "Flush entire collection": "Εκκαθάριση όλης της συλλογής", "Open Collection Directory": "Άνοιγμα φακέλου συλλογής", "Store this torrent": "Αποθήκευση του torrent", "Enter new name": "Εισαγωγή νέου ονόματος", @@ -352,101 +334,214 @@ "No thank you": "Όχι, ευχαριστώ", "Report an issue": "Αναφορά προβλήματος", "Email": "Email", - "Log in": "Σύνδεση", - "Report anonymously": "Αναφορά ανώνυμα", - "Note regarding anonymous reports:": "Σημείωση περί ανώνυμων αναφορών:", - "You will not be able to edit or delete your report once sent.": "Δεν θα μπορείτε να επεξεργαστείτε ή να διαγράψετε την αναφορά σας αφού σταλεί.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Αν απαιτούνται επιπλέον πληροφορίες, η αναφορά μπορεί να κλείσει, αφού δεν θα μπορείτε να τις δώσετε.", - "Step 1: Please look if the issue was already reported": "Βήμα 1: Παρακαλώ κοιτάξτε αν το πρόβλημα έχει ήδη αναφερθεί", - "Enter keywords": "Εισαγωγή λέξεων-κλειδιών", - "Already reported": "Έχει ήδη αναφερθεί", - "I want to report a new issue": "Θέλω να αναφέρω ένα νέο πρόβλημα", - "Step 2: Report a new issue": "Βήμα 2: Αναφορά νέου προβλήματος", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Σημείωση: παρακαλώ μη χρησιμοποιείτε την φόρμα αυτή για να επικοινωνήσετε μαζί μας. Ο μοναδικός σκοπός της είναι για την αναφορά προβλημάτων.", - "The title of the issue": "Ο τίτλος του προβλήματος", - "Description": "Περιγραφή", - "200 characters minimum": "200 χαρακτήρες το ελάχιστο", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Μια μικρή περιγραφή του προβλήματος. Αν γίνεται, συμπεριλάβετε τα βήματα που απαιτούνται για την αναπαραγωγή του.", "Submit": "Υποβολή", - "Step 3: Thank you !": "Βήμα 3: Ευχαριστούμε!", - "Your issue has been reported.": "Το πρόβλημα σας έχει αναφερθεί.", - "Open in your browser": "Άνοιγμα στον περιηγητή σας", - "No issues found...": "Δεν βρέθηκαν προβλήματα...", - "First method": "Πρώτη μέθοδος", - "Use the in-app reporter": "Χρήση της εσωτερικής φόρμα αναφοράς", - "You can find it later on the About page": "Μπορείτε να τη βρείτε αργότερα στη σελίδα «Σχετικά»", - "Second method": "Δεύτερη μέθοδος", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Χρησιμοποιήστε το φίλτρο προβλήματος του %s για να αναζητήσετε και να ελέγξετε αν το πρόβλημα έχει αναφερθεί ή επιδιορθωθεί ήδη.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Συμπεριλάβετε ένα στιγμιότυπο οθόνης αν είναι σχετικό - Είναι το πρόβλημα σας για ένα σχεδιαστικό χαρακτηριστικό ή για ένα bug;", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Μια καλή αναφορά προβλήματος δεν θα πρέπει να αφήνει άλλους να πρέπει να σας κυνηγάνε για περισσότερες πληροφορίες. Σιγουρευτείτε ότι συμπεριλάβατε τις λεπτομέρειες του περιβάλλοντος σας.", "Warning: Always use English when contacting us, or we might not understand you.": "Προειδοποίηση: Πάντα χρησιμοποιείτε την αγγλική γλώσσα όταν επικοινωνείτε μαζί μας, αλλιώς μπορεί να μην σας καταλάβουμε.", - "Search for torrent": "Αναζήτηση για torrent", "No results found": "Δεν βρέθηκαν αποτελέσματα", - "Invalid credentials": "Λάθος διαπιστευτήρια", "Open Favorites": "Άνοιγμα αγαπημένων", "Open About": "Άνοιγμα σελίδας περί", "Minimize to Tray": "Ελαχιστοποίηση στην περιοχή ειδοποιήσεων", "Close": "Κλείσιμο", "Restore": "Επαναφορά", - "Resume Playback": "Συνέχιση αναπαραγωγής", "Features": "Χαρακτηριστικά", "Connect To %s": "Σύνδεση στο %s", - "The magnet link was copied to the clipboard": "Ο σύνδεσμος magnet αντιγράφηκε στο πρόχειρο", - "Big Picture Mode": "Λειτουργία μεγάλης οθόνης", - "Big Picture Mode is unavailable on your current screen resolution": "Η λειτουργία μεγάλης οθόνης δεν είναι διαθέσιμη στην τρέχουσα ανάλυση οθόνης σας.", "Cannot be stored": "Δεν είναι δυνατή η αποθήκευση", - "%s reported this torrent as fake": "Το %s ανέφερε αυτό το torrent ως ψεύτικο", - "Randomize": "Τυχαιοποίηση", - "Randomize Button for Movies": "Κουμπί τυχαιοποίησης για ταινίες", "Overall Ratio": "Συνολική αναλογία", "Translate Synopsis": "Μετάφραση περίληψης", "N/A": "Δ/Υ", "Your disk is almost full.": "Ο δίσκος σας είναι σχεδόν πλήρης", "You need to make more space available on your disk by deleting files.": "Πρέπει να κάνετε περισσότερο χώρο διαθέσιμο στον δίσκο σας διαγράφοντας αρχεία.", "Playing Next": "Στη συνέχεια", - "Trending": "Τάσεις", - "Remember Filters": "Αποθήκευση φίλτρων", - "Automatic Subtitle Uploading": "Αυτόματη αποστολή υποτίτλων", "See-through Background": "Διαφανές φόντο", "Bold": "Έντονα", "Currently watching": "Παίζει τώρα", "No, it's not that": "Όχι, δεν είναι αυτό", "Correct": "Σωστό", - "Indie": "Ίντι", "Init Database": "Γίνεται εκκίνηση βάσης δεδομένων", "Status: %s ...": "Κατάσταση: %s ...", "Create Temp Folder": "Δημιουργία Φακέλου προσωρινής αποθήκευσης", "Set System Theme": "Ορισμός θέματος συστήματος", "Disclaimer": "Δήλωση αποποίησης ευθύνης", "Series": "Σειρές", - "Finished": "Ολοκληρώθηκε", "Event": "Γεγονός", - "action": "δράση", - "war": "πόλεμος", "Local": "Τοπικά", "Try another subtitle or drop one in the player": "Δοκιμάστε έναν διαφορετικό υπότιτλο ή ρίξτε έναν στο πρόγραμμα αναπαραγωγής", - "animation": "κινούμενα σχέδια", - "family": "οικογένεια", "show": "show", "movie": "ταινία", "Something went wrong downloading the update": "Κάτι πήγε στραβά κατά το κατέβασμα της ενημέρωσης", - "Activate Update seeding": "Ενεργοποίηση τροφοδότησης ενημέρωσης", - "Disable Anime Tab": "Απενεργοποίηση καρτέλας Άνιμε", - "Disable Indie Tab": "Απενεργοποίηση καρτέλας Ίντι", "Error converting subtitle": "Σφάλμα μετατροπής υπότιτλου", "No subtitles found": "Δεν βρέθηκαν υπότιτλοι", "Try again later or drop a subtitle in the player": "Δοκιμάστε ξανά αργότερα ή ρίξτε έναν στο πρόγραμμα αναπαραγωγής", "You should save the content of the old directory, then delete it": "Θα ήταν καλό να αποθηκεύσετε το περιεχόμενο του παλιού φακέλου και μετά να τον διαγράψετε", "Search on %s": "Αναζήτηση για %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Είστε σίγουροι ότι θέλετε να διαγράψετε όλο το περιεχόμενο της Συλλογής Torrent ;", "Audio Language": "Γλώσσα ήχου", "Subtitle": "Υπότιτλοι", "Code:": "Κωδικός:", "Error reading subtitle timings, file seems corrupted": "Σφάλμα ανάγνωσης χρονισμού υπότιτλου, το αρχείο φαίνεται κατεστραμμένο.", - "Connection Not Secured": "Μη ασφαλής σύνδεση", "Open File to Import": "Άνοιγμα αρχείου για εισαγωγή", - "Browse Directoy to save to": "Επιλογή φακέλου για αποθήκευση", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Ακύρωση και ενεργοποίηση VPN", - "Continue seeding torrents after restart app?": "Συνέχεια τροφοδότησης torrent μετά την επανεκκίνηση της εφαρμογής;", - "Enable VPN": "Ενεργοποίηση VPN " + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Γίνεται λήψη", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Αποτελέσματα αναζήτησης", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Αρχική", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Άγνωστη", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ναι", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Φωτεινότητα", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Έλεγχος για ενημερώσεις", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/en.json b/src/app/language/en.json index 5724abb5e9..11065bec05 100644 --- a/src/app/language/en.json +++ b/src/app/language/en.json @@ -551,5 +551,40 @@ "Already using the latest version": "Already using the latest version", "Stored in local database as encrypted MD5 hash": "Stored in local database as encrypted MD5 hash", "link": "link", - "version number": "version number" + "version number": "version number", + "100%": "100%", + "113%": "113%", + "125%": "125%", + "138%": "138%", + "150%": "150%", + "163%": "163%", + "175%": "175%", + "188%": "188%", + "200%": "200%", + "25% - 400%": "25% - 400%", + "Movies API Server(s)": "Movies API Server(s)", + "Series API Server(s)": "Series API Server(s)", + "Anime API Server(s)": "Anime API Server(s)", + "KB/s": "KB/s", + "MB/s": "MB/s", + "Never": "Never", + "Updates": "Updates", + "Trending": "Trending", + "Popularity": "Popularity", + "Last Added": "Last Added", + "Kind": "Kind", + "Watched": "Watched", + "Exit when all downloads complete": "Exit when all downloads complete", + "Exiting Popcorn Time...": "Exiting Popcorn Time...", + "does not clear the Cache Folder": "does not clear the Cache Folder", + "left to cancel this action": "left to cancel this action", + "Exit Now": "Exit Now", + "second": "second", + "seconds": "seconds", + "UI Transparency": "UI Transparency", + "Very Low": "Very Low", + "Low": "Low", + "Medium": "Medium", + "High": "High", + "Very High": "Very High" } diff --git a/src/app/language/es-mx.json b/src/app/language/es-mx.json index 17eb11e541..7d53cf2da9 100644 --- a/src/app/language/es-mx.json +++ b/src/app/language/es-mx.json @@ -20,7 +20,7 @@ "Fantasy": "Fantasía", "Game Show": "Concursos", "Horror": "Terror", - "Mini Series": "Mini series", + "Mini Series": "Mini Series", "Mystery": "Misterio", "News": "Noticias", "Reality": "Reality", @@ -34,7 +34,7 @@ "Thriller": "Thriller", "Western": "Western", "Sort by": "Ordenar por", - "Updated": "Actualización", + "Updated": "Actualizado", "Year": "Año", "Name": "Nombre", "Search": "Buscar", @@ -43,10 +43,9 @@ "Season %s": "Temporada %s", "Load More": "Cargar más", "Saved": "Guardado", - "Settings": "Configuración", - "Show advanced settings": "Mostrar configuración avanzada", + "Settings": "Ajustes", "User Interface": "Interfaz de usuario", - "Default Language": "Idioma predeterminado", + "Default Language": "Idioma por defecto", "Theme": "Apariencia", "Start Screen": "Pantalla de inicio", "Favorites": "Favoritos", @@ -57,36 +56,32 @@ "Fade": "Desvanecer", "Hide": "Ocultar", "Subtitles": "Subtítulos", - "Default Subtitle": "Subtítulos predeterminados", + "Default Subtitle": "Subtítulos por defecto", "Disabled": "Desactivados", "Size": "Tamaño", "Quality": "Calidad", - "Show movie quality on list": "Mostrar la calidad de las películas en la lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Conéctate a %s para sincronizar automáticamente los episodios que ves en %s", "Username": "Usuario", "Password": "Contraseña", "%s stores an encrypted hash of your password in your local database": "%s guarda tu contraseña en forma encriptada en la base de datos local", "Remote Control": "Control remoto", - "HTTP API Port": "Puerto (API HTTP)", - "HTTP API Username": "Usuario (API HTTP)", - "HTTP API Password": "Contraseña (API HTTP)", + "HTTP API Port": "Puerto API HTTP", + "HTTP API Username": "Usuario API HTTP", + "HTTP API Password": "Contraseña API HTTP", "Connection": "Conexión", - "TV Show API Endpoint": "API Endpoint de las series", "Connection Limit": "Límite de conexiones", "DHT Limit": "Límite DHT", "Port to stream on": "Puerto para la transmisión", "0 = Random": "0 = Aleatorio", "Cache Directory": "Directorio caché", - "Clear Cache Folder after closing the app?": "Eliminar el contenido de la Cache después de cerrar la aplicación?", + "Clear Cache Folder after closing the app?": "Limpiar la Carpeta Caché después de salir", "Database": "Base de datos", "Database Directory": "Directorio de la base de datos", "Import Database": "Importar base de datos", "Export Database": "Exportar base de datos", "Flush bookmarks database": "Limpiar favoritos", - "Flush subtitles cache": "Limpiar caché de subtítulos", "Flush all databases": "Limpiar todas las bases de datos", - "Reset to Default Settings": "Restablecer la configuración predeterminada", + "Reset to Default Settings": "Restablecer ajustes por defecto", "Importing Database...": "Importando base de datos...", "Please wait": "Espera por favor...", "Error": "Error", @@ -141,7 +136,7 @@ "Terms of Service": "Términos del servicio", "I Accept": "Acepto", "Leave": "Salir", - "Series detail opens to": "Los detalles de la serie se abren para", + "Series detail opens to": "El detalle de las series abre el", "Playback": "Reproducir", "Play next episode automatically": "Reproducir el siguiente episodio automáticamente", "Generate Pairing QR code": "Generar código QR de emparejamiento", @@ -151,32 +146,26 @@ "Seconds": "Segundos", "You are currently connected to %s": "Estás conectado actualmente a %s", "Disconnect account": "Desconectar", - "Sync With Trakt": "Sincronizar con Trakt", "Syncing...": "Sincronizando...", "Done": "Listo", "Subtitles Offset": "Desfase de los subtítulos", "secs": "segs", "We are flushing your database": "Estamos limpiando la base de datos", "Ratio": "Proporción:", - "Advanced Settings": "Configuración avanzada", - "Tmp Folder": "Carpeta temporal", - "URL of this stream was copied to the clipboard": "La URL de esta transmisión fue copiada al portapapeles", - "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error. Es posible que la base de datos esté corrupta. Intenta limpiar los favoritos desde \"Configuración\".", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error. Es posible que la base de datos esté corrupta. Intenta limpiar los favoritos desde Ajustes.", "Flushing bookmarks...": "Limpiando favoritos...", "Resetting...": "Restableciendo...", - "We are resetting the settings": "Estamos restableciendo la configuración", + "We are resetting the settings": "Estamos restableciendo los ajustes", "Installed": "Instalada", - "We are flushing your subtitle cache": "Estamos limpiando la caché de subtítulos", - "Subtitle cache deleted": "Caché de subtítulos borrada", "Please select a file to play": "Por favor selecciona el archivo a reproducir", "Global shortcuts": "Atajos globales", "Video Player": "Reproductor de video", - "Toggle Fullscreen": "Activar pantalla completa", + "Toggle Fullscreen": "Pantalla completa", "Play/Pause": "Reproducir/Pausa", "Seek Forward": "Avanzar", "Increase Volume": "Subir volumen", "Set Volume to": "Fijar volumen en", - "Offset Subtitles by": "Ajustar subtítulos en", + "Offset Subtitles by": "Desfasar subtítulos por", "Toggle Mute": "Silenciar", "Movie Detail": "Detalles de la película", "Toggle Quality": "Calidad", @@ -184,13 +173,12 @@ "Exit Fullscreen": "Salir de pantalla completa", "Seek Backward": "Retroceder", "Decrease Volume": "Bajar volumen", - "Show Stream URL": "Mostrar URL de la transmisión", "TV Show Detail": "Detalles del programa", - "Toggle Watched": "Marcar/Desmarcar como \"Visto\"", - "Select Next Episode": "Selecciona siguiente episodio", - "Select Previous Episode": "Selecciona episodio anterior", - "Select Next Season": "Selecciona siguiente temporada", - "Select Previous Season": "Selecciona temporada anterior", + "Toggle Watched": "Visto", + "Select Next Episode": "Seleccionar siguiente episodio", + "Select Previous Episode": "Seleccionar episodio anterior", + "Select Next Season": "Seleccionar siguiente temporada", + "Select Previous Season": "Seleccionar temporada anterior", "Play Episode": "Reproducir episodio", "space": "espacio", "shift": "shift", @@ -202,30 +190,30 @@ "Copy": "Copiar", "Paste": "Pegar", "Help Section": "Ayuda", - "Did you know?": "¿Sabías que...?", + "Did you know?": "Sabías que...", "What does %s offer?": "¿Qué ofrece %s?", "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Con %s puedes ver películas y series de televisión muy fácilmente. Solo tienes que hacer clic en una de las portadas y después en \"Ver ahora\". Además, la experiencia es totalmente personalizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Nuestra sección de películas solo contiene archivos en alta definición, disponibles en 720p y 1080p. Para ver una película, simplemente abre %s y navega por la colección, accesible a través de la pestaña \"Películas\", en la barra de navegación. La vista predeterminada mostrará todas las películas ordenadas según su popularidad, pero puedes aplicar tus propios criterios de ordenación gracias a los filtros \"Género\" y \"Ordenar por\". Una vez que selecciones la película que quieres ver, haz clic en su portada y después en \"Ver ahora\". ¡No olvides las palomitas de maíz!", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Nuestra sección de películas solo contiene archivos en alta definición, disponibles en 720p y 1080p. Para ver una película, simplemente abre %s y navega por la colección, accesible a través de la pestaña 'Películas', en la barra de navegación. La vista por defecto mostrará todas las películas ordenadas según su popularidad, pero puedes aplicar tus propios criterios de ordenación gracias a los filtros 'Género' y 'Ordenar por'. Una vez que selecciones la película que quieres ver, haz clic en su portada y después en 'Ver ahora'. ¡No olvides las palomitas de maíz!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "La pestaña \"Series\", accesible desde la barra de navegación, te mostrará todas las series disponibles en nuestra colección. Para ayudarte a seleccionar lo que quieres ver, también puedes aplicar tus propios filtros, como con las películas. Igualmente, sólo tienes que hacer clic sobre una portada y se abrirá una nueva ventana donde podrás elegir la temporada y episodios. Cuando estés listo, solo tienes que hacer clic en \"Ver ahora\".", "Choose quality": "Elegir calidad", - "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Un control cerca del botón \"Ver ahora\" te permitirá elegir la calidad. También puedes predeterminar la calidad desde \"Configuración\". Advertencia: una mejor calidad implica que se tendrá una descarga mayor de datos.", - "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "La mayoría de nuestras películas y series cuentan con subtítulos en tu idioma. Puedes predeterminar el idioma de éstos desde \"Configuración\". Para las películas, incluso puedes seleccionarlos mediante el menú desplegable en la vista \"Detalles\".", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Un control cerca del botón Ver ahora te permitirá elegir la calidad. También puedes predeterminar la calidad desde Ajustes. Advertencia: una mejor calidad implica que se tendrá una descarga mayor de datos.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "La mayoría de nuestras películas y series cuentan con subtítulos en tu idioma. Puedes predeterminar el idioma de éstos desde Ajustes. Para las películas, incluso puedes seleccionarlos mediante el menú desplegable en la vista Detalles.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Hacer clic en el icono de corazón en una portada añadirá la película o programa a tus favoritos. Esta colección es accesible mediante el icono con forma de corazón en la barra de navegación. Para eliminar un elemento de tu colección, ¡simplemente haz clic en el icono otra vez! Tan sencillo como eso.", - "Watched icon": "Icono \"Visto\"", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s mantendrá un registro de lo que hayas visto, un poco de ayuda para recordar no hace daño. También puedes marcar un elemento como visto haciendo clic en el icono con forma de ojo en las portadas. Incluso puedes crear y sincronizar tu colección con el sitio web Trakt.tv, desde \"Configuración\".", + "Watched icon": "Icono Visto", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s mantendrá un registro de lo que hayas visto, un poco de ayuda para recordar no hace daño. También puedes marcar un elemento como visto haciendo clic en el icono con forma de ojo en las portadas. Incluso puedes crear y sincronizar tu colección con el sitio web Trakt.tv, desde Ajustes.", "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "En %s, puedes utilizar el icono de lupa para iniciar una búsqueda. Escribe un título, un actor, un director o incluso un año, presiona \"enter\" y déjanos mostrarte lo que podemos ofrecerte. Para cerrar la búsqueda, haz clic en la \"X\" situada en el campo de búsqueda o escribe otra cosa.", "External Players": "Reproductores externos", "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Si prefieres usar tu propio reproductor en vez del incorporado, puedes hacerlo seleccionando el icono correspondiente en el botón \"Ver ahora\". Se mostrará una lista con los reproductores disponibles; selecciona uno y %s transmitirá a través de él. Si tu reproductor no aparece en la lista, por favor infórmanos.", - "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Para llevar la personalización aún más allá, te ofrecemos un gran panel de opciones. Para acceder a \"Configuración\", haz clic en el icono con forma de engrane en la barra de navegación.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Para llevar la personalización aún más allá, te ofrecemos un gran panel de opciones. Para acceder a Ajustes, haz clic en el icono con forma de engrane en la barra de navegación.", "Keyboard Navigation": "Navegación con el teclado", - "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "La lista completa de atajos de teclado está disponible presionando la tecla \"?\" en tu teclado, o mediante el icono en forma de teclado desde \"Configuración\".", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "La lista completa de atajos de teclado está disponible presionando la tecla ? en tu teclado, o mediante el icono en forma de teclado desde Ajustes.", "Custom Torrents and Magnet Links": "Archivos torrent y enlaces magnéticos personalizados", "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Puedes utilizar archivos torrent y enlaces magnéticos personalizados en %s. Simplemente arrastra y suelta los archivos torrent en la ventana del programa o pega cualquier vínculo magnético.", "Torrent health": "Salud del archivo torrent", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "En los detalles de las películas o series, encontrarás un pequeño círculo de color gris, rojo, amarillo o verde. Esos colores hacen referencia a la salud del archivo torrent. Un archivo marcado en verde se descargará rápidamente, mientras que un archivo marcado en rojo no se podrá descargar del todo o se descargará muy lentamente. El color gris representa un error en el cálculo de la salud para las películas, y para las series indica que tienes que hacer clic en él para que pueda mostrar la salud.", "How does %s work?": "¿Cómo funciona %s?", "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s transmite contenido de video a través de archivos torrent. Nuestras películas son proporcionadas por %s y nuestras series %s, mientras que obtenemos todos los metadatos de %s. No alojamos ningún contenido nosotros mismos.", - "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "¿Transmisión por torrents? Bueno, los archivos torrent utilizan el protocolo Bittorrent, que básicamente, significa que se descargan pequeñas partes del contenido de la computadora de otro usuario, mientras envía las partes que ya ha descargado a otro usuario. Entonces, lo que puedes ver son esas partes mientras las siguientes se descargan en segundo plano. Este intercambio de datos permite que el contenido se mantenga saludable.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "¿Transmisión por torrents? Bueno, los archivos torrent utilizan el protocolo Bittorrent, que básicamente, significa que se descargan pequeñas partes del contenido de la computadora de otro usuario, mientras envía las partes que ya ha descargado a otro usuario. Entonces, lo que puedes ver son esas partes mientras las siguientes se descargan en segundo plano. Este intercambio de datos permite que el contenido se mantenga sano.", "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Una vez que la película se descargó completamente, se continúa con el envío de partes a otros usuarios. Y todo se elimina de tu computadora cuando cierras %s. Así de simple.", "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "La aplicación está construida con Node-Webkit, HTML, CSS y Javascript. Funciona igual que el navegador Google Chrome, excepto por el hecho de que la mayor parte del código se aloja en tu propia computadora. Sí, %s funciona con la misma tecnología que una página web normal, como... digamos, Wikipedia o Youtube!", "I found a bug, how do I report it?": "¿Cómo puedo informar de un error?", @@ -236,19 +224,19 @@ "Clicking on the rating stars will display a number instead.": "Al hacer clic en las estrellas de valoración se mostrará un número en su lugar.", "This application is entirely written in HTML5, CSS3 and Javascript.": "Esta aplicación está completamente escrita en HTML5, CSS3 y Javascript.", "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Si quieres saber más sobre una película o una serie sólo tienes que hacer clic en el icono \"IMDb\".", - "Switch to next tab": "Cambia a la siguiente pestaña", - "Switch to previous tab": "Cambia a la pestaña anterior", - "Switch to corresponding tab": "Cambia a la pestaña correspondiente", + "Switch to next tab": "Cambiar a la siguiente pestaña", + "Switch to previous tab": "Cambiar a la pestaña anterior", + "Switch to corresponding tab": "Cambiar a la pestaña correspondiente", "through": "hasta", "Enlarge Covers": "Agranda las portadas", "Reduce Covers": "Reduce las portadas", "Open Item Details": "Muestra los detalles del elemento", "Add Item to Favorites": "Añadir a Favoritos", "Mark as Seen": "Marcar como visto", - "Open this screen": "Abre esta pantalla", - "Open Settings": "Abre \"Configuración\"", - "Posters Size": "Tamaño de los carteles", - "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Esta característica sólo funciona si tienes sincronizada tu cuenta de TraktTv. Por favor, introduce tus credenciales de acceso en \"Configuración\".", + "Open this screen": "Abrir esta pantalla", + "Open Settings": "Abrir Ajustes", + "Posters Size": "Tamaño de las portadas", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Esta característica sólo funciona si tienes sincronizada tu cuenta de TraktTv. Por favor, introduce tus credenciales de acceso en Ajustes.", "Last Open": "Último abierto", "Exporting Database...": "Exportando base de datos...", "Database Successfully Exported": "Base de datos exportada correctamente.", @@ -265,7 +253,7 @@ "ONA": "ONA", "Movie": "Película", "Special": "Especial", - "Watchlist": "Mi lista", + "Watchlist": "Vistos", "Resolving..": "Resolviendo...", "About": "Acerca de", "Open Cache Directory": "Abrir el directorio caché", @@ -282,54 +270,49 @@ "Cars": "Automóviles", "Dementia": "Demencia", "Demons": "Demonios", - "Ecchi": "Ecchi", + "Ecchi": "Ecchi anime", "Game": "Juego", - "Harem": "Harem", + "Harem": "Harem anime", "Historical": "Histórico", - "Josei": "Josei", + "Josei": "Josei anime", "Kids": "Niños", "Magic": "Magia", "Martial Arts": "Artes marciales", - "Mecha": "Mecha", + "Mecha": "Mecha anime", "Military": "Militar", "Parody": "Parodia", "Police": "Policiaca", "Psychological": "Psicológica", "Samurai": "Samurai", "School": "Escuela", - "Seinen": "Seinen", - "Shoujo": "Shoujo", - "Shoujo Ai": "Shoujo Ai", - "Shounen": "Shounen", - "Shounen Ai": "Shounen Ai", + "Seinen": "Seinen anime", + "Shoujo": "Shoujo anime", + "Shoujo Ai": "Shoujo Ai anime", + "Shounen": "Shounen anime", + "Shounen Ai": "Shounen Ai anime", "Slice of Life": "Recuentos de la vida", "Space": "Espacial", "Sports": "Deportes", "Super Power": "Superpoderes", "Supernatural": "Sobrenatural", "Vampire": "Vampiros", - "Automatically Sync on Start": "Sincronizar automáticamente al inicio", "VPN": "VPN", - "Activate automatic updating": "Activar actualización automática", - "Please wait...": "Espera por favor...", "Connect": "Conectar", "Create Account": "Crear cuenta", "Celebrate various events": "Aplicar temas para eventos y festividades", "Disconnect": "Desconectar", "Downloaded": "Descargado", "Loading stuck ? Click here !": "¿Se ha detenido la carga? ¡Haz clic aquí!", - "Torrent Collection": "Colección de archivos", - "Drop Magnet or .torrent": "Soltar enlace magnético o archivo torrent", - "Remove this torrent": "Eliminar este archivo", - "Rename this torrent": "Renombrar este archivo", - "Flush entire collection": "Eliminar toda la colección", + "Torrent Collection": "Colección de Torrents", + "Remove this torrent": "Eliminar Torrent", + "Rename this torrent": "Renombrar Torrent", "Open Collection Directory": "Abrir el directorio de la colección", - "Store this torrent": "Guardar este archivo", - "Enter new name": "Introducir el nuevo nombre", + "Store this torrent": "Guardar este Torrent", + "Enter new name": "Introducir nuevo nombre", "This name is already taken": "Este nombre ya está en uso", "Always start playing in fullscreen": "Siempre iniciar la reproducción en pantalla completa", "Magnet link": "Enlace magnético", - "Error resolving torrent.": "Error resolviendo el archivo.", + "Error resolving torrent.": "Error resolviendo el Torrent.", "%s hour(s) remaining": "Tiempo restante: %s hora(s)", "%s minute(s) remaining": "Tiempo restante: %s minuto(s)", "%s second(s) remaining": "Tiempo restante: %s segundo(s)", @@ -338,7 +321,7 @@ "Set player window to double of video resolution": "Ajustar la ventana del reproductor al doble de la resolución del video", "Set player window to half of video resolution": "Ajustar la ventana del reproductor a la mitad de la resolución del video", "Retry": "Reintentar", - "Import a Torrent": "Importar archivo", + "Import a Torrent": "Importar Torrent", "Not Seen": "No visto", "Seen": "Visto", "Title": "Título", @@ -351,117 +334,68 @@ "No thank you": "No, gracias", "Report an issue": "Informar de un problema", "Email": "Email", - "Log in": "Iniciar sesión", - "Report anonymously": "Informar anónimamente", - "Note regarding anonymous reports:": "Nota relativa a los informes anónimos:", - "You will not be able to edit or delete your report once sent.": "No podrás editar o eliminar tu informe una vez que sea enviado.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Si se requiere de información adicional, el informe podría ser cerrado, ya que no podrás proporcionarla.", - "Step 1: Please look if the issue was already reported": "Paso 1: Por favor, realiza una búsqueda para comprobar si ya se ha informado sobre el problema", - "Enter keywords": "Introduce palabras clave", - "Already reported": "Ya ha sido informado", - "I want to report a new issue": "Informar un problema nuevo", - "Step 2: Report a new issue": "Paso 2: Informar un nuevo problema", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: No uses este formulario para contactar con nosotros. Está diseñado únicamente para informar los errores.", - "The title of the issue": "Título del problema", - "Description": "Descripción", - "200 characters minimum": "200 caracteres como mínimo", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Escribe una breve descripción del problema. Si es apropiado, incluye los pasos necesarios para reproducir el error.", "Submit": "Enviar", - "Step 3: Thank you !": "Paso 3: ¡Gracias!", - "Your issue has been reported.": "Se ha enviado el informe.", - "Open in your browser": "Abrir en el navegador", - "No issues found...": "No se han encontrado problemas...", - "First method": "Primer método", - "Use the in-app reporter": "Usa el informador integrado", - "You can find it later on the About page": "También podrás encontrarlo en \"Acerca de\"", - "Second method": "Segundo método", - "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Usa el filtro de problemas en %s para buscar y revisar si el error ya ha sido informado o si ya está solucionado.", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Usa el filtro de problemas en %s para buscar y revisar si el error ya ha sido reportado o si ya está solucionado.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Incluye una captura de pantalla si es relevante. ¿Tu problema es sobre una característica del diseño o es un error del programa?", - "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un buen informe de errores no debería dejar a otras personas con la necesidad de tener que localizarte para obtener más información. Asegúrate de incluir todos los detalles de tu entorno.", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un buen reporte de errores no debería dejar a otras personas con la necesidad de tener que localizarte para obtener más información. Asegúrate de incluir todos los detalles de tu entorno.", "Warning: Always use English when contacting us, or we might not understand you.": "Aviso: Usa siempre el inglés cuando nos contactes o no podremos entenderte.", - "Search for torrent": "Buscando el archivo", "No results found": "No se encontraron resultados", - "Invalid credentials": "Usuario o contraseña incorrectos", "Open Favorites": "Abrir \"favoritos\"", "Open About": "Abrir \"acerca de\"", "Minimize to Tray": "Minimizar a la bandeja", "Close": "Cerrar", "Restore": "Restaurar", - "Resume Playback": "Reanudar la reproducción", "Features": "Características", "Connect To %s": "Conectar a %s", - "The magnet link was copied to the clipboard": "El enlace magnético fue copiado al portapapeles", - "Big Picture Mode": "Modo Panorámico", - "Big Picture Mode is unavailable on your current screen resolution": "El modo panorámico no está disponible con la resolución de pantalla actual", "Cannot be stored": "No puede ser almacenado", - "%s reported this torrent as fake": "%s reportó este archivo como falso", - "Randomize": "Elegir aleatoriamente", - "Randomize Button for Movies": "Botón \"Elegir aleatoriamente\" para Películas", "Overall Ratio": "Relación general", "Translate Synopsis": "Traducir la sinopsis", "N/A": "N/A", "Your disk is almost full.": "El disco está casi lleno.", "You need to make more space available on your disk by deleting files.": "Elimina archivos para que tengas más espacio disponible en el disco.", "Playing Next": "Siguiente episodio", - "Trending": "Tendencias", - "Remember Filters": "Recordar filtros", - "Automatic Subtitle Uploading": "Subir subtítulos automáticamente", "See-through Background": "Fondo transparente", "Bold": "Negrita", "Currently watching": "Viendo actualmente", "No, it's not that": "No, eso no es", "Correct": "Correcto", - "Indie": "Independiente", "Init Database": "Iniciando base de datos", "Status: %s ...": "Estado: %s ...", "Create Temp Folder": "Crear carpeta temporal", "Set System Theme": "Establecer el tema del sistema", "Disclaimer": "Aviso legal", "Series": "Series", - "Finished": "Finalizada", "Event": "Evento", "Local": "Local", "Try another subtitle or drop one in the player": "Prueba con otro subtítulo o arrastra uno sobre el preproductor", "show": "Programa", "movie": "Película", "Something went wrong downloading the update": "Algo salió mal al descargar la actualización", - "Activate Update seeding": "Activar actualización de la siembra", "Error converting subtitle": "Error al convertir el subtítulo", "No subtitles found": "No se encontraron subtítulos", "Try again later or drop a subtitle in the player": "Intenta de nuevo más tarde o arrastra un subtítulo al reproductor", "You should save the content of the old directory, then delete it": "Deberás guardar el contenido del directorio antiguo para eliminarlo", "Search on %s": "Buscar en %s", - "Are you sure you want to clear the entire Torrent Collection ?": "¿Estás seguro que quieres limpiar la colección completa de archivos?", "Audio Language": "Idioma del audio", "Subtitle": "Subtítulo", "Code:": "Código:", "Error reading subtitle timings, file seems corrupted": "Error al leer los tiempos del subtítulo, el archivo parece corrupto", - "Connection Not Secured": "La conexión no es segura", "Open File to Import": "Abrir archivo para importar", - "Browse Directory to save to": "Examinar el directorio para guardar en", + "Browse Directory to save to": "Buscar directorio para guardar", "Cancel and use VPN": "Cancelar y utilizar VPN", "Resume seeding after restarting the app?": "¿Reanudar la siembra después de reiniciar la aplicación?", - "Enable VPN": "Activar VPN", - "Popularity": "Popularidad", - "Last Added": "Últimas añadidas", - "Seedbox": "Semillero", - "Cache Folder": "Folder de la Cache", - "Science-fiction": "Ciencia Ficción ", - "Superhero": "Superhéroes", + "Seedbox": "Descargas", + "Cache Folder": "Carpeta Caché", "Show cast": "Mostrar reparto", - "Health Good": "Salud: Buena", - "Health Medium": "Salud: Regular", - "Health Excellent": "Salud: Excelente", - "Right click to copy": "Clic derecho para copiar", - "Filename": "Nombre de archivo", + "Filename": "Nombre del archivo", "Stream Url": "URL de la Transmisión", "Show playback controls": "Mostrar controles de reproducción", "Downloading": "Descargando", "Hide playback controls": "Ocultar controles de reproducción", - "Poster Size": "Tamaño de las portadas", - "UI Scaling": "Escala de la interfaz de usuario", - "Show all available subtitles for default language in flag menu": "Muestra todos los subtítulos disponibles para el idioma predeterminado en la bandera del menu", - "Cache Folder Button": "Botón del Folder de la Cache", + "Poster Size": "Tamaño de la Portada", + "UI Scaling": "Escala de la Interfaz", + "Show all available subtitles for default language in flag menu": "Mostrar todos los subtítulos disponibles para el lenguaje por defecto en la bandera del menu", + "Cache Folder Button": "Carpeta Caché", "Enable remote control": "Habilitar control remoto", "Server": "Servidor", "API Server(s)": "Servidor(es) API", @@ -469,165 +403,145 @@ "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Recuerda Exportar tu Base de datos antes de actualizar en caso que sea necesario restaurar tus Favoritos, los Medios marcados como vistos o la Configuración", "Update Now": "Actualizar ahora", "Database Exported": "Base de datos exportada", - "Slice Of Life": "Recuento de la vida", - "Home And Garden": "Casa y jardín", - "Returning Series": "Series que regresan", - "Finished Airing": "Emisión finalizada", - "No Favorites found...": "No se ha encontrado ningún favorito...", - "No Watchlist found...": "No se ha encontrado la Lista de Vistos...", - "Health Bad": "Salud: Mala", "ThePirateBay": "ThePirateBay", "1337x": "1337x", "RARBG": "RARBG", - "OMGTorrent": "OMGTorrent", "Saved Torrents": "Torrents guardados", "Search Results": "Resultados de la búsqueda", - "Paste a Magnet link": "Pegar un enlace magnético", - "Import a Torrent file": "Importar archivo Torrent", - "Select data types to import": "Seleccionar el tipo de datos a importar", - "Please select which data types you want to import ?": "Por favor selecciona, ¿cuáles tipos de datos quieres importar?", + "Paste a Magnet link": "Pegar un enlace Magnético", + "Import a Torrent file": "Importar un archivo Torrent", + "Select data types to import": "Seleccionar los tipos de datos a importar", + "Please select which data types you want to import ?": "Seleccionar los tipos de datos que desea importar", "Watched items": "Elementos vistos", - "Bookmarked items": "Elementos marcados", - "Download list is empty...": "El listado de descargas está vacío...", - "Active Torrents Limit": "Límite de Torrents activos", - "Currently Airing": "En Emisión ", - "Toggle Subtitles": "Alternar subtítulos", - "Toggle Crop to Fit screen": "Alternar recorte para ajuste de pantalla", + "Bookmarked items": "Elementos marcados como favoritos", + "Download list is empty...": "Lista de descargas vacía...", + "Active Torrents Limit": "Límite de Torrents", + "Toggle Subtitles": "Subtítulos", + "Toggle Crop to Fit screen": "Recortar para ajustar a la pantalla", "Original": "Original", "Fit screen": "Ajuste de pantalla", "Video already fits screen": "El video ya se ajusta a la pantalla", - "Copied to clipboard": "Copiado al portapapeles", "The filename was copied to the clipboard": "El nombre de archivo fue copiado en el portapapeles", "The stream url was copied to the clipboard": "La URL de la transmisión fue copiada al portapapeles", - "Create account": "Crear cuenta", "* %s stores an encrypted hash of your password in your local database": "* %s almacena un hash encriptado de tu contraseña en la base de datos local", - "Device can't play the video": "El dispositivo no puede reproducir el video", "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Es posible que tu dispositivo no admita el formato de video/codecs.
Intenta con otra calidad de resolución o con VLC", "Hide cast": "Ocultar reparto", "Tabs": "Pestañas", - "No movies found...": "No se ha encontrado ninguna película...", - "Holiday": "Festivo", - "Native window frame": "Native window frame", - "Open Cache Folder": "Open Cache Folder", + "Native window frame": "Marco nativo de la ventana", + "Open Cache Folder": "Abrir Carpeta Caché", "Restart Popcorn Time": "Reiniciar Popcorn Time", - "Developer Tools": "Herramientas del Desarrollador", - "No shows found...": "No se ha encontrado ningún programa...", - "No anime found...": "No se ha encontrado ningún anime...", - "Search in %s": "Search in %s", - "Show 'Search on Torrent Collection' in search": "Mostrar 'Buscar en la Colección de archivos' en la búsqueda", - "Movies API Server": "Movies API Server", - "Series API Server": "Series API Server", - "Anime API Server": "Anime API Server", - "The image url was copied to the clipboard": "The image url was copied to the clipboard", - "Popcorn Time currently supports": "Popcorn Time currently supports", - "There is also support for Chromecast, AirPlay & DLNA devices.": "También es compatible con dispositivos Chromecast, AirPlay y DLNA.", - "Right click for supported players": "Right click for supported players", - "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.": "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.", - "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", - "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", - "Default Filters": "Default Filters", - "Set Filters": "Set Filters", - "Reset Filters": "Reset Filters", - "Your Default Filters have been changed": "Your Default Filters have been changed", - "Your Default Filters have been reset": "Your Default Filters have been reset", - "Setting Filters...": "Setting Filters...", - "Default": "Default", - "Custom": "Custom", - "Remember": "Remember", - "Cache": "Cache", + "Developer Tools": "Herramientas de Desarrollador", + "Movies API Server": "Servidor API de Películas", + "Series API Server": "Aervidor API de Series", + "Anime API Server": "Servidor API de Anime", + "The image url was copied to the clipboard": "La URL de la imagen se copió al portapapeles", + "Popcorn Time currently supports": "Popcorn Time actualmente soporta", + "There is also support for Chromecast, AirPlay & DLNA devices.": "También es compatible con dispositivos Chromecast, AirPlay & DLNA.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Puedes establecer varios filtros y pestañas al mismo tiempo, y por supuesto, cualquier otro adicional más adelante", + "as well as overwrite or reset your preferences)": "así como sobrescribir o restablecer tus preferencias)", + "Default Filters": "Filtros por defecto", + "Set Filters": "Establecer filtros", + "Reset Filters": "Restablecer filtros", + "Your Default Filters have been changed": "Tus filtros por defecto han sido cambiados", + "Your Default Filters have been reset": "Tus filtros por defecto han sido restablecidos", + "Setting Filters...": "Estableciendo filtros...", + "Default": "Por defecto", + "Custom": "Personalizado", + "Remember": "Recordar", + "Cache": "Caché", "Unknown": "Desconocida", - "Change Subtitles Position": "Change Subtitles Position", + "Change Subtitles Position": "Cambiar posición de los Subtítulos", "Minimize": "Minimizar", - "Separate directory for Downloads": "Separate directory for Downloads", - "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", - "Downloads Directory": "Downloads Directory", - "Open Downloads Directory": "Open Downloads Directory", - "Delete related cache ?": "Delete related cache ?", + "Separate directory for Downloads": "Directorio independiente para las descargas", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "La habilitación impedirá que se comparta la caché entre las funciones Ver ahora y Descargar", + "Downloads Directory": "Directorio de Descargas", + "Open Downloads Directory": "Abrir Directorio de descargas", + "Delete related cache ?": "Borrar caché relacionada", "Yes": "Sí", "No": "No", - "Cache files deleted": "Cache files deleted", - "Delete related cache when removing from Seedbox": "Borrar la cache relacionada al quitar del Semillero", - "Always": "Always", - "Never": "Never", - "Ask me every time": "Ask me every time", - "Enable Protocol Encryption": "Habilitar protocolo de encriptación", - "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", - "Show the Seedbox when a new download is added": "Mostrar el Semillero cuando se añada una nueva descarga", - "Download added": "Download added", - "Change API Server": "Change API Server", - "Localisation": "Localisation", - "Default Content Language": "Default Content Language", - "Same as interface": "Same as interface", - "Title translation": "Title translation", + "Cache files deleted": "Archivos caché eliminados", + "Delete related cache when removing from Seedbox": "Borrar la caché relacionada al eliminar de Descargas", + "Always": "Siempre", + "Ask me every time": "Preguntarme siempre", + "Enable Protocol Encryption": "Habilitar Protocolo de Encriptación", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Permitir conectarse a los clientes que utilizan PE/MSE. En la mayoría de los casos aumentará el número de clientes conectables, pero también podría resultar en un mayor uso del CPU", + "Show the Seedbox when a new download is added": "Mostrar Descargas si un nuevo archivo es descargado", + "Download added": "Descarga añadida", + "Change API Server": "Cambiar el Servidor API", + "Default Content Language": "Audio por defecto", + "Title translation": "Traducción de Títulos", "Translated - Original": "Traducción - Original", "Original - Translated": "Original - Traducción", - "Translated only": "Translated only", - "Original only": "Original only", - "Translate Posters": "Translate Posters", - "Translate Episode Titles": "Translate Episode Titles", - "Only show content available in this language": "Only show content available in this language", - "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", - "added": "added", - "The source link was copied to the clipboard": "The source link was copied to the clipboard", - "Max. Down / Up Speed": "Max. Down / Up Speed", - "Show Release Info": "Show Release Info", - "Parental Guide": "Parental Guide", - "Rebuild bookmarks database": "Rebuild bookmarks database", - "Rebuilding bookmarks...": "Rebuilding bookmarks...", - "Submit metadata & translations": "Submit metadata & translations", - "Not available": "Not available", + "Translated only": "Sólo traducción", + "Original only": "Solo original", + "Translate Posters": "Traducir Portadas", + "Translate Episode Titles": "Traducir Títulos de los Episodios", + "Only show content available in this language": "Mostrar solo audio disponible en este lenguaje", + "Translations depend on availability. Some options also might not be supported by all API servers": "Las traducciones dependen de la disponibilidad. Es posible que algunas opciones no sean compatibles con todos los Servidores API", + "added": "añadido", + "Max. Down / Up Speed": "Vel. Max. Bajada / Subida", + "Show Release Info": "Mostrar información de estreno", + "Parental Guide": "Guía Parental", + "Rebuild bookmarks database": "Reconstruir la base de datos de los favoritos", + "Rebuilding bookmarks...": "Reconstruyendo favoritos...", + "Submit metadata & translations": "Enviar metadatos y traducciones", + "Not available": "No disponible", "Cast not available": "Reparto no disponible", - "Show an 'Undo' button when a bookmark is removed": "Show an 'Undo' button when a bookmark is removed", - "was added to bookmarks": "was added to bookmarks", - "was removed from bookmarks": "was removed from bookmarks", - "Bookmark restored": "Bookmark restored", + "was removed from bookmarks": "fue eliminado de favoritos", + "Bookmark restored": "Favoritos restablecidos", "Undo": "Deshacer", "minute(s) remaining before preloading next episode": "minuto(s) restantes antes de precargar el siguiente episodio", "Zoom": "Zoom", - "Contrast": "Contrast", + "Contrast": "Contraste", "Brightness": "Brillo", "Hue": "Hue", - "Saturation": "Saturation", - "Decrease Zoom by": "Decrease Zoom by", - "Increase Zoom by": "Increase Zoom by", - "Decrease Contrast by": "Decrease Contrast by", - "Increase Contrast by": "Increase Contrast by", - "Decrease Brightness by": "Decrease Brightness by", - "Increase Brightness by": "Increase Brightness by", - "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", - "Rotate Hue clockwise by": "Rotate Hue clockwise by", - "Decrease Saturation by": "Decrease Saturation by", - "Increase Saturation by": "Increase Saturation by", - "Automatically update the API Server URLs": "Automatically update the API Server URLs", - "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", - "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", - "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", - "Check for updates": "Comprobar actualizaciones", - "Updating the API Server URLs": "Updating the API Server URLs", - "API Server URLs updated": "API Server URLs updated", - "API Server URLs already updated": "API Server URLs already updated", - "Change API server(s) to the new URLs?": "Change API server(s) to the new URLs?", - "API Server URLs could not be updated": "API Server URLs could not be updated", - "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", - "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", - "0 = Disable preloading": "0 = Disable preloading", - "Search field always expanded": "Search field always expanded", - "DHT UDP Requests Limit": "DHT UDP Requests Limit", - "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", - "Create an account": "Create an account", - "Search for something or drop a .torrent / magnet link...": "Busca algo o suelta un archivo torrent / enlace magnético...", + "Saturation": "Saturación", + "Decrease Zoom by": "Disminuir Zoom en", + "Increase Zoom by": "Incrementar Zoom en", + "Decrease Contrast by": "Disminuir Contraste en", + "Increase Contrast by": "Incrementar Contraste en", + "Decrease Brightness by": "Disminuir Brillo en", + "Increase Brightness by": "Incrementar Brillo en", + "Rotate Hue counter-clockwise by": "Disminuir Hue en", + "Rotate Hue clockwise by": "Aumentar Hue en", + "Decrease Saturation by": "Disminuir Saturación en", + "Increase Saturation by": "Incrementar Saturación en", + "Automatically update the API Server URLs": "Actualizar automáticamente las URLs del servidor API", + "Enable automatically updating the API Server URLs": "Actualización automática de las URLs de los Servidores API", + "Automatically update the app when a new version is available": "Actualizar automáticamente cuando haya una nueva versión disponible", + "Enable automatically updating the app when a new version is available": "Actualización automática si hay una nueva versión disponible", + "Check for updates": "Buscar actualizaciones", + "Updating the API Server URLs": "Actualizar las URLs del Servidor API", + "API Server URLs updated": "URLs del Servidor API actualizadas", + "API Server URLs already updated": "URLs del Servidor API ya actualizadas", + "API Server URLs could not be updated": "Las URLs del Servidor API no se han podido actualizar", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Puedes añadir múltiples Servidores API separados con una , de los cuales se seleccionará aleatoriamente (*para carga equilibrada) hasta que encuentre el primero disponible", + "The API Server URL(s) was copied to the clipboard": "Las URLs del Servidor API se copiaron al portapapeles", + "0 = Disable preloading": "0 = Precarga deshabilitada", + "Search field always expanded": "Campo de búsqueda siempre expandido", + "DHT UDP Requests Limit": "Límite de solicitudes DHT UDP", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Conéctate a %s para obtener automáticamente los subtítulos de las películas y episodios que ves en %s", + "Create an account": "Crear una cuenta", + "Search for something or drop a .torrent / magnet link...": "Buscar algo o soltar un archivo Torrent / enlace magnético...", "Torrent removed": "Archivo Torrent eliminado", - "Remove": "Remove", - "Connect to %s": "Connect to %s", - "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", - "Sync now": "Sync now", - "Same as Default Language": "Same as Default Language", - "Language": "Idioma", - "Allow Audio Passthrough": "Allow Audio Passthrough", - "release info link": "release info link", - "parental guide link": "parental guide link", - "IMDb page link": "IMDb page link", - "submit metadata & translations link": "submit metadata & translations link", - "episode title": "episode title", - "full cast & crew link": "full cast & crew link" + "Remove": "Quitar", + "Connect to %s": "Conectar a %s", + "to automatically 'scrobble' episodes you watch in %s": "para publicar automáticamente los episodios que ves en %s", + "Sync now": "Sincronizar ahora", + "Same as Default Language": "Mismo que el lenguaje por defecto", + "Language": "Lenguaje", + "Allow Audio Passthrough": "Permitir la transferencia de audio", + "release info link": "Enlace de la información de estreno", + "parental guide link": "Enlace de la guía parental", + "IMDb page link": "Enlace de la página IMDb", + "submit metadata & translations link": "Enlace de envío de metadatos y traducciones", + "episode title": "Título del episodio", + "full cast & crew link": "Enlace del reparto y equipo completo", + "Click providers to enable / disable": "Clic en proveedores para activar / desactivar", + "Right-click to filter results by": "Clic derecho para filtrar resultados por", + "to filter by All": "filtrar por Todos", + "more...": "más...", + "Seeds": "Fuentes", + "Peers": "Clientes", + "less...": "menos..." } \ No newline at end of file diff --git a/src/app/language/es.json b/src/app/language/es.json index 8b3877ee77..a8ffd46d4b 100644 --- a/src/app/language/es.json +++ b/src/app/language/es.json @@ -2,7 +2,7 @@ "External Player": "Reproductor externo", "Made with": "Hecho con", "by a bunch of geeks from All Around The World": "por un grupo de geeks de todas partes del mundo", - "Initializing %s. Please Wait...": "Inicializando %s. Por favor, espera...", + "Initializing %s. Please Wait...": "Iniciando %s. Espera por favor...", "Movies": "Películas", "TV Series": "Series", "Anime": "Anime", @@ -44,7 +44,6 @@ "Load More": "Cargar más", "Saved": "Guardado", "Settings": "Configuración", - "Show advanced settings": "Mostrar configuración avanzada", "User Interface": "Interfaz de usuario", "Default Language": "Idioma predeterminado", "Theme": "Apariencia", @@ -61,31 +60,26 @@ "Disabled": "Desactivados", "Size": "Tamaño", "Quality": "Calidad", - "Only list movies in": "Solo mostrar películas en", - "Show movie quality on list": "Mostrar calidad de las películas en la lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Conecta a %s para sincronizar en %s los episodios que ves", "Username": "Usuario", "Password": "Contraseña", - "%s stores an encrypted hash of your password in your local database": "%s almacena un hash cifrado de su contraseña en su base de datos local", + "%s stores an encrypted hash of your password in your local database": "%s guarda tu contraseña en forma encriptada en la base de datos local", "Remote Control": "Control remoto", "HTTP API Port": "Puerto (API HTTP)", "HTTP API Username": "Usuario (API HTTP)", "HTTP API Password": "Contraseña (API HTTP)", "Connection": "Conexión", - "TV Show API Endpoint": "API Endpoint de las Series", "Connection Limit": "Límite de conexiones", "DHT Limit": "Límite DHT", "Port to stream on": "Puerto para la transmisión", "0 = Random": "0 = Aleatorio", "Cache Directory": "Directorio caché", - "Clear Tmp Folder after closing app?": "¿Eliminar archivos temporales al cerrar la aplicación?", + "Clear Cache Folder after closing the app?": "Limpiar la Carpeta Caché después de salir", "Database": "Base de datos", "Database Directory": "Directorio de la base de datos", "Import Database": "Importar base de datos", "Export Database": "Exportar base de datos", "Flush bookmarks database": "Limpiar favoritos", - "Flush subtitles cache": "Limpiar caché de subtítulos", "Flush all databases": "Limpiar todas las bases de datos", "Reset to Default Settings": "Restablecer la configuración predeterminada", "Importing Database...": "Importando base de datos...", @@ -110,7 +104,7 @@ "Peers:": "Pares:", "Remove from bookmarks": "Eliminar de favoritos", "Changelog": "Registro de cambios", - "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s es el resultado de muchos desarrolladores y diseñadores que reúnen un conjunto de APIs para hacer que la experiencia de ver películas torrent sea lo más simple posible.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s es el resultado de muchos desarrolladores y diseñadores que juntaron muchas APIs para que la experiencia de ver películas por torrent fuera mucho más fácil.", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Somos un proyecto de código abierto. Somos de todas partes del mundo. Nos encantan las películas. Y por supuesto, amamos las palomitas de maíz.", "Health Unknown": "Salud desconocida", "Episodes": "Episodios", @@ -131,8 +125,8 @@ "Ended": "Finalizada", "Error loading data, try again later...": "Error al cargar los datos, inténtalo de nuevo más tarde...", "Miscellaneous": "Miscelánea", - "First Unwatched Episode": "Primer episodio no visto", - "Next Episode In Series": "Siguiente episodio de la serie", + "First unwatched episode": "Primer episodio sin ver", + "Next episode": "Siguiente episodio", "Flushing...": "Limpiando...", "Are you sure?": "¿Estás seguro?", "We are flushing your databases": "Estamos limpiando las bases de datos", @@ -142,7 +136,7 @@ "Terms of Service": "Condiciones de uso", "I Accept": "Acepto", "Leave": "Salir", - "When Opening TV Series Detail Jump To": "Al abrir la ficha de una serie, ir a", + "Series detail opens to": "El detalle de las series abre el", "Playback": "Reproducir", "Play next episode automatically": "Reproducir el siguiente episodio automáticamente", "Generate Pairing QR code": "Generar código QR de emparejamiento", @@ -152,23 +146,17 @@ "Seconds": "Segundos", "You are currently connected to %s": "Estás actualmente conectado a %s", "Disconnect account": "Desconectar", - "Sync With Trakt": "Sincronizar con Trakt", "Syncing...": "Sincronizando...", "Done": "Listo", "Subtitles Offset": "Desfase de los subtítulos", "secs": "segs", "We are flushing your database": "Estamos limpiando la base de datos", "Ratio": "Proporción", - "Advanced Settings": "Configuración avanzada", - "Tmp Folder": "Carpeta temporal", - "URL of this stream was copied to the clipboard": "La URL de esta transmisión fue copiada al portapapeles", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error. Es posible que la base de datos esté corrupta. Intenta limpiar los favoritos desde la página de Configuración.", "Flushing bookmarks...": "Limpiando favoritos...", "Resetting...": "Restableciendo...", "We are resetting the settings": "Estamos restableciendo la configuración", "Installed": "Instalada", - "We are flushing your subtitle cache": "Estamos limpiando la caché de subtítulos", - "Subtitle cache deleted": "Caché de subtítulos borrada", "Please select a file to play": "Por favor selecciona un archivo a reproducir", "Global shortcuts": "Atajos globales", "Video Player": "Reproductor de vídeo", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Salir de pantalla completa", "Seek Backward": "Retroceder", "Decrease Volume": "Bajar volumen un", - "Show Stream URL": "Mostrar la URL de la transmisión del programa", "TV Show Detail": "Ficha de la serie", "Toggle Watched": "Marcar/Desmarcar como \"Visto\"", "Select Next Episode": "Seleccionar episodio siguiente", @@ -205,33 +192,33 @@ "Help Section": "Ayuda", "Did you know?": "¿Sabías que...?", "What does %s offer?": "¿Qué ofrece %s?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Con %s, puedes ver películas y series de televisión con mucha facilidad. Todo lo que tiene que hacer es hacer clic en una de las cubiertas, luego hacer clic en \"Ver ahora\". Pero su experiencia es altamente personalizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Nuestra colección de películas solo contiene películas de alta definición, disponibles en 720p y 1080p. Para ver una película, simplemente abra %s y navegue a través de la colección de películas, accesible a través de la pestaña 'Películas', en la barra de navegación. La vista predeterminada le mostrará todas las películas ordenadas por popularidad, pero puede aplicar sus propios filtros, gracias a los filtros 'Género' y 'Ordenar por'. Una vez que haya elegido una película que desea ver haga clic en su portada, luego haga clic en 'Ver ahora'. ¡No olvides las palomitas de maíz!", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Con %s puedes ver películas y series de televisión muy fácilmente. Solo tienes que hacer clic en una de las portadas y después en \"Ver ahora\". Además, la experiencia es totalmente personalizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Nuestra sección de películas solo contiene archivos en alta definición, disponibles en 720p y 1080p. Para ver una película, simplemente abre %s y navega por la colección, accesible a través de la pestaña \"Películas\", en la barra de navegación. La vista por defecto mostrará todas las películas ordenadas según su popularidad, pero puedes aplicar tus propios criterios de ordenación gracias a los filtros \"Género\" y \"Ordenar por\". Una vez que selecciones la película que quieres ver, haz clic en su portada y después en \"Ver ahora\". ¡No olvides las palomitas de maíz!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "La pestaña \"Series\", accesible desde la barra de navegación, te mostrará todas las series disponibles en nuestra colección. Aquí también puedes aplicar tus propios filtros, como en las películas, para ayudarte a elegir qué ver. En esta colección, igualmente, sólo tienes que hacer clic sobre una portada: se abrirá una nueva ventana donde elegir temporadas y capítulos. Cuando hayas decidido, tan solo tienes que hacer clic en \"Ver ahora\".", "Choose quality": "Elegir calidad", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Un control cerca del botón \"Ver ahora\" te permitirá elegir la calidad del contenido. También puedes establecer una calidad predeterminada en la página de Configuración. Advertencia: una mejor calidad implica que se tengan que descargar más datos.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "La mayoría de nuestras películas y series cuentan con subtítulos en tu idioma. Puedes predefinirlos desde la página de Configuración. Para las películas, también puedes seleccionarlos mediante el menú desplegable que encontrarás en la ficha de la película.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Hacer clic en el icono de corazón de una portada añadirá la película o serie a tus favoritos. Esta colección es accesible mediante el icono con forma de corazón de la barra de navegación. Para eliminar un elemento de tu colección, ¡simplemente haz clic en el icono otra vez! Fácil, ¿verdad?", "Watched icon": "Icono \"Visto\"", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%stendrá en cuenta lo que ya has visto - un poco de ayuda para recordar no causa ningún daño. También puede configurar un elemento como visto haciendo clic en el icono en forma de ojo en las portadas. Incluso puede crear y sincronizar su colección con el sitio web Trakt.tv, a través de la pestaña Configuración.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "En %s, puede usar el icono de lupa para abrir la búsqueda. Escriba un título, un actor, un director o incluso un año, presione 'Intro' y permítanos mostrarle lo que podemos ofrecer para satisfacer sus necesidades. Para cerrar su búsqueda actual, puede hacer clic en la 'X' ubicada junto a su entrada o escribir algo más en el campo de búsqueda.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s mantendrá un registro de lo que hayas visto, un poco de ayuda para recordar no hace daño. También puedes marcar un elemento como visto haciendo clic en el icono con forma de ojo en las portadas. Incluso puedes crear y sincronizar tu colección con el sitio web Trakt.tv, desde Ajustes.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "En %s, puedes utilizar el icono de lupa para iniciar una búsqueda. Escribe un título, un actor, un director o incluso un año, presiona \"enter\" y déjanos mostrarte lo que podemos ofrecerte. Para cerrar la búsqueda, haz clic en la \"X\" situada en el campo de búsqueda o escribe otra cosa.", "External Players": "Reproductores externos", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Si prefiere usar un reproductor personalizado en lugar del incorporado, puede hacerlo haciendo clic en el icono asignado en el botón 'Ver ahora'. Se mostrará una lista de sus reproductores instalados, seleccione uno y %s se lo enviará todo. Si su reproductor no está en la lista, infórmenos.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Si prefieres usar tu propio reproductor en vez del incorporado, puedes hacerlo seleccionando el icono correspondiente en el botón \"Ver ahora\". Se mostrará una lista con los reproductores disponibles; selecciona uno y %s transmitirá a través de él. Si tu reproductor no aparece en la lista, por favor infórmanos.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Para llevar la personalización aún más allá, te ofrecemos un gran panel de opciones. Para acceder a la página de Configuración, haz clic en el icono con forma de engranaje en la barra de navegación.", "Keyboard Navigation": "Navegación con el teclado", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "La lista completa de atajos de teclado está disponible presionando la tecla '?' en tu teclado, o mediante el icono con forma de teclado en la página de Configuración.", "Custom Torrents and Magnet Links": "Torrents personalizados y enlaces magnet", - "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Puede usar torrents personalizados y enlaces magnet en %s. Simplemente arrastre y suelte archivos .torrent en la ventana de la aplicación y/o pegue cualquier enlace magnet.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Puedes utilizar archivos torrent y enlaces magnéticos personalizados en %s. Simplemente arrastra y suelta los archivos torrent en la ventana del programa o pega cualquier vínculo magnético.", "Torrent health": "Salud del Torrent", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "En las fichas de las películas o series, encontrarás un pequeño círculo de color gris, rojo, amarillo o verde. Esos colores hacen referencia a la salud del torrent. Un torrent verde se descargará rápidamente mientras que un torrent rojo no se descargará en absoluto o lo hará muy lentamente. El color gris representa un error en el cálculo de la salud para la películas, y para las series necesita un clic de tu parte con el fin de mostrar la salud del torrent.", "How does %s work?": "¿Cómo funciona %s?", - "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%stransmite contenido de video a través de torrents. Nuestras películas son proporcionadas por %s, nuestras series de TV por %s y al mismo tiempo se obtienen todos los metadatos de %s. Nosotros no alojamos ningún contenido.", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s transmite contenido de video a través de archivos torrent. Nuestras películas son proporcionadas por %s y nuestras series %s, mientras que obtenemos todos los metadatos de %s. No alojamos ningún contenido nosotros mismos.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "¿Transmisión por torrents? Bueno, los archivos torrent utilizan el protocolo Bittorrent que, básicamente, significa que se descargan pequeñas partes del contenido, el video, del ordenador de un usuario, mientras envía las que ya ha descargado a otro usuario. Así, puedes ver esas partes mientras las siguientes se descargan en segundo plano. Este intercambio de datos permite que el contenido se mantenga sano.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Una vez que la película está completamente descargada, continúa enviando partes a los otros usuarios. Y todo se elimina de su ordenador cuando cierra %s. Tan sencillo como eso.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "La aplicación en sí está construida con Node-Webkit, HTML, CSS y Javascript. Funciona como el navegador Google Chrome, excepto que tú alojas la mayor parte del código en tu ordenador. Sí, %s funciona con la misma tecnología que un sitio web normal, como... ¡digamos Wikipedia o Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Una vez que la película se descargó completamente, se continúa con el envío de partes a otros usuarios. Y todo se elimina de tu computadora cuando cierras %s. Así de simple.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "La aplicación está construida con Node-Webkit, HTML, CSS y Javascript. Funciona igual que el navegador Google Chrome, excepto por el hecho de que la mayor parte del código se aloja en tu propia computadora. Sí, %s funciona con la misma tecnología que una página web normal, como... digamos, Wikipedia o Youtube!", "I found a bug, how do I report it?": "Encontré un error, ¿cómo lo puedo notificar?", - "You can paste magnet links anywhere in %s with CTRL+V.": "Puede pegar enlaces magnet en cualquier lugar de %s con CTRL + V.", - "You can drag & drop a .torrent file into %s.": "Puede arrastrar y soltar un archivo .torrent en %s.", + "You can paste magnet links anywhere in %s with CTRL+V.": "Puedes pegar enlaces magnéticos en cualquier lugar de %s con CTRL+V.", + "You can drag & drop a .torrent file into %s.": "Puedes arrastrar y soltar un archivo torrent en %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Si falta algún subtitulo de una serie, puedes añadirlo en %s. Y lo mismo para las películas, pero en %s.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Puedes acceder a Trakt.tv para guardar todos tus elementos vistos y sincronizarlos a través de múltiples dispositivos.", "Clicking on the rating stars will display a number instead.": "Al hacer clic en las estrellas de valoración se mostrará un número en su lugar.", @@ -309,10 +296,7 @@ "Super Power": "Superpoderes", "Supernatural": "Sobrenatural", "Vampire": "Vampiros", - "Automatically Sync on Start": "Sincronizar automáticamente al inicio", "VPN": "VPN", - "Activate automatic updating": "Activar actualización automática", - "Please wait...": "Por favor, espera...", "Connect": "Conectar", "Create Account": "Crear cuenta", "Celebrate various events": "Aplicar temas para eventos y festividades", @@ -320,10 +304,8 @@ "Downloaded": "Descargado", "Loading stuck ? Click here !": "¿Se ha detenido la carga? ¡Haz clic aquí!", "Torrent Collection": "Colección de torrents", - "Drop Magnet or .torrent": "Soltar enlace magnet o .torrent", "Remove this torrent": "Eliminar este torrent", "Rename this torrent": "Renombrar este torrent", - "Flush entire collection": "Eliminar toda la colección", "Open Collection Directory": "Abrir el directorio de la colección", "Store this torrent": "Guardar este torrent", "Enter new name": "Introducir nuevo nombre", @@ -352,101 +334,214 @@ "No thank you": "No, gracias", "Report an issue": "Notificar una incidencia", "Email": "Email", - "Log in": "Acceder", - "Report anonymously": "Informar anónimamente", - "Note regarding anonymous reports:": "Nota relativa a informes anónimos:", - "You will not be able to edit or delete your report once sent.": "No podrás editar o eliminar tu informe una vez enviado.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Si se requiere cualquier información adicional, el informe podría ser cerrado, ya que no podrás proporcionarla.", - "Step 1: Please look if the issue was already reported": "Paso 1: Por favor, mire si la incidencia ya se informó anteriormente", - "Enter keywords": "Introducir palabras clave", - "Already reported": "Ya ha sido informada", - "I want to report a new issue": "Quiero informar de una nueva incidencia", - "Step 2: Report a new issue": "Paso 2: Informar de una nueva incidencia", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: por favor, no utilice este formulario para contactar con nosotros. Está limitado a sólo informar de errores.", - "The title of the issue": "Título de la incidencia", - "Description": "Descripción", - "200 characters minimum": "Mínimo 200 caracteres", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Una breve descripción del problema. Si es apropiado, incluya los pasos necesarios para reproducir el error.", "Submit": "Enviar", - "Step 3: Thank you !": "Paso 3: ¡Gracias!", - "Your issue has been reported.": "Su incidencia ha sido notificada.", - "Open in your browser": "Abrir en su navegador", - "No issues found...": "No se han encontrado incidencias...", - "First method": "Primer método", - "Use the in-app reporter": "Usar el informador integrado", - "You can find it later on the About page": "Podrás encontrarlo más tarde en la página \"Acerca de\"", - "Second method": "Segundo método", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Usa el %s del filtro de errores para buscar y revisar si el problema ya ha sido informado o si ya está solucionado.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Incluye una captura de pantalla si es relevante - ¿Tu problema es sobre una característica del diseño o es un error del programa?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un buen informe de errores no debería dejar a otras personas con la necesidad de tener que localizarte para obtener más información. Asegúrate de incluir todos los detalles de tu entorno.", "Warning: Always use English when contacting us, or we might not understand you.": "Aviso: Usa siempre el inglés cuando nos contactes o no podremos entenderte.", - "Search for torrent": "Buscar torrent", "No results found": "No se encontraron resultados", - "Invalid credentials": "Credenciales no válidas", "Open Favorites": "Abrir Favoritos", "Open About": "Abrir acerca de", "Minimize to Tray": "Minimizar a la bandeja del sistema", "Close": "Cerrar", "Restore": "Restablecer", - "Resume Playback": "Reanudar Reproducción", "Features": "Características", "Connect To %s": "Conectar A %s", - "The magnet link was copied to the clipboard": "El magnet link fue copiado al portapapeles", - "Big Picture Mode": "Modo \"Big Picture\"", - "Big Picture Mode is unavailable on your current screen resolution": "El modo \"Big Picture\" no está disponible en tu resolución de pantalla actual", "Cannot be stored": "No puede ser guardado", - "%s reported this torrent as fake": "%s reportaron que este Torrent es falso", - "Randomize": "Selección Aleatoria", - "Randomize Button for Movies": "Botón de Selección Aleatoria para películas", "Overall Ratio": "Ratio General", "Translate Synopsis": "Traducir Sinopsis", "N/A": "No Disponible", "Your disk is almost full.": "Tu disco duro está casi lleno.", "You need to make more space available on your disk by deleting files.": "Es necesario que dispongas de más espacio disponible en el disco eliminando archivos.", "Playing Next": "Reproducir Siguiente", - "Trending": "Tendencias", - "Remember Filters": "Recordar Filtros", - "Automatic Subtitle Uploading": "Carga Automática de Subtítulos", "See-through Background": "Fondo transparente", "Bold": "Negrita", "Currently watching": "Viendo actualmente", "No, it's not that": "No, eso no es", "Correct": "Correcto", - "Indie": "Indie", - "Init Database": "Iniciar base de datos", + "Init Database": "Iniciando base de datos", "Status: %s ...": "Estado: %s ...", "Create Temp Folder": "Crear carpeta temporal", - "Set System Theme": "Establecer tema del sistema", - "Disclaimer": "Descargo de responsabilidad", - "Series": "Serie", - "Finished": "Terminada", + "Set System Theme": "Establecer el tema del sistema", + "Disclaimer": "Aviso legal", + "Series": "Series", "Event": "Evento", - "action": "acción", - "war": "guerra", "Local": "Local", "Try another subtitle or drop one in the player": "Pruebe con otro subtitulo o arrastre uno al reproductor", - "animation": "animación", - "family": "familia", - "show": "espectáculo", - "movie": "película", + "show": "Programa", + "movie": "Película", "Something went wrong downloading the update": "Algo salió mal al descargar la actualización", - "Activate Update seeding": "Activar la actualización de semillas", - "Disable Anime Tab": "Desactivar la pestaña de Anime", - "Disable Indie Tab": "Desactivar la pestaña de cine Indie", "Error converting subtitle": "Error convirtiendo subtitulo", "No subtitles found": "No se encontraron subtitulos", "Try again later or drop a subtitle in the player": "Intenta de nuevo mas tarde o arrastra un subtitulo al reproductor", - "You should save the content of the old directory, then delete it": "Debería guardar el contenido del directorio antiguo y después eliminarlo", + "You should save the content of the old directory, then delete it": "Deberás guardar el contenido del directorio antiguo para eliminarlo", "Search on %s": "Buscar en %s", - "Are you sure you want to clear the entire Torrent Collection ?": "¿Estás seguro de que deseas borrar toda la colección Torrents?", "Audio Language": "Idioma del audio", "Subtitle": "Subtítulo", "Code:": "Código:", "Error reading subtitle timings, file seems corrupted": "Error leyendo el timing de los subtitulos, el archivo puede estar corrupto", - "Connection Not Secured": "Conexión no segura", - "Open File to Import": "Abrir archivo a importar", - "Browse Directoy to save to": "Buscar directorio donde guardar", - "Cancel and use VPN": "Cancelar y usar VPN", - "Continue seeding torrents after restart app?": "¿Continuar sembrando torrents después de reiniciar la aplicación?", - "Enable VPN": "Habilitar VPN" + "Open File to Import": "Abrir archivo para importar", + "Browse Directory to save to": "Buscar directorio para guardar", + "Cancel and use VPN": "Cancelar y utilizar VPN", + "Resume seeding after restarting the app?": "¿Reanudar la siembra después de reiniciar la aplicación?", + "Seedbox": "Descargas", + "Cache Folder": "Carpeta Caché", + "Show cast": "Mostrar reparto", + "Filename": "Nombre del archivo", + "Stream Url": "URL de la Transmisión", + "Show playback controls": "Mostrar controles de reproducción", + "Downloading": "Descargando", + "Hide playback controls": "Ocultar controles de reproducción", + "Poster Size": "Tamaño de la Portada", + "UI Scaling": "Escala de la Interfaz", + "Show all available subtitles for default language in flag menu": "Mostrar todos los subtítulos disponibles para el lenguaje por defecto en la bandera del menu", + "Cache Folder Button": "Carpeta Caché", + "Enable remote control": "Habilitar control remoto", + "Server": "Servidor", + "API Server(s)": "Servidor(es) API", + "Proxy Server": "Servidor Proxy", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Recuerda Exportar tu Base de datos antes de actualizar en caso que sea necesario restaurar tus Favoritos, los Medios marcados como vistos o la Configuración", + "Update Now": "Actualizar ahora", + "Database Exported": "Base de datos exportada", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Torrents guardados", + "Search Results": "Resultados de la búsqueda", + "Paste a Magnet link": "Pegar un enlace Magnético", + "Import a Torrent file": "Importar un archivo Torrent", + "Select data types to import": "Seleccionar los tipos de datos a importar", + "Please select which data types you want to import ?": "Seleccionar los tipos de datos que desea importar", + "Watched items": "Elementos vistos", + "Bookmarked items": "Elementos marcados como favoritos", + "Download list is empty...": "Lista de descargas vacía...", + "Active Torrents Limit": "Límite de Torrents", + "Toggle Subtitles": "Subtítulos", + "Toggle Crop to Fit screen": "Recortar para ajustar a la pantalla", + "Original": "Original", + "Fit screen": "Ajuste de pantalla", + "Video already fits screen": "El video ya se ajusta a la pantalla", + "The filename was copied to the clipboard": "El nombre de archivo fue copiado en el portapapeles", + "The stream url was copied to the clipboard": "La URL de la transmisión fue copiada al portapapeles", + "* %s stores an encrypted hash of your password in your local database": "* %s almacena un hash encriptado de tu contraseña en la base de datos local", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Es posible que tu dispositivo no admita el formato de video/codecs.
Intenta con otra calidad de resolución o con VLC", + "Hide cast": "Ocultar reparto", + "Tabs": "Pestañas", + "Native window frame": "Marco nativo de la ventana", + "Open Cache Folder": "Abrir Carpeta Caché", + "Restart Popcorn Time": "Reiniciar Popcorn Time", + "Developer Tools": "Herramientas de Desarrollador", + "Movies API Server": "Servidor API de Películas", + "Series API Server": "Aervidor API de Series", + "Anime API Server": "Servidor API de Anime", + "The image url was copied to the clipboard": "La URL de la imagen se copió al portapapeles", + "Popcorn Time currently supports": "Popcorn Time actualmente soporta", + "There is also support for Chromecast, AirPlay & DLNA devices.": "También es compatible con dispositivos Chromecast, AirPlay & DLNA.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Puedes establecer varios filtros y pestañas al mismo tiempo, y por supuesto, cualquier otro adicional más adelante", + "as well as overwrite or reset your preferences)": "así como sobrescribir o restablecer tus preferencias)", + "Default Filters": "Filtros por defecto", + "Set Filters": "Establecer filtros", + "Reset Filters": "Restablecer filtros", + "Your Default Filters have been changed": "Tus filtros por defecto han sido cambiados", + "Your Default Filters have been reset": "Tus filtros por defecto han sido restablecidos", + "Setting Filters...": "Estableciendo filtros...", + "Default": "Por defecto", + "Custom": "Personalizado", + "Remember": "Recordar", + "Cache": "Caché", + "Unknown": "Desconocida", + "Change Subtitles Position": "Cambiar posición de los Subtítulos", + "Minimize": "Minimizar", + "Separate directory for Downloads": "Directorio independiente para las descargas", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "La habilitación impedirá que se comparta la caché entre las funciones Ver ahora y Descargar", + "Downloads Directory": "Directorio de Descargas", + "Open Downloads Directory": "Abrir Directorio de descargas", + "Delete related cache ?": "Borrar caché relacionada", + "Yes": "Sí", + "No": "No", + "Cache files deleted": "Archivos caché eliminados", + "Delete related cache when removing from Seedbox": "Borrar la caché relacionada al eliminar de Descargas", + "Always": "Siempre", + "Ask me every time": "Preguntarme siempre", + "Enable Protocol Encryption": "Habilitar Protocolo de Encriptación", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Permitir conectarse a los clientes que utilizan PE/MSE. En la mayoría de los casos aumentará el número de clientes conectables, pero también podría resultar en un mayor uso del CPU", + "Show the Seedbox when a new download is added": "Mostrar Descargas si un nuevo archivo es descargado", + "Download added": "Descarga añadida", + "Change API Server": "Cambiar el Servidor API", + "Default Content Language": "Audio por defecto", + "Title translation": "Traducción de Títulos", + "Translated - Original": "Traducción - Original", + "Original - Translated": "Original - Traducción", + "Translated only": "Sólo traducción", + "Original only": "Solo original", + "Translate Posters": "Traducir Portadas", + "Translate Episode Titles": "Traducir Títulos de los Episodios", + "Only show content available in this language": "Mostrar solo audio disponible en este lenguaje", + "Translations depend on availability. Some options also might not be supported by all API servers": "Las traducciones dependen de la disponibilidad. Es posible que algunas opciones no sean compatibles con todos los Servidores API", + "added": "añadido", + "Max. Down / Up Speed": "Vel. Max. Bajada / Subida", + "Show Release Info": "Mostrar información de estreno", + "Parental Guide": "Guía Parental", + "Rebuild bookmarks database": "Reconstruir la base de datos de los favoritos", + "Rebuilding bookmarks...": "Reconstruyendo favoritos...", + "Submit metadata & translations": "Enviar metadatos y traducciones", + "Not available": "No disponible", + "Cast not available": "Reparto no disponible", + "was removed from bookmarks": "fue eliminado de favoritos", + "Bookmark restored": "Favoritos restablecidos", + "Undo": "Deshacer", + "minute(s) remaining before preloading next episode": "minuto(s) restantes antes de precargar el siguiente episodio", + "Zoom": "Zoom", + "Contrast": "Contraste", + "Brightness": "Brillo", + "Hue": "Hue", + "Saturation": "Saturación", + "Decrease Zoom by": "Disminuir Zoom en", + "Increase Zoom by": "Incrementar Zoom en", + "Decrease Contrast by": "Disminuir Contraste en", + "Increase Contrast by": "Incrementar Contraste en", + "Decrease Brightness by": "Disminuir Brillo en", + "Increase Brightness by": "Incrementar Brillo en", + "Rotate Hue counter-clockwise by": "Disminuir Hue en", + "Rotate Hue clockwise by": "Aumentar Hue en", + "Decrease Saturation by": "Disminuir Saturación en", + "Increase Saturation by": "Incrementar Saturación en", + "Automatically update the API Server URLs": "Actualizar automáticamente las URLs del servidor API", + "Enable automatically updating the API Server URLs": "Actualización automática de las URLs de los Servidores API", + "Automatically update the app when a new version is available": "Actualizar automáticamente cuando haya una nueva versión disponible", + "Enable automatically updating the app when a new version is available": "Actualización automática si hay una nueva versión disponible", + "Check for updates": "Buscar actualizaciones", + "Updating the API Server URLs": "Actualizar las URLs del Servidor API", + "API Server URLs updated": "URLs del Servidor API actualizadas", + "API Server URLs already updated": "URLs del Servidor API ya actualizadas", + "API Server URLs could not be updated": "Las URLs del Servidor API no se han podido actualizar", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Puedes añadir múltiples Servidores API separados con una , de los cuales se seleccionará aleatoriamente (*para carga equilibrada) hasta que encuentre el primero disponible", + "The API Server URL(s) was copied to the clipboard": "Las URLs del Servidor API se copiaron al portapapeles", + "0 = Disable preloading": "0 = Precarga deshabilitada", + "Search field always expanded": "Campo de búsqueda siempre expandido", + "DHT UDP Requests Limit": "Límite de solicitudes DHT UDP", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Conéctate a %s para obtener automáticamente los subtítulos de las películas y episodios que ves en %s", + "Create an account": "Crear una cuenta", + "Search for something or drop a .torrent / magnet link...": "Buscar algo o soltar un archivo Torrent / enlace magnético...", + "Torrent removed": "Archivo Torrent eliminado", + "Remove": "Quitar", + "Connect to %s": "Conectar a %s", + "to automatically 'scrobble' episodes you watch in %s": "para publicar automáticamente los episodios que ves en %s", + "Sync now": "Sincronizar ahora", + "Same as Default Language": "Mismo que el lenguaje por defecto", + "Language": "Lenguaje", + "Allow Audio Passthrough": "Permitir la transferencia de audio", + "release info link": "Enlace de la información de estreno", + "parental guide link": "Enlace de la guía parental", + "IMDb page link": "Enlace de la página IMDb", + "submit metadata & translations link": "Enlace de envío de metadatos y traducciones", + "episode title": "Título del episodio", + "full cast & crew link": "Enlace del reparto y equipo completo", + "Click providers to enable / disable": "Clic en proveedores para activar / desactivar", + "Right-click to filter results by": "Clic derecho para filtrar resultados por", + "to filter by All": "filtrar por Todos", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/et.json b/src/app/language/et.json index e5784f7627..ad28374676 100644 --- a/src/app/language/et.json +++ b/src/app/language/et.json @@ -2,7 +2,7 @@ "External Player": "Väline Programm", "Made with": "Tehtud", "by a bunch of geeks from All Around The World": "kamba programmeerijate poolt üle kogu maailma", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Initializing %s. Please Wait...": "Käivitan %s. Palun oota...", "Movies": "Filmid", "TV Series": "TV Seriaalid", "Anime": "Anime", @@ -44,7 +44,6 @@ "Load More": "Lae Veel", "Saved": "Salvestatud", "Settings": "Seaded", - "Show advanced settings": "Näita rohkem seadeid", "User Interface": "Kasutajaliides", "Default Language": "Vaikimisi keel", "Theme": "Teema", @@ -61,31 +60,26 @@ "Disabled": "Väljas", "Size": "Suurus", "Quality": "Kvaliteet", - "Only list movies in": "Näita ainult kvaliteediga", - "Show movie quality on list": "Näita filmi kvaliteeti nimekirjas", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Ühenda oma %s konto, et automaatselt sünkroniseerida %s`is vaadatud osad", "Username": "Kasutajanimi", "Password": "Parool", - "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "%s stores an encrypted hash of your password in your local database": "%s salvestab krüpteeritud hashi Sinu paroolist kohalikku andmebaasi", "Remote Control": "Kaugjuhtimine", "HTTP API Port": "HTTP API Port", "HTTP API Username": "HTTP API Kasutajanimi", "HTTP API Password": "HTTP API Parool", "Connection": "Ühendus", - "TV Show API Endpoint": "TV Show API Endpoint", "Connection Limit": "Ühenduse limiit", "DHT Limit": "DHT limiit", "Port to stream on": "Port kuhu voog esitada", "0 = Random": "0 = Suvaline", "Cache Directory": "Vahemälu kaust", - "Clear Tmp Folder after closing app?": "Tühjenda vahemälu kaust pärast rakenduse sulgemist?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Andmebaas", "Database Directory": "Andmebaaside kaust", "Import Database": "Impordi Andmebaas", "Export Database": "Ekspordi Andmebaas", "Flush bookmarks database": "Puhasta järjehoidjate andmebaas", - "Flush subtitles cache": "Puhasta subtiitrite vahemälu", "Flush all databases": "Puhasta kõik andmebaasid", "Reset to Default Settings": "Taasta algsed seaded", "Importing Database...": "Impordin Andmebaasi...", @@ -110,7 +104,7 @@ "Peers:": "Ühendusi:", "Remove from bookmarks": "Eemalda järjehoidjatest", "Changelog": "Muudatused", - "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s on paljude arendajate ja disainerite koostöö tulemus, et luua programm millega teha torrentifilmide edastamine ja vaatamine nii lihtsaks kui võimalik. ", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Oleme avatud lähtekoodiga projekt. Me asume üle kogu maailma. Me armastame oma filme. Ja kurat, kus me armastame popcorni.", "Health Unknown": "Tervis Teadmata", "Episodes": "Episoodi", @@ -131,8 +125,8 @@ "Ended": "Lõppenud", "Error loading data, try again later...": "Andmete laadimisel ilmnes viga, proovige natukese aja pärast...", "Miscellaneous": "Muu", - "First Unwatched Episode": "Esimene vaatamata episood", - "Next Episode In Series": "Järgmine episood selles seerias", + "First unwatched episode": "First unwatched episode", + "Next episode": "Järgmine episood", "Flushing...": "Puhastan...", "Are you sure?": "Oled Sa kindel?", "We are flushing your databases": "Me tühjendame su andmebaasi", @@ -142,7 +136,7 @@ "Terms of Service": "Teenuse tingimused.", "I Accept": "Nõustun", "Leave": "Lahku", - "When Opening TV Series Detail Jump To": "Kui avatakse TV Seriaalide detailid mine", + "Series detail opens to": "Series detail opens to", "Playback": "Taasesitus", "Play next episode automatically": "Esita järgmine episood automaatselt", "Generate Pairing QR code": "Loo Pairing QR kood", @@ -152,23 +146,17 @@ "Seconds": "Sekundit", "You are currently connected to %s": "Sa oled hetkel ühendatud %s kontoga", "Disconnect account": "Ühenda konto lahti", - "Sync With Trakt": "Sünkroniseeri Trakt.tv", "Syncing...": "Sünkroniseerin...", "Done": "Valmis", "Subtitles Offset": "Subtiitrite kompenseerimine", "secs": "sekundit", "We are flushing your database": "Me tühjendame su andmebaasi", "Ratio": "Suhe", - "Advanced Settings": "Rohkem Seadeid", - "Tmp Folder": "Temp kaust", - "URL of this stream was copied to the clipboard": "Selle voo URL on kopeeritud", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Viga, andmebaas on tõenäoliselt korrumpeerunud. Proovi puhastada järjehoidjad seadetest.", "Flushing bookmarks...": "Puhastan järjehoidjaid...", "Resetting...": "Taastan...", "We are resetting the settings": "Taastan seadeid", "Installed": "Installitud", - "We are flushing your subtitle cache": "Puhastan subtiitrite vahemälu", - "Subtitle cache deleted": "Subtiitrite vahemälu kustutatud", "Please select a file to play": "Palun vali fail mida esitada", "Global shortcuts": "Globaalsed otseteed", "Video Player": "Video Player", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Välju täisekraanist", "Seek Backward": "Otsi tagasi", "Decrease Volume": "Vähenda heli", - "Show Stream URL": "Näita voo URL-i", "TV Show Detail": "Telesaate Üksikasjad", "Toggle Watched": "Vaadatud", "Select Next Episode": "Vali järgmine episood", @@ -205,33 +192,33 @@ "Help Section": "Abi", "Did you know?": "Kas Sa Teadsid?", "What does %s offer?": "Mida %s pakub? ", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "%s on programm millega saad vaadata Filme ja Telesaateid väga lihtsalt viisil. Kõik mis sa tegema pead on klikkima soovitud eseme kaanel ja valima 'Vaata Kohe'. Samas filmi vaatamise kogemus on täiesti kohaldatav:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Meie filmide kollektsioon sisaldab ainult kõrglahutusega filme, saadaval 720p ja 1080p formaadis. Et filme vaadata, lihtsalt käivita %s ja navigeeri läbi filmide kataloogi, mis on saadaval läbi 'Filmid' vahelehe. Vaikimisi näidatakse sulle filme mis on sorteeritud populaarsuse põhjal, kuid sa saad lisada ka oma filtreid kasutades 'Žanr' ja 'Sorteeri' valikuid. Kui oled leidnud filmi mida vaadata, siis kliki selle kaanel ja vali 'Vaata Kohe'. Ja ära unusta popcorni!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "TV Seriaalide vahelehel on näha kõik hetkel meie kollektsioonis saada olevad seeriad/seriaalid. Sa saad lisada ka oma filtreid, täpselt nagu Filmide vahelehel, et aidata otsustada mida vaadata soovid. Ka selles kollektsioonis lihtsalt kliki eseme kaanel - avaneb uus aken kus sa saad valida Hooaegade ja Episoodide vahel. Kui on otsus tehtud siis lihtsalt vajuta nupule 'Vaata Kohe'.", "Choose quality": "Vali kvaliteet", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Nupp mis asub 'Vaata Kohe' kõrval laseb sul muuta voogedastuse kvaliteeti. Sa saad määrata ka vaikimisi kvaliteedi Seadete vahelehelt. Hoiatus: parem kvaliteet tähendab rohkem andmeid/tuleb alla laadida suurem fail.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Enamustel meie Filmidel ja TV Seriaalidel on olemas ka subtiitrid teile sobivas keeles. Vaikimisi seadeid saate muuta Seaded vahelehel. Filmidel saad valida vastavad subtiitrid ka rippmenüüst, mis asub Filmi Üksikasjad lehel.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Klikkides südame ikoonil mis asub kaane peal saate lisada Filmi/Seriaali oma Lemmikutesse. See kollektsioon on saadaval läbi südame ikooni mis asub üleval navigatsiooniribas. Et filmi Lemmikutest eemaldada klikkige uuesti kaanel oleval südame ikoonil.", "Watched icon": "Vaadatud ikoon", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s jätab meelde filmid ja seriaalid mida Sa juba vaatanud oled. Sa saad ka ise filmi vaadatuks märkida kui klikid silma kujulisel ikoonil mis asub filmi või seriaali esikaanel. Sa saad sünkroniseerida oma kollektsiooni ka Trakt.tv kontoga, mille vastavad seadistused on leitavad Seaded vahelehel.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "%s`is saate kasutada luubi kujulist ikooni mis asub navigeerimisribal, et avada otsing. Sisesta filmi pealkiri, näitleja, rezissöör või isegi aasta ja vajuta 'Enter' klahvi. Et oma praegust otsingut sulgeda võid klikkida 'X' nupul mis asub otsinguvälja kõrval, või võite kirjutada otsingusse kohe midagi muud.", "External Players": "Välised mängijad", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Kui soovid kasutada kohaldatud mängijat filmide esitamiseks, mitte seda mis on kaasas antud programmiga, siis saate seda teha klikkides eraldatud ikooni 'Vaata Kohe' nupul. Kuvatakse nimekiri sulle saada olevatest mängijatest, vali nendest üks ja %s edastab kogu informatsiooni sinna. Kui sinu mängija ei ole nimekirjas, siis palun andke sellest meile teada.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Et programmi endale veel rohkem meelepärasemaks teha oleme lisanud suure hulga seaded. Need on leitavad Seaded vahelehel, kui klikite navigatsiooniribal olevale hammasratta kujulisele ikoonile.", "Keyboard Navigation": "Klaviatuuriga navigeerimine", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Kõikide otseteede nimekiri on saadaval kui vajutate '?' oma klaviaturil või avate selle klikates klaviatuuri kujulisel ikoonil mis asub Seaded vahelehel.", "Custom Torrents and Magnet Links": "Kohaldatud torrentid ja Magnet lingid", - "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "On võimalik esitada ka oma torrenteid. Lihtsalt lohista .torrrent failid või Magnet link rakenduse aknasse ja %s teeb ülejäänu.", "Torrent health": "Torrenti tervis", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "Filmi üksikasjade lehel on näha üks ring mis on kas hall, punane, kollane või roheline. Need värvid viitavad Torrenti tervisele. Roheline torrent laetakse alla üsna kiiresti, samas punase torrenti kiirus on väga aeglane või ei saa seda üldse alla laadida. Hall värv tähistab viga Filmi torrenti tervise arvutamisel, kui asud TV Seriaalid vahelehel siis pead klikkima sellel hallil nupul, et saada teada torrenti tervis.", - "How does %s work?": "How does %s work?", - "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "Kuidas %s töötab?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s esitab videosid läbi torrentite. Meie filmid on pakutavad %s ja TV Seriaalid %s poolt, samas kõik metaandmed tulevad läbi %s lehe. Meie enda serverites sisu ei hoita.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrenti esitamine? Torrentid kasutavad Bittorrent protokolli mis tähendab seda, et laetakse alla väiksed osad torrenti sisust mis asuvad mõne teise kasutaja arvutis, ise samal ajal saates väiksed osad mis on juba alla laetud teistele kasutajatele edasi. Nii on võimalik hetkel alla laaditud osi kohe vaada, samal ajal kui järgmised osad tagataustal alla laetakse. Selline andmevahetus võimaldab sisul 'terveks' jääda.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Kui film on täielikult alla laetud, siis jätkate torrenti osade jagamist teistele kasutajatele. Kõik kustutatakse arvutist, kui Te %s rakenduse sulgete. Nii lihtne see ongi.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Programm on ehitatud Node-WebKit, HTML, CSS ja Javascripti baasil. See toimib nagu Google Chrome brauser, välja arvatud see, et suurem osa koodist hoitakse sinu arvutis. Jah, %s töötab samal tehnoloogial nagu tavaline veebileht, nagu ... Wikipedia või YouTube.", "I found a bug, how do I report it?": "Ma leidsin vea, kuidas sellest teada anda?", - "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", - "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "You can paste magnet links anywhere in %s with CTRL+V.": "Sa saad Magent lingi rakendusse %s kleepida vajutades CTRL+V klahvi.", + "You can drag & drop a .torrent file into %s.": "Sa saad lohistada .torrrent faili rakendusse %s et seda esitada.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Kui subtiitrid antud TV Seriaalile puuduvad, saad need lisada %s lehel. Ja filmide omad %s lehel.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Sa võid sisse logida oma Trak.tv kontosse, et see sünkroniseerida mitme seadme vahel.", "Clicking on the rating stars will display a number instead.": "Kui klikite hinnangu tähekeste peal siis ilmuvad tähtede asemel numbrid.", @@ -309,10 +296,7 @@ "Super Power": "Super Power", "Supernatural": "Supernatural", "Vampire": "Vampire", - "Automatically Sync on Start": "Sünkroniseeri käivitamisel automaatselt", "VPN": "VPN", - "Activate automatic updating": "Aktiveeri automaatsed uuendused", - "Please wait...": "Palun oota...", "Connect": "Ühenda", "Create Account": "Loo Kasutaja", "Celebrate various events": "Tähista erinevaid sündmusi", @@ -320,10 +304,8 @@ "Downloaded": "Alla laetud", "Loading stuck ? Click here !": "Ei lae lõpuni? Vajuta siia!", "Torrent Collection": "Torrentite kollektsioon", - "Drop Magnet or .torrent": "Lohista siia Magnet või .torrent", "Remove this torrent": "Eemalda see torrent", "Rename this torrent": "Muuda torrenti nime", - "Flush entire collection": "Tühjenda terve kollektsioon", "Open Collection Directory": "Ava kollektsiooni kaust", "Store this torrent": "Salvesta see torrrent", "Enter new name": "Sisesta uus nimi", @@ -352,101 +334,214 @@ "No thank you": "Ei aitäh", "Report an issue": "Teavita probleemist", "Email": "Email", - "Log in": "Logi sisse", - "Report anonymously": "Teavita anonüümselt", - "Note regarding anonymous reports:": "Mida on sul vaja teada anonüümse teavitamise kohta:", - "You will not be able to edit or delete your report once sent.": "Sa ei saa muuta ega kustutada oma teavitatud probleemi kui oled selle juba ära saatnud.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Kui on vaja lisainfomatsiooni selle probleemi kohta siis see lihtsalt suletakse, kuna teil ei ole võimalik seda informatsiooni pakkuda.", - "Step 1: Please look if the issue was already reported": "Samm 1: Palun kontrolli, et see probleem ei oleks juba meie andmebaasis olemas", - "Enter keywords": "Sisesta märksõnad", - "Already reported": "Juba teavitatud", - "I want to report a new issue": "Ma tahan teavitada uuest probleemist", - "Step 2: Report a new issue": "Samm 2: Teavita uuest probleemist", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Märkus: Ärge kasutage seda vormi, et meiega ühendust võtta. See on limiteeritud ainult probleemide teavitamiseks!", - "The title of the issue": "Probleemi pealkiri", - "Description": "Kirjeldus", - "200 characters minimum": "Miinimum 200 tähemärki.", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Lühike kirjeldus probleemist. Kui võimalik, siis pane kirja samm sammult kuidas seda viga või probleemi uuesti luua.", "Submit": "Saada", - "Step 3: Thank you !": "Samm 3: Aitäh!", - "Your issue has been reported.": "Sinu probleemist on teada antud", - "Open in your browser": "Ava oma veebilehtisejas", - "No issues found...": "Ühtegi probleemi ei leitud...", - "First method": "Esimene meetod", - "Use the in-app reporter": "Kasuta rakendusesisest vormi", - "You can find it later on the About page": "Sa leiad selle hiljem ka Info lehelt.", - "Second method": "Teine meetod", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Kasuta %s probleemide filtrit, et kontrollida kas sellest probleemist on juba teada antud või on see juba parandatud.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Lisa ka screenshot kui see on vajalik - olenevalt kas su probleem on seotud disainiga või on see programmi viga.", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Probleemist teatamise vorm peaks olema täidetud hästi ja põhjalikult, et me ei peaks hakkama sind hiljem infopuuduse tõttu taga otsima. Kindlasti pane kirja ka andmed oma töökeskkonna kohta - operatsioonisüsteem, programmi versioon, jne.", "Warning: Always use English when contacting us, or we might not understand you.": "Märkus: Meiega ühendust võtmisel kasutage palun ainult inglise keelt!", - "Search for torrent": "Torrenti otsing", "No results found": "Ühtegi vastet ei leitud", - "Invalid credentials": "Valed andmed", "Open Favorites": "Ava lemmikud", "Open About": "Ava Info", "Minimize to Tray": "Minimeeri süsteemiribale", "Close": "Sulge", "Restore": "Taasta", - "Resume Playback": "Jätka taasesitust", "Features": "Lisad", "Connect To %s": "Ühenda %s", - "The magnet link was copied to the clipboard": "Magnet link kopeeriti teie lõikelauale.", - "Big Picture Mode": "Suure Pildi režiim", - "Big Picture Mode is unavailable on your current screen resolution": "Suure Pildi režiim ei ole sinu praeguse resolutisooni juures saadaval.", "Cannot be stored": "Ei saa salvestada.", - "%s reported this torrent as fake": "%s on teatanud, et see torrent on fake.", - "Randomize": "Juhuslik", - "Randomize Button for Movies": "'Juhuslik' nupp filmide jaoks", "Overall Ratio": "Üldine suhe", "Translate Synopsis": "Tõlgi lühikokkuvõte", "N/A": "N/A", "Your disk is almost full.": "Sinu kõvaketta maht on peaaegu täis.", "You need to make more space available on your disk by deleting files.": "Sa pead kõvakettale ruumi juurde tegema. Selleks kustuta mõned failid.", "Playing Next": "Mängib järgmisena", - "Trending": "Trend", - "Remember Filters": "Jäta filtrid meelde", - "Automatic Subtitle Uploading": "Automaatne subtiitrite ülesse laadimine", "See-through Background": "Läbipaistev taust", "Bold": "Jäme", "Currently watching": "Hetkel vaatad", "No, it's not that": "Ei, see ei ole see", "Correct": "Õige", - "Indie": "Amatöör", - "Init Database": "Init Database", - "Status: %s ...": "Status: %s ...", - "Create Temp Folder": "Create Temp Folder", - "Set System Theme": "Set System Theme", + "Init Database": "Lähtesta andmebaas", + "Status: %s ...": "Staatus: %s ...", + "Create Temp Folder": "Loo Temp kaust", + "Set System Theme": "Vali süsteemi teema", "Disclaimer": "Disclaimer", - "Series": "Series", - "Finished": "Finished", - "Event": "Event", - "action": "action", - "war": "war", + "Series": "Seriaalid", + "Event": "Sündmus", "Local": "Kohalik", "Try another subtitle or drop one in the player": "Proovi mõnda teist subtiitrit või lohista mõni mängijasse.", - "animation": "animation", - "family": "family", - "show": "show", + "show": "Saated", "movie": "film", - "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", + "Something went wrong downloading the update": "Midagi läks valesti uuenduse allalaadimisega", "Error converting subtitle": "Subtiitrite konverteerimine ebaõnnestus.", "No subtitles found": "Subtiitreid ei leitud.", "Try again later or drop a subtitle in the player": "Proovi hiljem uuesti või lohista subtiitrid mängijasse.", - "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "You should save the content of the old directory, then delete it": "Sa peaks enne vana kausta sisu salvestama, siis selle kustutama", "Search on %s": "Otsi %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", - "Audio Language": "Audio keel", + "Audio Language": "Heli keel", "Subtitle": "Subtiiter", "Code:": "Kood:", "Error reading subtitle timings, file seems corrupted": "Viga subtiitrite ajastuse lugemisel, fail tundub vigane.", - "Connection Not Secured": "Connection Not Secured", - "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", - "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Luba VPN" + "Open File to Import": "Ava imporditav fail", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Tühista ja kasuta VPN-i", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Laen alla", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Salvestatud Torrentid", + "Search Results": "Otsingutulemused", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Impordi Torrenti fail", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Originaal", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Tundmatu", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Jah", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Eredus", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Otsi uuendusi", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Loo konto", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Eemalda", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "rohkem...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "vähem..." } \ No newline at end of file diff --git a/src/app/language/eu.json b/src/app/language/eu.json index 4fe9a3a2e4..e54fff1883 100644 --- a/src/app/language/eu.json +++ b/src/app/language/eu.json @@ -44,7 +44,6 @@ "Load More": "Kargatu gehiago", "Saved": "Gordeta", "Settings": "Ezarpenak", - "Show advanced settings": "Erakutsi ezarpen aurreratuak", "User Interface": "Erabiltzaile interfazea", "Default Language": "Berezko Hizkuntza", "Theme": "Itxura", @@ -61,9 +60,7 @@ "Disabled": "Ezgaituta", "Size": "Neurria", "Quality": "Kalitatea", - "Show movie quality on list": "Erakutsi filmaren kalitatea zerrendan", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Konektatu %s-ra %s-n ikusi dituzun atalak automatikoki 'markatzeko'", "Username": "Erabiltzaile-izena", "Password": "Pasahitza", "%s stores an encrypted hash of your password in your local database": "%s-k zure pasahitzaren hash enkriptatutako bat gordetzen du tokiko datu-basean", @@ -72,7 +69,6 @@ "HTTP API Username": "HTTP API Erabiltzaile-izena", "HTTP API Password": "HTTP API pasahitza", "Connection": "Konexioa", - "TV Show API Endpoint": "TB Ikuskizun API Amaipuntua", "Connection Limit": "Konexio muga", "DHT Limit": "DHT muga", "Port to stream on": "Jariotze ataka", @@ -84,7 +80,6 @@ "Import Database": "Inportatu datu-basea", "Export Database": "Esportatu datu-basea", "Flush bookmarks database": "Hustu laster-marken datu-basea", - "Flush subtitles cache": "Hustu azpidatzi katxea", "Flush all databases": "Hustu datu-base guztiak", "Reset to Default Settings": "Berrezarri lehenetsitako ezarpenak", "Importing Database...": "Datu-basea inportatzen...", @@ -151,23 +146,17 @@ "Seconds": "Segundu", "You are currently connected to %s": "Jadanik %s-ra konektaturik zaude", "Disconnect account": "Deskonektatu kontua", - "Sync With Trakt": "Sinkronizatu Trakt-rekin", "Syncing...": "Sinkronizatzen...", "Done": "Eginda", "Subtitles Offset": "Azpidatzi doikuntza", "secs": "seg", "We are flushing your database": "Zure datu-basea hustutzen ari gara", "Ratio": "Ratioa", - "Advanced Settings": "Ezarpen aurreratuak", - "Tmp Folder": "Tmp direktorioa", - "URL of this stream was copied to the clipboard": "Jario honen URL-a arbelera kopiatu da", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Akatsa, datu-basea ziurrenik hondatuta dago. Saiatu laster-markak hustutzen ezarpenetan.", "Flushing bookmarks...": "Laster-markak hustutzen...", "Resetting...": "Berrezartzen...", "We are resetting the settings": "Ezarpenak berrezartzen ari gara", "Installed": "Instalatuta", - "We are flushing your subtitle cache": "Zure azpidatzi katxea husten ari gara", - "Subtitle cache deleted": "Azpidatzi katxea ezabatuta", "Please select a file to play": "Mesedez hautatu irakurtzeko fitxategia", "Global shortcuts": "Lastertekla orokorrak", "Video Player": "Bideo erreproduzigailua", @@ -184,7 +173,6 @@ "Exit Fullscreen": "Irten pantaila osotik", "Seek Backward": "Bilatu atzerantz", "Decrease Volume": "Jeitsi bolumena", - "Show Stream URL": "Erakutsi jarioaren URL-a", "TV Show Detail": "TB Ikuskizun Xehetasuna", "Toggle Watched": "Aldatu Ikusita", "Select Next Episode": "Hautatu Hurrengo Atala", @@ -308,10 +296,7 @@ "Super Power": "Super boterea", "Supernatural": "Naturaz gaindikoa", "Vampire": "Banpiroa", - "Automatically Sync on Start": "Berezgaitasunez Aldiberetu Abiatzean", "VPN": "VPN", - "Activate automatic updating": "Gaitu berezgaitasunezko eguneraketa", - "Please wait...": "Itxaron mesedez...", "Connect": "Elkartu", "Create Account": "Sortu Kontua", "Celebrate various events": "Ospatu hainbat gertaera", @@ -319,10 +304,8 @@ "Downloaded": "Jeitsita", "Loading stuck ? Click here !": "Gertatzea trabatuta ? Klikatu hemen !", "Torrent Collection": "Torrent Bilduma", - "Drop Magnet or .torrent": "Arrastatu Magneta edo .torrenta", "Remove this torrent": "Kendu torrent hau", "Rename this torrent": "Berrizendatu torrent hau", - "Flush entire collection": "Hustu bilduma osoa", "Open Collection Directory": "Ireki Bilduma Zuzenbidea", "Store this torrent": "Biltegiratu torrent hau", "Enter new name": "Sartu izen berria", @@ -351,108 +334,59 @@ "No thank you": "Ez mila esker", "Report an issue": "Jakinarazi arazo bat", "Email": "Post@", - "Log in": "Hasi Saioa", - "Report anonymously": "Jakinarazi izengabe", - "Note regarding anonymous reports:": "Izengabeko jakinarazpenei buruzko oharra:", - "You will not be able to edit or delete your report once sent.": "Zure jakinarazpena ezingo duzu editatu edo ezabatu behin bidalitakoan.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Argibide gehigarriren bat behar bada, jakinarazpena itxi egin daiteke, eta ezingo duzu eman.", - "Step 1: Please look if the issue was already reported": "1 urratsa: Mesedez begiratu arazoa jadanik jakinarazi den", - "Enter keywords": "Sartu hitz-gakoak", - "Already reported": "Jadanik jakinarazita", - "I want to report a new issue": "Arazo berri bat jakinaraztea nahi dut", - "Step 2: Report a new issue": "2 urratsa: Jakinarazi arazo berri bat", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Oharra: mesedez ez erabili galdekizun hau gurekin harremanetan jartzeko. Akats jakinarazpenetarako bakarrik da.", - "The title of the issue": "Arazoaren izenburua", - "Description": "Azalpena", - "200 characters minimum": "200 hizki gutxienez", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Arazoaren azalpen labur bat. Ahal bada, barneratu akatsa berregiteko urratsak.", "Submit": "Aurkeztu", - "Step 3: Thank you !": "3 urratsa: Mila esker !", - "Your issue has been reported.": "Zure arazoa jakinarazi da.", - "Open in your browser": "Ireki zure nabigatzailean", - "No issues found...": "Ez da arazorik aurkitu...", - "First method": "Lehen metodoa", - "Use the in-app reporter": "Erabili aplikazioaren jakinarazlea", - "You can find it later on the About page": "Geroago bidali dezakezu Honi buruz orrialdean", - "Second method": "Bigarren metodoa", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Erabili %s arazo iragazkia bilaketarako eta egiaztatu arazoa jadanik jakinarazia izan den edo jadanik zuzenduta dagoen.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Barneratu ikusleiho-argazki bat beharrezkoa bada - Zure arazoa diseinuari buruzkoa da edo akats bat?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Jakinarazpen on batek ez du inor argibide gehiagoren beharrean utzi behar. Zihurtatu zure ingurugiroaren xehetasunak barneratzeaz.", "Warning: Always use English when contacting us, or we might not understand you.": "Oharra: Betik erabili Ingelera harremanetarako, edo badaiteke ez erantzutea.", - "Search for torrent": "Bilatu torrent", "No results found": "Ez da emaitzik aurkitu", - "Invalid credentials": "Ezagutarazle baliogabeak", "Open Favorites": "Ireki Gogokoenak", "Open About": "Ireki Honi buruz", "Minimize to Tray": "Txikiendu Erretilura", "Close": "Itxi", "Restore": "Leheneratu", - "Resume Playback": "Berrekin Irakurketa", "Features": "Ezaugarriak", "Connect To %s": "Elkartu %s-ra", - "The magnet link was copied to the clipboard": "Magnet lotura gakora kopiatu da", - "Big Picture Mode": "Argazki Handia Modua", - "Big Picture Mode is unavailable on your current screen resolution": "Argazki Handi Modua ez dago eskuragarri zure oraingo ikusleiho bereizmenean", "Cannot be stored": "Ezin da biltegiratu", - "%s reported this torrent as fake": "%s-k torrent hau faltsua bezala salatu du", - "Randomize": "Zorizkotu", - "Randomize Button for Movies": "Zorizkotu Botoia Filmentzat", "Overall Ratio": "Maila Orokorra", "Translate Synopsis": "Itzuli Laburpena", "N/A": "E/G", "Your disk is almost full.": "Zure diska ia beteta dago.", "You need to make more space available on your disk by deleting files.": "Toki eskuragarri gehiago egin behar duzu zure diskan agiriak ezabatuz.", "Playing Next": "Irakurri Hurrengoa", - "Trending": "Joeran", - "Remember Filters": "Gogoratu Iragazkiak", - "Automatic Subtitle Uploading": "Berezgaitasunezko Azpidatzi Igoera", "See-through Background": "Ikusi Barrenean", "Bold": "Lodia", "Currently watching": "Orain ikusten", "No, it's not that": "Ez, ez da hori", "Correct": "Zuzendu", - "Indie": "Indie", "Init Database": "Hasierako datu-basea", "Status: %s ...": "Egoera: %s ...", "Create Temp Folder": "Sortu behin behineko karpeta", "Set System Theme": "Ezarri sistemaren itxura", "Disclaimer": "Erantzukizuna", "Series": "Serieak", - "Finished": "Bukatu da", "Event": "Gertaera", "Local": "Tokikoa", "Try another subtitle or drop one in the player": "Saiatu beste azpidatzi batekin edo arrastatu bat irakurgailura", "show": "erakutsi", "movie": "bideoa", "Something went wrong downloading the update": "Arazoren bat izan da eguneratzea deskargatzean", - "Activate Update seeding": "Aktibatu zatien karga", "Error converting subtitle": "Akatsa azpidatzia bihurtzerakoan", "No subtitles found": "Ez da azpidatzirik aurkitu", "Try again later or drop a subtitle in the player": "Saiatu berriro geroago edo arrastatu azpidatzi bat irakurgailura", "You should save the content of the old directory, then delete it": "Direktorio zaharreko edukia gorde beharko zenuke eta, ondoren, ezabatu", "Search on %s": "Bilatu hemen: %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Ziur Torrent bilduma osoa garbitu nahi duzula?", "Audio Language": "Audioaren hitzkuntza", "Subtitle": "Azpitituluak", "Code:": "Kodeketa:", "Error reading subtitle timings, file seems corrupted": "Akatsa azpidatziaren denbora-kodea irakurtzerakoan, agiriak hondatua dirudi", - "Connection Not Secured": "Konexioa ez da segurua", "Open File to Import": "Ireki fitxategia inportatzeko", "Browse Directory to save to": "Arakatu gordetzeko direktorioa", "Cancel and use VPN": "Utzi eta VPN erabili", "Resume seeding after restarting the app?": "Pareak mantendu aplikazioa berrabiaraztean?", - "Enable VPN": "Gaitu VPN", - "Popularity": "Ospea", - "Last Added": "Gehitutako azkena", "Seedbox": "Pareen kutxa", "Cache Folder": "Cache karpeta", - "Science-fiction": "Zientzia-fikzioa", - "Superhero": "Superheroia", "Show cast": "Erakutsi aktoreak", - "Health Good": "Osasun ona", - "Health Medium": "Osasun ertaina", - "Health Excellent": "Osasuna bikaina", - "Right click to copy": "Eskuin klika kopiatzeko", "Filename": "Fitxategiaren izena", "Stream Url": "Transmisioaren URLa", "Show playback controls": "Erakutsi erreproduzitzeko kontrolak", @@ -469,17 +403,9 @@ "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Gogoratu zure datu-basea esportatu behar duzula eguneratu aurretik, zure gogokoak, ikusitakoak edo ezarpenak leheneratu nahi badituzu. ", "Update Now": "Eguneratu orain", "Database Exported": "Datu-basea esportatu da", - "Slice Of Life": "Bizitzaren zatia", - "Home And Garden": "Etxea eta lorategia", - "Returning Series": "Telesailak Itzultzen", - "Finished Airing": "Emanaldia amaituta", - "No Favorites found...": "Ez da gogokoenik aurkitu...", - "No Watchlist found...": "Ez da Ikus-zerrendarik aurkitu...", - "Health Bad": "Osasuna txarra", "ThePirateBay": "ThePirateBay", "1337x": "1337x", "RARBG": "RARBG", - "OMGTorrent": "OMGTorrent", "Saved Torrents": "Gordetako torrent-ak", "Search Results": "Bilaketaren emaitzak", "Paste a Magnet link": "Itsatsi Magnet esteka", @@ -490,138 +416,132 @@ "Bookmarked items": "Lastermarkak", "Download list is empty...": "Deskargatutako zerrenda hutsik dago...", "Active Torrents Limit": "Torrent aktiboen muga", - "Currently Airing": "Orain emititzen", "Toggle Subtitles": "Aktibatu/desaktibatu azpitituluak", "Toggle Crop to Fit screen": "Moztu ala doitu pantailara", "Original": "Jatorrizkoa", "Fit screen": "Doitu pantailara", "Video already fits screen": "Bideoa pantailara doitzen da jada", - "Copied to clipboard": "Arbelean kopiatu da", "The filename was copied to the clipboard": "Fitxategiaren izena arbelean kopiatu da", "The stream url was copied to the clipboard": "Transmisioaren URLa arbelean kopiatu da", - "Create account": "Sortu kontua", "* %s stores an encrypted hash of your password in your local database": "* %s-k zure pasahitzaren hash enkriptatutako bat gordetzen du tokiko datu-basean", - "Device can't play the video": "Gailuak ezin du bideoa erreproduzitu", "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Baliteke zure gailuak bideo formatua/kodeka ez onartzea.
Saiatu beste bereizmen-kalitate batez edo VLCren bidez erreproduzitzen.", "Hide cast": "Ezkutatu aktoreak", "Tabs": "Fitxak", - "No movies found...": "Ez da filmik aurkitu...", - "Holiday": "Oporraldia", "Native window frame": "Jatorrizko leihoaren markoa", "Open Cache Folder": "Ireki Cache karpeta", "Restart Popcorn Time": "Berrabiarazi Popcorn Time", "Developer Tools": "Garatzaileen tresnak", - "No shows found...": "Ez da ikuskizunik aurkitu...", - "No anime found...": "Ez da animaziorik aurkitu...", - "Search in %s": " %s-an aurkitua", - "Show 'Search on Torrent Collection' in search": "Erakutsi 'Bilatu Torrent-en bilduman' bilaketan", "Movies API Server": "Bideoen API zerbitzaria", "Series API Server": "Serieen API zerbitaria", "Anime API Server": "Animazioen API zerbitzaria", "The image url was copied to the clipboard": "Irudiaren URLa arbelean kopiatu da", "Popcorn Time currently supports": "Une honetan Popcorn Timek onartzen ditu", "There is also support for Chromecast, AirPlay & DLNA devices.": "Chromecast, AirPlay eta DLNA gailuek ere onartzen dituzte.", - "Right click for supported players": "Sakatu eskuin klika onartzen diren erreproduzigailuak ikusteko", - "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.": "Ezarri zenbaki bat Generoaren, Ordenatu honen araberaren eta Motaren iragaziei eta sakatu 'Eginda' zure hobespenak gordetzeko.", "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Hainbat iragazki eta fitxa ezar ditzakezu aldi berean eta, noski, geroago beste batzuk", "as well as overwrite or reset your preferences)": "baita zure hobespenak gainidatzi edo berrezarri)", "Default Filters": "Iragazki lehenetsiak", - "Set Filters": "Set Filters", - "Reset Filters": "Reset Filters", - "Your Default Filters have been changed": "Your Default Filters have been changed", - "Your Default Filters have been reset": "Your Default Filters have been reset", - "Setting Filters...": "Setting Filters...", - "Default": "Default", - "Custom": "Custom", - "Remember": "Remember", - "Cache": "Cache", + "Set Filters": "Ezarri iragazkiak", + "Reset Filters": "Berrezarri iragazkiak", + "Your Default Filters have been changed": "Zure iragazki lehenetsiak aldatu dira", + "Your Default Filters have been reset": "Zure iragazki lehenetsiak berrezarri dira", + "Setting Filters...": "Iragazkiak ezartzen...", + "Default": "Lehenetsia", + "Custom": "Pertsonalizatua", + "Remember": "Gogoan izan", + "Cache": "Cachea", "Unknown": "Ezezaguna", - "Change Subtitles Position": "Change Subtitles Position", - "Minimize": "Minimize", - "Separate directory for Downloads": "Separate directory for Downloads", - "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", - "Downloads Directory": "Downloads Directory", - "Open Downloads Directory": "Open Downloads Directory", - "Delete related cache ?": "Delete related cache ?", + "Change Subtitles Position": "Aldatu azpitituluen kokalekua", + "Minimize": "Minimizatu", + "Separate directory for Downloads": "Deskargak egiteko direktorio bereizia", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Gaitzen baduzu, Ikusi orain eta Deskargatu funtzioen artean cachea partekatzea eragotziko da", + "Downloads Directory": "Deskargen direktorioa", + "Open Downloads Directory": "Ireki deskargen direktorioa", + "Delete related cache ?": "Erlazionatutako cachea ezabatu?", "Yes": "Bai", - "No": "No", - "Cache files deleted": "Cache files deleted", - "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", - "Always": "Always", - "Never": "Never", - "Ask me every time": "Ask me every time", - "Enable Protocol Encryption": "Enable Protocol Encryption", - "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", - "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "No": "Ez", + "Cache files deleted": "Cache fitxategiak ezabatu dira", + "Delete related cache when removing from Seedbox": "Ezabatu erlazionatutako cachea Seedbox-etik kentzean", + "Always": "Beti", + "Ask me every time": "Galdetu aldiro", + "Enable Protocol Encryption": "Gaitu protokoloaren enkriptatzea", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "PE/MSE erabiltzen duten kideekin konektatzeko aukera ematen du. Kasu gehienetan konekta daitezkeen parekideen kopurua handituko da, baina PUZaren erabilera areagotzea ere eragingo du", + "Show the Seedbox when a new download is added": "Erakutsi Seedbox deskarga berri bat gehitzen denean", "Download added": "Download added", - "Change API Server": "Change API Server", - "Localisation": "Localisation", - "Default Content Language": "Default Content Language", - "Same as interface": "Same as interface", - "Title translation": "Title translation", - "Translated - Original": "Translated - Original", - "Original - Translated": "Original - Translated", - "Translated only": "Translated only", - "Original only": "Original only", - "Translate Posters": "Translate Posters", - "Translate Episode Titles": "Translate Episode Titles", - "Only show content available in this language": "Only show content available in this language", - "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", - "added": "added", - "The source link was copied to the clipboard": "The source link was copied to the clipboard", - "Max. Down / Up Speed": "Max. Down / Up Speed", - "Show Release Info": "Show Release Info", - "Parental Guide": "Parental Guide", - "Rebuild bookmarks database": "Rebuild bookmarks database", - "Rebuilding bookmarks...": "Rebuilding bookmarks...", - "Submit metadata & translations": "Submit metadata & translations", - "Not available": "Not available", - "Cast not available": "Cast not available", - "Show an 'Undo' button when a bookmark is removed": "Show an 'Undo' button when a bookmark is removed", - "was added to bookmarks": "was added to bookmarks", - "was removed from bookmarks": "was removed from bookmarks", - "Bookmark restored": "Bookmark restored", - "Undo": "Undo", - "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", - "Zoom": "Zoom", - "Contrast": "Contrast", - "Brightness": "Brightness", - "Hue": "Hue", - "Saturation": "Saturation", - "Decrease Zoom by": "Decrease Zoom by", - "Increase Zoom by": "Increase Zoom by", - "Decrease Contrast by": "Decrease Contrast by", - "Increase Contrast by": "Increase Contrast by", - "Decrease Brightness by": "Decrease Brightness by", - "Increase Brightness by": "Increase Brightness by", - "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", - "Rotate Hue clockwise by": "Rotate Hue clockwise by", - "Decrease Saturation by": "Decrease Saturation by", - "Increase Saturation by": "Increase Saturation by", - "Automatically update the API Server URLs": "Automatically update the API Server URLs", - "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", - "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", - "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Change API Server": "Aldatu API zerbitzaria", + "Default Content Language": "Edukien hizkuntza lehenetsia", + "Title translation": "Izenburuaren itzulpena", + "Translated - Original": "Itzulpena - Jatorrizkoa", + "Original - Translated": "Jatorrizkoa - Itzulpena", + "Translated only": "Itzulpena soilik", + "Original only": "Jatorrizkoa soilik", + "Translate Posters": "Itzuli kartelak", + "Translate Episode Titles": "Itzuli atalen izenburuak", + "Only show content available in this language": "Erakutsi hizkuntza honetan erabilgarri dagoen edukia soilik", + "Translations depend on availability. Some options also might not be supported by all API servers": "Itzulpenak erabilgarritasunaren araberakoak dira. Baliteke aukera batzuk API zerbitzari guztiek ez onartzea ere", + "added": "gehituta", + "Max. Down / Up Speed": "Max. Behera / Gora Abiadura", + "Show Release Info": "Erakutsi bertsio berriaren informazioa", + "Parental Guide": "Gurasoentzako gida", + "Rebuild bookmarks database": "Berreraiki laster-marken datu-basea", + "Rebuilding bookmarks...": "Laster-markak berreraikitzen...", + "Submit metadata & translations": "Laster-markak berreraikitzen...", + "Not available": "Ez dago eskuragarri", + "Cast not available": "Aktoreen zerrenda ez dago eskuragarri", + "was removed from bookmarks": "laster-marketatik kendu da", + "Bookmark restored": "Laster-marka leheneratu da", + "Undo": "Desegin", + "minute(s) remaining before preloading next episode": "minutu falta dira hurrengo atala kargatzeko ", + "Zoom": "Zooma", + "Contrast": "Kontrastea", + "Brightness": "Distira", + "Hue": "Tonua", + "Saturation": "Saturazioa", + "Decrease Zoom by": "Txikiagotu zooma honela", + "Increase Zoom by": "Handiagotu zooma honela", + "Decrease Contrast by": "Txikiagotu kontrastea honela", + "Increase Contrast by": "Handiagotu kontrastea honela", + "Decrease Brightness by": "Txikiagotu distira honela", + "Increase Brightness by": "Handiagotu distira honela", + "Rotate Hue counter-clockwise by": "Biratu tonua erlojuaren kontrako noranzkoan", + "Rotate Hue clockwise by": "Biratu tonua erlojuaren noranzkoan", + "Decrease Saturation by": "Txikiagotu saturazioa honela", + "Increase Saturation by": "Handiagotu saturazioa honela", + "Automatically update the API Server URLs": "Eguneratu automatikoki API zerbitzariaren URLak", + "Enable automatically updating the API Server URLs": "Gaitu API zerbitzariaren URLak automatikoki eguneratzea", + "Automatically update the app when a new version is available": "Eguneratu aplikazioa automatikoki bertsio berri bat eskuragarri dagoenean", + "Enable automatically updating the app when a new version is available": "Gaitu aplikazioa automatikoki eguneratzea bertsio berri bat eskuragarri dagoenean", "Check for updates": "Egiaztatu eguneraketarik dagoen", - "Updating the API Server URLs": "Updating the API Server URLs", - "API Server URLs updated": "API Server URLs updated", - "API Server URLs already updated": "API Server URLs already updated", - "Change API server(s) to the new URLs?": "Change API server(s) to the new URLs?", - "API Server URLs could not be updated": "API Server URLs could not be updated", - "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", - "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", - "0 = Disable preloading": "0 = Disable preloading", - "Search field always expanded": "Search field always expanded", - "DHT UDP Requests Limit": "DHT UDP Requests Limit", - "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", - "Create an account": "Create an account", - "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", - "Torrent removed": "Torrent removed", - "Remove": "Remove", - "Connect to %s": "Connect to %s", - "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", - "Sync now": "Sync now", - "Same as Default Language": "Same as Default Language", - "Language": "Language", - "Allow Audio Passthrough": "Allow Audio Passthrough" + "Updating the API Server URLs": "API zerbitzariaren URLak eguneratzen", + "API Server URLs updated": "API zerbitzariaren URLak eguneratu dira", + "API Server URLs already updated": "Dagoeneko eguneratu dira API zerbitzariaren URLak", + "API Server URLs could not be updated": "API zerbitzariaren URLak ezin izan dira eguneratu", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "API zerbitzari bat baino gehiago gehi ditzakezu , eta ausaz hautatuko du (*kargaren balantzearen bidez) eskuragarri dagoen lehena aurkitu arte.", + "The API Server URL(s) was copied to the clipboard": "API zerbitzariaren URLa(k) arbelean kopiatu d(ir)a", + "0 = Disable preloading": "0 = Desgaitu aurrez kargatzea", + "Search field always expanded": "Bilaketa-eremua beti zabaltzen da", + "DHT UDP Requests Limit": "DHT UDP eskaeren muga", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Konektatu %s-rekin %s-n ikusten dituzun filmen eta atalen azpitituluak automatikoki eskuratzeko", + "Create an account": "Sortu kontu bat", + "Search for something or drop a .torrent / magnet link...": "Bilatu zerbait edo jaregin .torrent / magnet esteka bat...", + "Torrent removed": "Torrent kendu da", + "Remove": "Kendu", + "Connect to %s": "Konektatu %s-ra", + "to automatically 'scrobble' episodes you watch in %s": "%s-n ikusten dituzun atalak automatikoki zure kontura igotzeko", + "Sync now": "Sinkronizatu orain", + "Same as Default Language": "Hizkuntza lehenetsiaren berdina", + "Language": "Hizkuntza", + "Allow Audio Passthrough": "Baimendu audio-pasabidea", + "release info link": "argitaratu informazioaren esteka", + "parental guide link": "gurasoentzako gidaren esteka", + "IMDb page link": "IMDb orriaren esteka", + "submit metadata & translations link": "bidali metadatu eta itzulpenen esteka", + "episode title": "atalaren izenburua", + "full cast & crew link": "aktore eta talde osoaren esteka", + "Click providers to enable / disable": "Egin klik hornitzaileak gaitzeko/desgaitzeko", + "Right-click to filter results by": "Egin eskuin klik emaitzak iragazteko", + "to filter by All": "honen arabera iragazteko All", + "more...": "gehiago...", + "Seeds": "Haziak", + "Peers": "Parekoak", + "less...": "gutxiago..." } \ No newline at end of file diff --git a/src/app/language/fa.json b/src/app/language/fa.json index acf40965ec..299b602991 100644 --- a/src/app/language/fa.json +++ b/src/app/language/fa.json @@ -44,7 +44,6 @@ "Load More": "بیشتر", "Saved": "ذخیره شد", "Settings": "تنظیمات", - "Show advanced settings": "نمایش تنظیمات پیشرفته", "User Interface": "رابط کاربری", "Default Language": "زبان پیش‌فرض", "Theme": "تم", @@ -61,10 +60,7 @@ "Disabled": "غیرفعال", "Size": "سایز", "Quality": "کیفیت", - "Only list movies in": "تنها فیلم‌های دارای این کیفیت در فهرست نمایش داده شوند", - "Show movie quality on list": "نمایش کیفیت فیلم در فهرست", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "به %s متصل شوید تا قسمت‌هایی که در %s تماشا میکنید به طور خودکار ثبت شوند", "Username": "نام کاربری", "Password": "رمز عبور", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API نام کاربری", "HTTP API Password": "HTTP API رمز عبور", "Connection": "اتصال", - "TV Show API Endpoint": "سریال‌ها API نشانی اینترنی", "Connection Limit": "محدودیت اتصال", "DHT Limit": "DHT محدودیت", "Port to stream on": "پورت مخصوص جاری‌سازی", "0 = Random": "تصادفی = 0", "Cache Directory": "پوشه‌ی ذخیره‌سازی موقت", - "Clear Tmp Folder after closing app?": "پاکسازی پوشه‌ی ذخیره‌سازی موقت پس از بستن برنامه", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "پایگاه‌ داده", "Database Directory": "پوشه‌ی پایگاه داده", "Import Database": "وارد کردن پایگاه داده", "Export Database": "ذخیره‌ی پایگاه داده", "Flush bookmarks database": "پاکسازی بوکمارک‌ها", - "Flush subtitles cache": "پاکسازی زیرنویس‌ها", "Flush all databases": "پاکسازی تمام پایگاه‌های داده", "Reset to Default Settings": "برگرداندن تنظیمات اولیه", "Importing Database...": "در حال وارد کردن پایگاه داده...", @@ -131,8 +125,8 @@ "Ended": "پایان یافت", "Error loading data, try again later...": "بارگذاری اطلاعات با خطا مواجه شد. بعدا دوباره تلاش کنید...", "Miscellaneous": "متفرقه", - "First Unwatched Episode": "اولین قسمتِ دیده نشده", - "Next Episode In Series": "قسمت بعدی سریال", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "در حال پاکسازی...", "Are you sure?": "آیا مطمئن هستید؟", "We are flushing your databases": "ما در حال پاکسازی پایگاه داده‌ی شما هستیم", @@ -142,7 +136,7 @@ "Terms of Service": "شرایط خدمات", "I Accept": "قبول می‌کنم", "Leave": "خروج", - "When Opening TV Series Detail Jump To": "پس از باز کردن اطلاعات سریال، برو به", + "Series detail opens to": "Series detail opens to", "Playback": "پخش", "Play next episode automatically": "پخش خودکار قسمت بعدی", "Generate Pairing QR code": "برای برقراری ارتباط QR ساخت کد", @@ -152,23 +146,17 @@ "Seconds": "ثانیه", "You are currently connected to %s": "شما به %s متصل شده اید.", "Disconnect account": "قطع ارتباط حساب کاربری", - "Sync With Trakt": "Trakt هماهنگ‌سازی با", "Syncing...": "در حال هماهنگ‌سازی...", "Done": "انجام شد", "Subtitles Offset": "فاصله‌ی زمانی زیرنویس", "secs": "ثانیه", "We are flushing your database": "ما در حال پاکسازی پایگاه داده‌ی شما هستیم", "Ratio": "نسبت", - "Advanced Settings": "تنظیمات پیشرفته", - "Tmp Folder": "پوشه‌ی موقت", - "URL of this stream was copied to the clipboard": "نشانی اینترنتی این جاری‌سازی به کلیپ بورد کپی شد", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "خطا، احتمالا پایگاه داده با ایراد مواجه شده است. از بخش تنظیمات، بوکمارک‌ها را پاکسازی کنید.", "Flushing bookmarks...": "پاکسازی پایگاه داده‌ی بوکمارک‌ها", "Resetting...": "برگرداندن تنظیمات...", "We are resetting the settings": "ما در حال برگرداندن تنظیمات هستیم", "Installed": "نصب شد", - "We are flushing your subtitle cache": "ما در حال پاکسازی حافظه‌ی موقط زیرنویس‌ها هستیم", - "Subtitle cache deleted": "حافظه‌ی موقط زیرنویس‌ها پاکسازی شد", "Please select a file to play": "لطفا فایلی را برای پخش انتخاب کنید", "Global shortcuts": "کلیدهای میانبر سراسری", "Video Player": "ویدئو پلیر", @@ -185,7 +173,6 @@ "Exit Fullscreen": "خروج از حالت تمام‌صفحه", "Seek Backward": "پویش به عقب", "Decrease Volume": "کاهش صدا", - "Show Stream URL": "نمایش نشانی اینترنتی جاری‌سازی", "TV Show Detail": "جزئیات سریال", "Toggle Watched": "تغییر وضعیتِ دیده‌شده", "Select Next Episode": "انتخاب قسمت بعدی", @@ -309,10 +296,7 @@ "Super Power": "قدرت فوق بشری", "Supernatural": "مافوق طبیعی", "Vampire": "خون‌آشام", - "Automatically Sync on Start": "هماهنگ‌سازی خودکار هنگام شروع برنامه", "VPN": "وی‌پی‌ان", - "Activate automatic updating": "فعال‌سازی به‌روزرسانی خودکار", - "Please wait...": "لطفا صبر کنید", "Connect": "اتصال", "Create Account": "ایجاد حساب کاربری", "Celebrate various events": "مناسبت‌ها را جشن بگیر", @@ -320,10 +304,8 @@ "Downloaded": "دانلود شد", "Loading stuck ? Click here !": "بارگذاری متوقف شد؟‌ اینجا کلیک کنید", "Torrent Collection": "کلکسیون تورنت", - "Drop Magnet or .torrent": "لینک آهنربایی یا فایل تورنت را اینجا رها کن", "Remove this torrent": "این تورنت را حذف کن", "Rename this torrent": "تغییر نام این تورنت", - "Flush entire collection": "حذف تمامی کلکسون", "Open Collection Directory": "پوشه‌ی کلکسیون را باز کن", "Store this torrent": "ذخیره‌ی این تورنت", "Enter new name": "نام جدید را وارد کنید", @@ -352,101 +334,214 @@ "No thank you": "!نه ممنون", "Report an issue": "گزارش مشکل", "Email": "ایمیل", - "Log in": "ورود", - "Report anonymously": "گزارش ناشناس", - "Note regarding anonymous reports:": "توضیحی در مورد گزارش‌های ناشناس:", - "You will not be able to edit or delete your report once sent.": "شما پس از ارسال گزارش امکان تغییر یا حذف آن را ندارید", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "اگر اطلاعات بیشتری لازم باشد، ممکن است گزارش بسته شود. چرا که شما امکان ارسال اطلاعات بیشتر را نخواهید داشت.", - "Step 1: Please look if the issue was already reported": "مرحله 1: لطفا بررسی کنید که آیا این گزارش قبلا ارسال شده است یا نه", - "Enter keywords": "کلمات کلیدی را وارد کنید", - "Already reported": "قبلا گزارش شده است", - "I want to report a new issue": "می‌خواهم مشکل جدیدی را گزارش دهم", - "Step 2: Report a new issue": "مرحله 2: مشکل جدید را گزارش دهید", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "توجه: لطفا برای ارتباط با ما از این فرم استفاده نکنید. این فرم فقط برای ارسال گزارش هست", - "The title of the issue": "تیتر مشکل", - "Description": "توضیحات", - "200 characters minimum": "حداقل 200 حرف.", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "توضیحی کوتاه درمورد مشکل. اگر لازم بود مراحل بازسازی مشکل را بیان کنید.", "Submit": "ارسال", - "Step 3: Thank you !": "مرحله 3:‌ سپاس!", - "Your issue has been reported.": "مشکل شما گزارش شد.", - "Open in your browser": "مرورگر خود را باز کنید", - "No issues found...": "...گزارشی پیدا نشد", - "First method": "روش اول", - "Use the in-app reporter": "از سیستم گزارش‌دهی داخل برنامه استفاده کنید", - "You can find it later on the About page": "در صفحه‌ی درباره می‌توانید آن را ببینید", - "Second method": "روش دوم", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "استفاده کنید %s برای بررسی اینکه آیا مشکلی قبلا گزارش شده یا برطرف شده است از فیلتر", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "اگر تصویری مناسب در اختیار دارید آن را وارد کنید. مشکل شما درمورد طراحی هست یا یک خطا؟", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "یک گزارش خوب نباید احتیاجی داشته باشد که دیگران برای اطلاعات بیشتر به دنبال شما بگردند! مطمئن شوید که جزئیات کافی درمورد سیستم خود را وارد کرده اید.", "Warning: Always use English when contacting us, or we might not understand you.": "اخطار: همیشه برای ارتباط با ما از زبان انگلیسی استفاده کنید، وگرنه ممکن است که متوجه شما نشویم.", - "Search for torrent": "Search for torrent", "No results found": "نتیجه‌ای یافت نشد", - "Invalid credentials": "اطلاعات عبور معتبر نیستند", "Open Favorites": "بوکمارک‌ها را باز کن", "Open About": "درباره را باز کن", "Minimize to Tray": "Minimize to Tray", "Close": "ببند", "Restore": "بازگردانی", - "Resume Playback": "Resume Playback", "Features": "Features", "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Big Picture Mode", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", "Cannot be stored": "Cannot be stored", - "%s reported this torrent as fake": "%s reported this torrent as fake", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", "Translate Synopsis": "Translate Synopsis", "N/A": "N/A", "Your disk is almost full.": "Your disk is almost full.", "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "توپر", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "محلی", "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Error converting subtitle", "No subtitles found": "No subtitles found", "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "جست‌و‌جوی %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "در حال دانلود", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "روشنایی", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "بررسی به روز رسانی‌ها", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/fi.json b/src/app/language/fi.json index fbc9fac4e9..296d6ebc12 100644 --- a/src/app/language/fi.json +++ b/src/app/language/fi.json @@ -44,7 +44,6 @@ "Load More": "Näytä lisä", "Saved": "Tallennettu", "Settings": "Asetukset", - "Show advanced settings": "Näytä lisäasetukset", "User Interface": "Käyttöliittymä", "Default Language": "Oletuskieli", "Theme": "Teema", @@ -61,9 +60,7 @@ "Disabled": "Ei käytössä", "Size": "Koko", "Quality": "Laatu", - "Show movie quality on list": "Näytä elokuvien laatu listauksessa", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Yhdistä %s päivittääksesi %s :llä katsomasi jaksot", "Username": "Käyttäjänimi", "Password": "Salasana", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -72,7 +69,6 @@ "HTTP API Username": "HTTP API:n käyttäjätunnus", "HTTP API Password": "HTTP API: salasana", "Connection": "Yhteys", - "TV Show API Endpoint": "TV-sarjojen API", "Connection Limit": "Yhteysrajoitus", "DHT Limit": "DHT-rajoitus", "Port to stream on": "Stream-portti", @@ -84,7 +80,6 @@ "Import Database": "Tuo tietokanta", "Export Database": "Vie tietokanta", "Flush bookmarks database": "Tyhjennä suosikit", - "Flush subtitles cache": "Tyhjennä tekstitystietokanta", "Flush all databases": "Tyhjennä kaikki tietokannat", "Reset to Default Settings": "Palauta oletusasetukset", "Importing Database...": "Tuodaan tietokantaa...", @@ -151,23 +146,17 @@ "Seconds": "sekunnin kuluttua", "You are currently connected to %s": "Olet yhteydessä %s", "Disconnect account": "Katkaise yhteys tilistäsi", - "Sync With Trakt": "Synkronoi Trakt:lla", "Syncing...": "Synkronoidaan...", "Done": "Valmis", "Subtitles Offset": "Tekstityksien uudelleenajastaminen", "secs": "sekuntia", "We are flushing your database": "Tyhjennetään tietokantaa", "Ratio": "Suhde", - "Advanced Settings": "Lisäasetukset", - "Tmp Folder": "Välimuistikansio", - "URL of this stream was copied to the clipboard": "Suoratoiston URL-osoite kopioitiin leikepöydälle", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Virhe: tietokanta on todennäköisesti korruptoitunut. Yritä tyhjätä suosikit asetuksissa.", "Flushing bookmarks...": "Puhdistetaan suosikkeja...", "Resetting...": "Palautetaan tietoja...", "We are resetting the settings": "Palautamme asetuksia", "Installed": "Asennettu", - "We are flushing your subtitle cache": "Puhdistamme tekstitysten väliaikaistiedostoja", - "Subtitle cache deleted": "Tekstitysten väliaikaistiedostot poistettu", "Please select a file to play": "Valitse toistettava tiedosto", "Global shortcuts": "Yleiset pikanäppäimet", "Video Player": "Videosoitin", @@ -184,7 +173,6 @@ "Exit Fullscreen": "Poistu kokoruututilasta", "Seek Backward": "Kelaa taaksepäin", "Decrease Volume": "Vähennä äänenvoimakkuutta", - "Show Stream URL": "Näytä suoratoiston URL-osoite", "TV Show Detail": "TV-ohjelman tiedot", "Toggle Watched": "Merkitse katsotuksi", "Select Next Episode": "Valitse seuraava jakso", @@ -308,10 +296,7 @@ "Super Power": "Super Power", "Supernatural": "Yliluonnollinen", "Vampire": "Vampyyri", - "Automatically Sync on Start": "Synkronoi automaattisesti käynnistymisen yhteydessä", "VPN": "VPN", - "Activate automatic updating": "Käytä automaattista päivitystä", - "Please wait...": "Odota...", "Connect": "Yhdistä", "Create Account": "Luo käyttäjä", "Celebrate various events": "Salli teemat eri juhlapäivinä", @@ -319,10 +304,8 @@ "Downloaded": "Ladattu", "Loading stuck ? Click here !": "Onko lataus jumissa? Paina tästä!", "Torrent Collection": "Torrent-kokoelma", - "Drop Magnet or .torrent": "Pudota magnet-linkki tai .torrent -tiedosto", "Remove this torrent": "Poista torrentti", "Rename this torrent": "Nimeä torrentti uudelleen", - "Flush entire collection": "Tyhjennä koko kokoelma", "Open Collection Directory": "Avaa kokoelmakansio", "Store this torrent": "Säilytä torrentti", "Enter new name": "Syötä nimi", @@ -351,108 +334,59 @@ "No thank you": "Ei kiitos", "Report an issue": "Ilmoita viasta", "Email": "Sähköposti", - "Log in": "Kirjaudu", - "Report anonymously": "Ilmoita nimettömästi", - "Note regarding anonymous reports:": "Huomio liittyen nimettömiin raportteihin:", - "You will not be able to edit or delete your report once sent.": "Et voi muokata tai poistaa raporttiasi lähetyksen jälkeen.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Jos vikaselvitys vaatii lisätietoa, voi raportti sulkeutua, koska et voi lisätä siihen lisätietoja.", - "Step 1: Please look if the issue was already reported": "Askel 1: Tarkista, onko vika jo raportoitu", - "Enter keywords": "Syötä avainsanat", - "Already reported": "On jo raportoitu", - "I want to report a new issue": "Haluan raportoida uuden vian", - "Step 2: Report a new issue": "Askel 2: Raportoi uusi vika", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Huomio: älä käytä tätä lomaketta yhteydenottoon. Lomake on käytössä ainoastaan vikaraportointiin.", - "The title of the issue": "Vian otsikko", - "Description": "Kuvaus", - "200 characters minimum": "Minimi 200 merkkiä", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Lyhyt vikakuvaus. Jos mahdollista, kerro vaiheet, jotka tekemällä virhe ilmaantuu.", "Submit": "Lähetä", - "Step 3: Thank you !": "Askel 3: Kiitos!", - "Your issue has been reported.": "Vikailmoitus on lähetetty.", - "Open in your browser": "Avaa selaimessasi", - "No issues found...": "Vikoja ei löytynyt...", - "First method": "Ensimmäinen tapa", - "Use the in-app reporter": "Käytä sovelluksen sisäistä raportointia", - "You can find it later on the About page": "Voit löytää sen myöhemmin Tiedot-sivulta", - "Second method": "Toinen tapa", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Käytä %s -ongelmasuodatinta hakeaksesi ja tarkistaksesi, jos ongelma on jo raportoitu tai korjattu.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Liitä tarvittaessa myös kuvakaappaus - koskeeko ilmoituksesi design-ominaisuutta tai ohjelmavirhettä?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Hyvä ohjelmavirheilmoitus ei jätä aihetta lisäkysymyksille. Varmistathan liittäneesi viestiin tiedot käyttöympäristöstäsi.", "Warning: Always use English when contacting us, or we might not understand you.": "Varoitus: käytä vain englantia ottaessasi yhteyttä meihin tai muuten emme välttämättä ymmärrä sinua.", - "Search for torrent": "Etsi torrentia", "No results found": "Tuloksia ei löytynyt", - "Invalid credentials": "Väärät kirjautumistiedot", "Open Favorites": "Avaa suosikit", "Open About": "Avaa tiedot-sivu", "Minimize to Tray": "Pienennä tehtäväpalkkiin", "Close": "Sulje", "Restore": "Palauta", - "Resume Playback": "Jatka toistoa", "Features": "Ominaisuudet", "Connect To %s": "Yhdistä %s", - "The magnet link was copied to the clipboard": "Magnet-linkki kopioitiin leikepöydälle", - "Big Picture Mode": "Ison ruudun tila", - "Big Picture Mode is unavailable on your current screen resolution": "Ison ruudun tila ei ole käytettävissä nykyisellä resoluutiollasi", "Cannot be stored": "Ei voida tallentaa", - "%s reported this torrent as fake": "%s raportoi torrentin olevan väärennös", - "Randomize": "Satunnainen", - "Randomize Button for Movies": "Satunnainen-painike elokuville", "Overall Ratio": "Kokonaissuhde", "Translate Synopsis": "Käännä elokuvien ja sarjojen tiivistelmät", "N/A": "Ei saatavilla", "Your disk is almost full.": "Tietokoneesi muisti on lähes täynnä.", "You need to make more space available on your disk by deleting files.": "Sinun täytyy vapauttaa enemmän tilaa levyllesi poistamalla tiedostoja.", "Playing Next": "Seuraavaksi", - "Trending": "Trendit", - "Remember Filters": "Muista suodattimet", - "Automatic Subtitle Uploading": "Ladataan automaattista tekstitystä", "See-through Background": "Läpinäkyvä tausta", "Bold": "Lihavoitu", "Currently watching": "Parhaillaan katsomassa", "No, it's not that": "Ei, se ei ole tuo", "Correct": "Oikein", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Tila: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Aseta järjestelmäteema", "Disclaimer": "Disclaimer", "Series": "Sarjat", - "Finished": "Finished", "Event": "Event", "Local": "Paikallinen", "Try another subtitle or drop one in the player": "Kokeile toista tekstitystä tai pudota toinen soittimeen", "show": "show", "movie": "elokuva", "Something went wrong downloading the update": "Jokin meni pieleen päivitystä ladatessa", - "Activate Update seeding": "Activate Update seeding", "Error converting subtitle": "Virhe muuntaessa tekstitystä", "No subtitles found": "Tekstityksiä ei löytynyt", "Try again later or drop a subtitle in the player": "Yritä myöhemmin uudelleen tai pudota tekstitys soittimeen", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Etsi %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Äänen kieli", "Subtitle": "Tekstitys", "Code:": "Koodi:", "Error reading subtitle timings, file seems corrupted": "Virhe lukiessa tekstityksen ajoituksia, tiedosto näyttää vaurioituneelta", - "Connection Not Secured": "Yhteys ei ole suojattu", "Open File to Import": "Avaa tiedosto tuotavaksi", "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Peruuta ja käytä VPN:ää", "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", - "Enable VPN": "Käytä VPN:ää", - "Popularity": "Suosio", - "Last Added": "Viimeksi lisätty", "Seedbox": "Seedbox", "Cache Folder": "Cache Folder", - "Science-fiction": "Science-fiction", - "Superhero": "Superhero", "Show cast": "Show cast", - "Health Good": "Saatavuus: hyvä", - "Health Medium": "Saatavuus: kohtalainen", - "Health Excellent": "Saatavuus: erinomainen", - "Right click to copy": "Right click to copy", "Filename": "Tiedostonimi", "Stream Url": "Stream Url", "Show playback controls": "Show playback controls", @@ -469,17 +403,9 @@ "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", "Update Now": "Päivitä nyt", "Database Exported": "Tietokanta viety", - "Slice Of Life": "Slice Of Life", - "Home And Garden": "Koti ja puutarha", - "Returning Series": "Palaava sarja", - "Finished Airing": "Finished Airing", - "No Favorites found...": "Ei suosikkeja...", - "No Watchlist found...": "Seurantalisaa ei löydetty...", - "Health Bad": "Saatavuus: huono", "ThePirateBay": "ThePirateBay", "1337x": "1337x", "RARBG": "RARBG", - "OMGTorrent": "OMGTorrent", "Saved Torrents": "Saved Torrents", "Search Results": "Hakutulokset", "Paste a Magnet link": "Liitä magneettilinkki", @@ -490,39 +416,27 @@ "Bookmarked items": "Bookmarked items", "Download list is empty...": "Download list is empty...", "Active Torrents Limit": "Active Torrents Limit", - "Currently Airing": "Parhaillaan lähetyksessä", "Toggle Subtitles": "Toggle Subtitles", "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", "Original": "Alkuperäinen", "Fit screen": "Sovita näytölle", "Video already fits screen": "Video already fits screen", - "Copied to clipboard": "Kopioitu leikepöydälle", "The filename was copied to the clipboard": "Tiedostonimi kopioitiin leikepöydälle", "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", - "Create account": "Luo tili", "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", - "Device can't play the video": "Laite ei voi toistaa videota", "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", "Hide cast": "Hide cast", "Tabs": "Tabs", - "No movies found...": "Ei elokuvia...", - "Holiday": "Loma", "Native window frame": "Native window frame", "Open Cache Folder": "Open Cache Folder", "Restart Popcorn Time": "Käynnistä Popcorn Time uudelleen", "Developer Tools": "Developer Tools", - "No shows found...": "Ei ohjelmia...", - "No anime found...": "Animea ei löytynyt...", - "Search in %s": "Search in %s", - "Show 'Search on Torrent Collection' in search": "Show 'Search on Torrent Collection' in search", "Movies API Server": "Movies API Server", "Series API Server": "Series API Server", "Anime API Server": "Anime API Server", "The image url was copied to the clipboard": "Kuvan URL-osoite kopioitiin leikepöydälle", "Popcorn Time currently supports": "Popcorn Time currently supports", "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", - "Right click for supported players": "Right click for supported players", - "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.": "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.", "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", "Default Filters": "Oletussuodattimet", @@ -548,16 +462,13 @@ "Cache files deleted": "Cache files deleted", "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", "Always": "Aina", - "Never": "Ei koskaan", "Ask me every time": "Kysy joka kerta", "Enable Protocol Encryption": "Käytä protokollasalausta (PE)", "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", "Download added": "Download added", "Change API Server": "Change API Server", - "Localisation": "Lokalisointi", "Default Content Language": "Sisällön oletuskieli", - "Same as interface": "Sama kuin käyttöliittymä", "Title translation": "Title translation", "Translated - Original": "Translated - Original", "Original - Translated": "Original - Translated", @@ -568,7 +479,6 @@ "Only show content available in this language": "Näytä vain tällä kielellä saatavilla oleva sisältö", "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", "added": "lisätty", - "The source link was copied to the clipboard": "Lähdelinkki kopioitiin leikepöydälle", "Max. Down / Up Speed": "Max. Down / Up Speed", "Show Release Info": "Show Release Info", "Parental Guide": "Parental Guide", @@ -577,8 +487,6 @@ "Submit metadata & translations": "Submit metadata & translations", "Not available": "Ei saatavilla", "Cast not available": "Cast not available", - "Show an 'Undo' button when a bookmark is removed": "Show an 'Undo' button when a bookmark is removed", - "was added to bookmarks": "lisättiin kirjanmerkkeihin", "was removed from bookmarks": "poistettiin kirjanmerkeistä", "Bookmark restored": "Kirjanmerkki palautettu", "Undo": "Kumoa", @@ -606,7 +514,6 @@ "Updating the API Server URLs": "Updating the API Server URLs", "API Server URLs updated": "API Server URLs updated", "API Server URLs already updated": "API Server URLs already updated", - "Change API server(s) to the new URLs?": "Change API server(s) to the new URLs?", "API Server URLs could not be updated": "API Server URLs could not be updated", "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", @@ -623,5 +530,18 @@ "Sync now": "Synkronoi nyt", "Same as Default Language": "Sama kuin oletuskieli", "Language": "Kieli", - "Allow Audio Passthrough": "Salli äänen läpivienti" + "Allow Audio Passthrough": "Salli äänen läpivienti", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/fr.json b/src/app/language/fr.json index 7fccae7e97..f9e475809b 100644 --- a/src/app/language/fr.json +++ b/src/app/language/fr.json @@ -44,7 +44,6 @@ "Load More": "Voir plus", "Saved": "Enregistré", "Settings": "Réglages", - "Show advanced settings": "Montrer les réglages avancés", "User Interface": "Interface", "Default Language": "Langue par défaut", "Theme": "Thème", @@ -61,10 +60,7 @@ "Disabled": "Désactivés", "Size": "Taille", "Quality": "Qualité", - "Only list movies in": "Uniquement les films en", - "Show movie quality on list": "Afficher la qualité des films dans la liste", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connectez-vous à %s pour 'scrobbler' automatiquement les épisodes regardés avec %s", "Username": "Nom d'utilisateur", "Password": "Mot de passe", "%s stores an encrypted hash of your password in your local database": "%s conserve une empreinte chiffrée du mot de passe dans votre base de données locale", @@ -73,19 +69,17 @@ "HTTP API Username": "Nom d'utilisateur", "HTTP API Password": "Mot de passe", "Connection": "Connexion", - "TV Show API Endpoint": "Adresse de l'API Séries", "Connection Limit": "Limite de connexion", "DHT Limit": "Limite DHT", "Port to stream on": "Port de diffusion", "0 = Random": "0 = Aléatoire", "Cache Directory": "Dossier temporaire", - "Clear Tmp Folder after closing app?": "Nettoyer le dossier temporaire à la fermeture", + "Clear Cache Folder after closing the app?": "Nettoyer le Dossier Cache à la fermeture de l'appli ?", "Database": "Base de données", "Database Directory": "Dossier utilisé", "Import Database": "Importer une base de données", "Export Database": "Exporter une base de données", "Flush bookmarks database": "Vider la base de données des favoris", - "Flush subtitles cache": "Vider le cache des sous-titres", "Flush all databases": "Vider les bases de données", "Reset to Default Settings": "Rétablir les réglages par défaut", "Importing Database...": "Importation de la base de données...", @@ -131,8 +125,8 @@ "Ended": "Terminé", "Error loading data, try again later...": "Erreur lors du chargement des données, réessayez plus tard…", "Miscellaneous": "Divers", - "First Unwatched Episode": "Premier épisode non visionné", - "Next Episode In Series": "Prochain épisode", + "First unwatched episode": "Premier épisode non visionné", + "Next episode": "Épisode suivant", "Flushing...": "Suppression…", "Are you sure?": "Confirmer ?", "We are flushing your databases": "Nous vidons les bases de données", @@ -142,7 +136,7 @@ "Terms of Service": "Conditions d'utilisation", "I Accept": "J'accepte", "Leave": "Quitter", - "When Opening TV Series Detail Jump To": "Au chargement des détails de séries, sélectionner", + "Series detail opens to": "Le détail des Séries s'ouvre sur", "Playback": "Lecture", "Play next episode automatically": "Jouer l'épisode suivant automatiquement", "Generate Pairing QR code": "Générer un code QR", @@ -152,23 +146,17 @@ "Seconds": "Secondes", "You are currently connected to %s": "Vous êtes actuellement connecté à %s", "Disconnect account": "Se déconnecter", - "Sync With Trakt": "Synchroniser avec Trakt", "Syncing...": "Synchronisation…", "Done": "Terminé", "Subtitles Offset": "Décalage des sous-titres", "secs": "secs", "We are flushing your database": "Nous vidons la base de données", "Ratio": "Ratio", - "Advanced Settings": "Réglages avancés", - "Tmp Folder": "Dossier temporaire", - "URL of this stream was copied to the clipboard": "L'URL de ce flux a été copiée dans le presse-papier", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Erreur, la base de données est probablement corrompue. Essayez de vider les favoris dans Réglages.", "Flushing bookmarks...": "Suppression des favoris…", "Resetting...": "Réinitialisation…", "We are resetting the settings": "Nous réinitialisons les réglages…", "Installed": "Installée", - "We are flushing your subtitle cache": "Nous vidons le cache des sous-titres", - "Subtitle cache deleted": "Cache des sous-titres supprimé.", "Please select a file to play": "Veuillez sélectionner un fichier à lire", "Global shortcuts": "Raccourcis globaux", "Video Player": "Lecteur vidéo", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Sortir du plein écran", "Seek Backward": "Reculer de", "Decrease Volume": "Diminuer le volume de", - "Show Stream URL": "Montrer l'URL du flux", "TV Show Detail": "Fiche de la série TV", "Toggle Watched": "Marquer comme vu", "Select Next Episode": "Épisode suivant", @@ -205,7 +192,7 @@ "Help Section": "Aide", "Did you know?": "Le saviez-vous ?", "What does %s offer?": "Que propose %s ?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Avec %s, vous pouvez regarder des films et des séries TV aisément. Tout ce que vous avez à faire, c'est de cliquer sur une des affiches, puis sur 'Visionner Maintenant'. Mais, l'expérience est totalement personnalisable :", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Avec %s, vous pouvez facilement regarder des films et des séries TV. Tout ce que vous avez à faire, c'est de cliquer sur une des affiches, puis sur 'Visionner Maintenant'. Mais l'expérience est totalement personnalisable :", "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Notre collection de films est constituée uniquement de contenu Haute Définition, disponibles en 720p ou 1080p. Pour visionner un film, ouvrez simplement %s et naviguez dans la liste, accessible via l'onglet 'Films', dans la barre de navigation. Par défaut, tous les films sont triés par ordre de popularité, mais vous pouvez appliquer vos propres filtres, grâce aux filtres 'Genre' et 'Trier par'. Une fois un film choisi, cliquez sur son affiche, puis sur 'Visionner Maintenant'. N'oubliez pas le popcorn !", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "L'onglet Séries TV, accessible via la barre de navigation, vous présentera toutes les séries disponibles dans notre collection. Vous pouvez ici aussi appliquez vos propres filtres, comme pour les films. Dans cette liste, cliquez également sur l'affiche : la nouvelle fenêtre qui apparaîtra vous permettra de naviguer dans les différents épisodes et saisons. Une fois une série choisie, cliquez simplement sur le bouton 'Visionner maintenant'.", "Choose quality": "Choisir la qualité", @@ -309,10 +296,7 @@ "Super Power": "Super-pouvoir", "Supernatural": "Surnaturel", "Vampire": "Vampire", - "Automatically Sync on Start": "Synchroniser automatiquement au lancement", "VPN": "VPN", - "Activate automatic updating": "Activer les mises à jour automatiques", - "Please wait...": "Veuillez patienter...", "Connect": "Connexion", "Create Account": "Créer un compte", "Celebrate various events": "Célébrer divers événements festifs", @@ -320,10 +304,8 @@ "Downloaded": "En cours", "Loading stuck ? Click here !": "Chargement bloqué ? Cliquez ici !", "Torrent Collection": "Collection de torrents", - "Drop Magnet or .torrent": "Déposez un magnet ou .torrent", "Remove this torrent": "Supprimer ce torrent", "Rename this torrent": "Renommer ce torrent", - "Flush entire collection": "Vider toute la collection", "Open Collection Directory": "Ouvrir le dossier de la collection", "Store this torrent": "Conserver ce torrent", "Enter new name": "Entrez le nouveau nom", @@ -352,101 +334,214 @@ "No thank you": "Non merci", "Report an issue": "Rapporter un problème", "Email": "Adresse email", - "Log in": "Se connecter", - "Report anonymously": "Rapport anonyme", - "Note regarding anonymous reports:": "À propos des rapports anonymes :", - "You will not be able to edit or delete your report once sent.": "Vous ne pourrez pas éditer ou supprimer le rapport une fois envoyé.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Si des précisions supplémentaires sont nécessaires, la rapport pourrait être fermé, puisque vous ne pourrez pas fournir ces informations.", - "Step 1: Please look if the issue was already reported": "Étape 1 : Vérifiez si le problème a déjà été rapporté", - "Enter keywords": "Entrez des mots-clés", - "Already reported": "Déjà rapporté", - "I want to report a new issue": "Je veux rapporter un nouveau problème", - "Step 2: Report a new issue": "Étape 2 : Rapporter un nouveau problème", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Note : s'il vous plait, n'utilisez pas ce formulaire pour nous contacter. Il est limité aux rapports d'erreurs.", - "The title of the issue": "Le titre du rapport", - "Description": "Description", - "200 characters minimum": "200 caractères minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Une courte description du problème. Si nécessaire, n'hésitez pas à inclure les étapes requises pour reproduire le problème.", "Submit": "Envoyer", - "Step 3: Thank you !": "Étape 3 : Merci !", - "Your issue has been reported.": "Votre rapport d'erreur a été envoyé.", - "Open in your browser": "Ouvrir dans un navigateur", - "No issues found...": "Aucune correspondance trouvée...", - "First method": "Première méthode", - "Use the in-app reporter": "Utilisez la fonctionnalité dédiée", - "You can find it later on the About page": "Vous pouvez retrouver cette fonction plus tard sur la page À Propos", - "Second method": "Deuxième méthode", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Utilisez les filtres de recherche %s pour vérifier si le problème a déjà été rapporté ou s'il a déjà été corrigé.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "N'hésitez pas à inclure une capture d'écran si vous le jugez utile - Votre problème est-il d'ordre visuel ou technique ?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un bon rapport d'erreur ne devrait pas laisser de place aux questionnements et demandes d'informations supplémentaires. N'oubliez pas d'inclure tous les détails sur votre environnement informatique.", "Warning: Always use English when contacting us, or we might not understand you.": "Faites attention de toujours vous adresser à nous en Anglais, sans cela nous pourrions ne pas vous comprendre.", - "Search for torrent": "Recherche du torrent", "No results found": "Aucun résultat trouvé", - "Invalid credentials": "Identifiants non valides", "Open Favorites": "Ouvrir les favoris", "Open About": "Ouvrir À Propos", "Minimize to Tray": "Réduire dans la zone de notification", "Close": "Fermer", "Restore": "Restaurer", - "Resume Playback": "Reprendre la lecture après interruption", "Features": "Fonctionnalités", "Connect To %s": "Connecter %s", - "The magnet link was copied to the clipboard": "Le lien magnet a été copié dans le presse-papier", - "Big Picture Mode": "Mode Big Picture", - "Big Picture Mode is unavailable on your current screen resolution": "Le mode Big Picture n'est pas compatible avec votre résolution d'écran", "Cannot be stored": "Impossible à sauvegarder", - "%s reported this torrent as fake": "%s a identifié ce torrent comme factice", - "Randomize": "Aléatoire", - "Randomize Button for Movies": "Bouton \"Aléatoire\" pour les films", "Overall Ratio": "Ratio global", "Translate Synopsis": "Traduire les synopsis", "N/A": "N/A", "Your disk is almost full.": "Votre disque dur est presque plein.", "You need to make more space available on your disk by deleting files.": "Vous devez libérer de l'espace sur votre disque dur en supprimant des fichiers.", "Playing Next": "Épisode suivant", - "Trending": "Tendance", - "Remember Filters": "Se souvenir du choix du filtrage", - "Automatic Subtitle Uploading": "Téléversement automatique des sous-titres", "See-through Background": "Arrière-plan semi-transparent", "Bold": "Gras", "Currently watching": "Vous regardez", "No, it's not that": "Non, ce n'est pas ça", "Correct": "Exact", - "Indie": "Indépendant", "Init Database": "Initialisation de la base de données", "Status: %s ...": "Statut: %s ...", "Create Temp Folder": "Créer dossier temporaire", "Set System Theme": "Définir thème du système", "Disclaimer": "Avertissement", "Series": "Séries", - "Finished": "Terminé", "Event": "Évènement", - "action": "action", - "war": "guerre", "Local": "Local", "Try another subtitle or drop one in the player": "Essayez d'autres sous-titres ou glissez en dans le lecteur", - "animation": "animation", - "family": "famille", "show": "show", "movie": "film", "Something went wrong downloading the update": "Un incident est survenu pendant le téléchargement de la mise à jour", - "Activate Update seeding": "Activer le partage de mise à jour", - "Disable Anime Tab": "Désactiver l'onglet anime", - "Disable Indie Tab": "Désactiver l'onglet indépendant", "Error converting subtitle": "Erreur de conversion des sous-titres", "No subtitles found": "Aucun sous-titre disponible", "Try again later or drop a subtitle in the player": "Réessayez plus tard ou glissez des sous-titres dans le lecteur", "You should save the content of the old directory, then delete it": "Vous devriez sauvegarder le contenu de l'ancien répertoire, puis le supprimer", "Search on %s": "Recherche %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Êtes-vous sûr de vouloir entièrement supprimer la collection de Torrents ?", "Audio Language": "Langue audio", "Subtitle": "Sous-titres", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Erreur de lecture du timing des sous-titres, le fichier semble corrompu", - "Connection Not Secured": "Connexion non sécurisée", "Open File to Import": "Ouvrir le fichier à importer", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Ouvrir le Dossier de sauvegarde", "Cancel and use VPN": "Annuler et utiliser le VPN", - "Continue seeding torrents after restart app?": "Continuer de partager les torrents après le redémarrage de l’application ?", - "Enable VPN": "Activer le VPN" + "Resume seeding after restarting the app?": "Reprendre le partage après le redémarrage de l'appli ?", + "Seedbox": "Dossier de Partage", + "Cache Folder": "Dossier Cache", + "Show cast": "Montrer le casting", + "Filename": "Nom du fichier", + "Stream Url": "Url de Stream", + "Show playback controls": "Afficher les contrôles de lecture", + "Downloading": "Téléchargement…", + "Hide playback controls": "Cacher les contrôles de lecture", + "Poster Size": "Taille d'Affiche", + "UI Scaling": "Échelle de l'Interface", + "Show all available subtitles for default language in flag menu": "Afficher tous les sous-titres disponibles pour la langue par défaut dans le menu Langue", + "Cache Folder Button": "Bouton du Dossier Cache", + "Enable remote control": "Activer le contrôle à distance", + "Server": "Serveur", + "API Server(s)": "Serveur(s) API", + "Proxy Server": "Serveur Proxy", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Pensez à Exporter votre Base de données avant de mettre à jour au cas où il serait nécessaire de restaurer vos Favoris, vos marqués comme visionnés ou vos paramètres", + "Update Now": "Mettre à jour", + "Database Exported": "Base de données Exportée", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Torrents Enregistrés", + "Search Results": "Résultats de la recherche", + "Paste a Magnet link": "Coller un lien Magnet", + "Import a Torrent file": "Importer un ficher Torrent", + "Select data types to import": "Sélectionnez le type de données à importer", + "Please select which data types you want to import ?": "Merci de sélectionner le type de données à importer ?", + "Watched items": "Éléments visionnés", + "Bookmarked items": "Éléments favoris", + "Download list is empty...": "La liste de Téléchargement est vide...", + "Active Torrents Limit": "Limite de Torrents Actifs", + "Toggle Subtitles": "Afficher/Masquer les Sous-titres", + "Toggle Crop to Fit screen": "Afficher/Masquer Adapter à l'écran", + "Original": "Original", + "Fit screen": "Adapter à l'écran", + "Video already fits screen": "La vidéo est déjà adaptée à l'écran", + "The filename was copied to the clipboard": "Le nom du fichier a été copiée dans le presse-papier", + "The stream url was copied to the clipboard": "L'url du stream a été copiée dans le presse-papier", + "* %s stores an encrypted hash of your password in your local database": "%s conserve une empreinte chiffrée du mot de passe dans votre base de données locale", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Votre machine ne supporte peut-être pas le format/codec de la vidéo.
Essayez une autre qualité de résolution ou un visionnage avec VLC", + "Hide cast": "Masquer le casting", + "Tabs": "Onglets", + "Native window frame": "Bordure de fenêtre native", + "Open Cache Folder": "Ouvrir le Dossier Cache", + "Restart Popcorn Time": "Redémarrer Popcorn Time", + "Developer Tools": "Outils de Développement", + "Movies API Server": "Serveur API Films", + "Series API Server": "Server API Séries", + "Anime API Server": "Serveur API Anime", + "The image url was copied to the clipboard": "L'url de l'image a été copiée dans le presse-papier", + "Popcorn Time currently supports": "Popcorn Time supporte actuellement", + "There is also support for Chromecast, AirPlay & DLNA devices.": "Il y a également un support pour Chromecast, AirPlay & les périphériques DLNA", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Vous pouvez sélectionner plusieurs Filtres et onglets simultanément et bien entendu en ajouter plus tard", + "as well as overwrite or reset your preferences)": "ainsi que remplacer ou réinitialiser vos préférences)", + "Default Filters": "Filtres par Défaut", + "Set Filters": "Appliquer les Filtres", + "Reset Filters": "Réinitialiser les Filtres", + "Your Default Filters have been changed": "Vos Filtres par Défaut ont été changés", + "Your Default Filters have been reset": "Vos Filtres par Défaut ont été réinitialisés", + "Setting Filters...": "Application des Filtres...", + "Default": "Par Défaut", + "Custom": "Personnalisé", + "Remember": "Mémoriser", + "Cache": "Cache", + "Unknown": "Inconnue", + "Change Subtitles Position": "Changer la position des Sous-titres", + "Minimize": "Réduire", + "Separate directory for Downloads": "Dossier différent pour les Téléchargements", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Activer cette option empêchera le partage de cache entre les fonctions Visionner Maintenant et Télécharger", + "Downloads Directory": "Dossier Téléchargements", + "Open Downloads Directory": "Ouvrir le Dossier Téléchargements", + "Delete related cache ?": "Supprimer le cache lié ?", + "Yes": "Oui", + "No": "Non", + "Cache files deleted": "Fichiers de Cache supprimés", + "Delete related cache when removing from Seedbox": "Supprimer le cache lié lors d'une suppression de la Seedbox", + "Always": "Toujours", + "Ask me every time": "Me demander à chaque fois", + "Enable Protocol Encryption": "Activer le Chiffrement du Protocole", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Permets de se connecter aux pairs qui utilisent PE/MSE. La plupart du temps, augmentera le nombre de pairs auxquels il est possible de se connecter, mais pourrait aussi augmenter l'usage du CPU", + "Show the Seedbox when a new download is added": "Afficher la Seedbox quand un nouveau téléchargement est ajouté", + "Download added": "Téléchargement ajouté", + "Change API Server": "Modifier le Serveur API", + "Default Content Language": "Langue par Défaut pour le Contenu", + "Title translation": "Traduction du titre", + "Translated - Original": "Traduit - Original", + "Original - Translated": "Original - Traduit", + "Translated only": "Traduit uniquement", + "Original only": "Original uniquement", + "Translate Posters": "Traduire les Affiches", + "Translate Episode Titles": "Traduire les Titres d'Épisodes", + "Only show content available in this language": "Montrer uniquement le contenu disponible dans cette langue", + "Translations depend on availability. Some options also might not be supported by all API servers": "Les traductions dépendent de leur disponibilité. Certaines options peuvent aussi ne pas être supportées par tous les serveurs API", + "added": "ajouté", + "Max. Down / Up Speed": "Vitesse Max. Down / Up", + "Show Release Info": "Afficher les Infos de Version", + "Parental Guide": "Guide Parental", + "Rebuild bookmarks database": "Reconstruire la base de de données des favoris", + "Rebuilding bookmarks...": "Reconstruction des favoris...", + "Submit metadata & translations": "Envoyer les métadonnées & traductions", + "Not available": "Non disponible", + "Cast not available": "Casting indisponible", + "was removed from bookmarks": "a été supprimé des favoris", + "Bookmark restored": "Favoris restorés", + "Undo": "Annuler", + "minute(s) remaining before preloading next episode": "minute(s) restantes avant de précharger l'épisode suivant", + "Zoom": "Zoom", + "Contrast": "Contraste", + "Brightness": "Luminosité", + "Hue": "Teinte", + "Saturation": "Saturation", + "Decrease Zoom by": "Réduire le Zoom de", + "Increase Zoom by": "Augmenter le Zoom de", + "Decrease Contrast by": "Réduire le Contraste de", + "Increase Contrast by": "Augmenter le Contraste de", + "Decrease Brightness by": "Réduire la Luminosité de", + "Increase Brightness by": "Augmenter la Luminosité de", + "Rotate Hue counter-clockwise by": "Faire pivoter la teinte dans le sens inverse des aiguilles d'une montre de", + "Rotate Hue clockwise by": "Faire pivoter la teinte dans le sens des aiguilles d'une montre de", + "Decrease Saturation by": "Réduire la Saturation de", + "Increase Saturation by": "Augmenter la Saturation de", + "Automatically update the API Server URLs": "Mettre à jour les URL des Serveur API automatiquement", + "Enable automatically updating the API Server URLs": "Activer la mise à jour automatique des URL des Serveur API", + "Automatically update the app when a new version is available": "Mettre à jour l'appli automatiquement quand une nouvelle version est disponible", + "Enable automatically updating the app when a new version is available": "Autoriser la mise à jour automatique de l'appli quand une nouvelle version est disponible", + "Check for updates": "Rechercher des mises à jour", + "Updating the API Server URLs": "Mise à jour des URL des Serveurs API", + "API Server URLs updated": "URL des Serveurs API mises à jour", + "API Server URLs already updated": "URL des Serveurs API déjà mises à jour", + "API Server URLs could not be updated": "Les URL des Serveurs API n'ont pas pu être mises à jour", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Vous pouvez ajouter plusieurs Serveurs API séparés par une virgule, qui seront sélectionnés au hasard (*pour l'équilibrage de charge) jusqu'à trouver le premier disponible", + "The API Server URL(s) was copied to the clipboard": "URL des Serveurs API copiée(s) dans le presse-papier", + "0 = Disable preloading": "0 = Désactiver le préchargement", + "Search field always expanded": "Champ de recherche toujours étendu", + "DHT UDP Requests Limit": "Limite de Requêtes DHT UDP", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connectez-vous à %s pour récupérer automatiquement les sous-titres pour les films et épisodes que vous regardez avec %s", + "Create an account": "Créer un compte", + "Search for something or drop a .torrent / magnet link...": "Chercher quelque chose ou déposer un .torrent / lien magnet...", + "Torrent removed": "Torrent supprimé", + "Remove": "Supprimer", + "Connect to %s": "Connecter à %s", + "to automatically 'scrobble' episodes you watch in %s": "pour partager automatiquement les épisodes que vous regardez avec %s", + "Sync now": "Se synchroniser maintenant", + "Same as Default Language": "Identique à la Langue par Défaut", + "Language": "Langue", + "Allow Audio Passthrough": "Activer la Transmission Audio", + "release info link": "lien vers les infos de version", + "parental guide link": "lien vers le guide parental", + "IMDb page link": "lien de page IMDb", + "submit metadata & translations link": "lien d'envoi des métadonnées & traductions", + "episode title": "titre d'épisode", + "full cast & crew link": "lien de l'équipe de tournage et du casting complet", + "Click providers to enable / disable": "Cliquez sur les fournisseurs pour activer / désactiver", + "Right-click to filter results by": "Clic-droit pour filtrer les résultats par", + "to filter by All": "pour filtrer par Tous", + "more...": "davantage...", + "Seeds": "Seeds", + "Peers": "Pairs", + "less...": "moins..." } \ No newline at end of file diff --git a/src/app/language/gl.json b/src/app/language/gl.json index a6dd1ca35f..ed431c9a38 100644 --- a/src/app/language/gl.json +++ b/src/app/language/gl.json @@ -44,7 +44,6 @@ "Load More": "Cargar máis", "Saved": "Gardado", "Settings": "Axustes", - "Show advanced settings": "Amosar axustes avanzados", "User Interface": "Interface de usuario", "Default Language": "Linguaxe por defecto", "Theme": "Aspecto", @@ -61,10 +60,7 @@ "Disabled": "Deshabilitado", "Size": "Tamaño", "Quality": "Calidade", - "Only list movies in": "Listar só filmes en", - "Show movie quality on list": "Amosar a calidade do filme na lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Conecta a %s para rexistrar e compartir automáticamente os episodios que ves no %s", "Username": "Nome de usuario", "Password": "Contrasinal", "%s stores an encrypted hash of your password in your local database": "%salmacena un hash cifrado do seu contrasinal na súa base de datos local", @@ -73,19 +69,17 @@ "HTTP API Username": "Nome de usuario da API HTTP", "HTTP API Password": "Contrasinal da API HTTP", "Connection": "Conexión", - "TV Show API Endpoint": "Endpoint da API de Programas", "Connection Limit": "Límite de conexións", "DHT Limit": "Límite DHT", "Port to stream on": "Porto para a transmisión", "0 = Random": "0 = Ó chou", "Cache Directory": "Directorio da Caché", - "Clear Tmp Folder after closing app?": "Limpar o cartafol temporal ó pechar a app?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Base de datos", "Database Directory": "Directorio da Base de datos", "Import Database": "Importar Base de datos", "Export Database": "Exportar Base de datos", "Flush bookmarks database": "Limpar a base de datos de favoritos", - "Flush subtitles cache": "Limpar caché de subtítulos", "Flush all databases": "Limpar tódalas bases de datos", "Reset to Default Settings": "Restabelecer os Axustes Predefinidos", "Importing Database...": "Importando Base de datos...", @@ -131,8 +125,8 @@ "Ended": "Rematado", "Error loading data, try again later...": "Erro cargando datos, inténtao de novo máis tarde...", "Miscellaneous": "Varios", - "First Unwatched Episode": "Primeiro capítulo non visto", - "Next Episode In Series": "Seguinte capítulo da serie", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Limpando...", "Are you sure?": "Estás seguro?", "We are flushing your databases": "Estamos limpando as túas bases de datos", @@ -142,7 +136,7 @@ "Terms of Service": "Condicións do Servizo", "I Accept": "Acepto", "Leave": "Saír", - "When Opening TV Series Detail Jump To": "Ao abrir a información das series de TV ir a", + "Series detail opens to": "Series detail opens to", "Playback": "Reproducir", "Play next episode automatically": "Reproducir seguinte capítulo automaticamente", "Generate Pairing QR code": "Xerar código QR de emparellamento", @@ -152,23 +146,17 @@ "Seconds": "Segundos", "You are currently connected to %s": "Neste momento estás conectado a %s", "Disconnect account": "Desconectar a conta", - "Sync With Trakt": "Sincronizar con Trakt", "Syncing...": "Sincronizando...", "Done": "Feito", "Subtitles Offset": "Desprazamento dos subtítulos", "secs": "seg.", "We are flushing your database": "Estamos limpando a túa base de datos", "Ratio": "Taxa", - "Advanced Settings": "Axustes avanzados", - "Tmp Folder": "Cartafol Tmp", - "URL of this stream was copied to the clipboard": "O URL deste fluxo copiouse ao portarretallos", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Erro, a base de datos probablemente estea estragada. Tenta limpar os favoritos pola lapela \"Axustes\".", "Flushing bookmarks...": "Limpando os favoritos...", "Resetting...": "Restabelecendo...", "We are resetting the settings": "Estamos restabelecendo os axustes", "Installed": "Instalado", - "We are flushing your subtitle cache": "Estamos limpando a túa caché de subtítulos", - "Subtitle cache deleted": "Caché de subtítulos borrada", "Please select a file to play": "Por favor, selecciona un arquivo para reproducir", "Global shortcuts": "Atallos globais", "Video Player": "Reprodutor de vídeo", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Saír de pantalla completa", "Seek Backward": "Buscar cara a atrás", "Decrease Volume": "Baixar volume", - "Show Stream URL": "Amosar URL do fluxo", "TV Show Detail": "Detalles do programa de TV", "Toggle Watched": "Cambiar visto", "Select Next Episode": "Seleccionar capítulo seguinte", @@ -309,10 +296,7 @@ "Super Power": "Superpoder", "Supernatural": "Sobrenatural", "Vampire": "Vampiro", - "Automatically Sync on Start": "Sincronizar automaticamente ao iniciar", "VPN": "VPN", - "Activate automatic updating": "Activar a actualización automática", - "Please wait...": "Por favor, agarda", "Connect": "Conectar", "Create Account": "Crear Conta", "Celebrate various events": "Celebrar datas especiais", @@ -320,10 +304,8 @@ "Downloaded": "Descargado", "Loading stuck ? Click here !": "Carga atoada? Preme aquí!", "Torrent Collection": "Colección de torrents", - "Drop Magnet or .torrent": "Soltar Magnet ou .torrent", "Remove this torrent": "Eliminar este torrent", "Rename this torrent": "Renomear este torrent", - "Flush entire collection": "Eliminar toda a colección", "Open Collection Directory": "Abrir o Cartafol da Colección", "Store this torrent": "Gardar este torrent", "Enter new name": "Inserir un nome novo", @@ -352,101 +334,214 @@ "No thank you": "Graciñas pero non", "Report an issue": "Informar dun problema", "Email": "Email", - "Log in": "Entrar", - "Report anonymously": "Informar de xeito anónimo", - "Note regarding anonymous reports:": "Unha nota sobre os informes anónimos", - "You will not be able to edit or delete your report once sent.": "Non poderás editar o teu informe unha vez que o envíes", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Se fai falta máis información, o informe podería ser pechado, xa que ti non poderás aportala.", - "Step 1: Please look if the issue was already reported": "Paso 1: Olla se este problema xa foi reportado", - "Enter keywords": "Introducir palabras chave", - "Already reported": "Alguén xa informou disto", - "I want to report a new issue": "Quero informar dun problema novo", - "Step 2: Report a new issue": "Paso 2: Informar dun problema novo", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: non uses este formulario para contactar connosco. É só para informes de bugs.", - "The title of the issue": "O título do asunto", - "Description": "Descripción", - "200 characters minimum": "Mínimo 200 caracteres", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Unha breve descripción do problema. Se é posible, incluír os pasos necesarios para reproducir o bug.", "Submit": "Enviar", - "Step 3: Thank you !": "Paso 3: Graciñas!", - "Your issue has been reported.": "Informouse do teu problema.", - "Open in your browser": "Abrir no teu navegador.", - "No issues found...": "Non se atopou problema ningún...", - "First method": "Primeiro método", - "Use the in-app reporter": "Podes elaborar o informe dende a aplicación", - "You can find it later on the About page": "Podrás atopar dónde máis abaixo na sección \"Sobre nós\"", - "Second method": "Segundo método", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Emprega o %s filtro para buscar se o problema do que informaches xa foi reportado ou está xa solucionado.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Inclúe unha captura de pantalla se é relevante - O problema ten que ver cunha característica ou cun bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Un bo informe non debería deixar ós outros coa necesidade de preguntarche máis información. E por favor inclúe todos os detalles sobre o teu sistema", "Warning: Always use English when contacting us, or we might not understand you.": "Ollo ó dato: ó contactarnos, escribe en inglés, do contrario podería ser que non che entendamos.", - "Search for torrent": "Busca torrent", "No results found": "Non se atopou nada", - "Invalid credentials": "Credenciais inválidas", "Open Favorites": "Abrir os favoritos", "Open About": "Abrir Canto a", "Minimize to Tray": "Minimizar na bandexa do sistema", "Close": "Pechar", "Restore": "Restaurar", - "Resume Playback": "Retomar no último punto", "Features": "Funcionalidades", "Connect To %s": "Conectarse a %s", - "The magnet link was copied to the clipboard": "A ligazón magnética foi copiada ó portarretallos", - "Big Picture Mode": "Modo de cine", - "Big Picture Mode is unavailable on your current screen resolution": "O modo de cine non está dispoñíbel para a súa resolución de pantalla actual.", "Cannot be stored": "Non pode gardarse", - "%s reported this torrent as fake": "%s reportou como falso o torrent", - "Randomize": "Ó chou", - "Randomize Button for Movies": "Botón ó chou para filmes", "Overall Ratio": "Taxa total", "Translate Synopsis": "Traducir resumo", "N/A": "Sen datos", "Your disk is almost full.": "Seica o teu disco está casi cheo.", "You need to make more space available on your disk by deleting files.": "Seica tes que borrar algúns arquivos para facer algo de espazo no disco.", "Playing Next": "Seguinte en cargar", - "Trending": "Na onda", - "Remember Filters": "Lembrar os filtros", - "Automatic Subtitle Uploading": "Subida automática dos subtítulos", "See-through Background": "Fondo transparente", "Bold": "Grosa", "Currently watching": "Agora vendo", "No, it's not that": "Non, non é iso", "Correct": "Correcto", - "Indie": "Independentes", "Init Database": "Inicia a base de datos.", "Status: %s ...": "Estado: %s ...", "Create Temp Folder": "Crear cartafol temporal", "Set System Theme": "Establecer tema do sistema", "Disclaimer": "Descargo de responsabilidade", "Series": "Serie", - "Finished": "Rematou", "Event": "Evento", - "action": "acción", - "war": "guerra", "Local": "Local", "Try another subtitle or drop one in the player": "Téntao con outros subtítulos, tamén podes arrastralos directamente ó reproductor.", - "animation": "animación", - "family": "familia", "show": "espectáculo", "movie": "película", "Something went wrong downloading the update": "Algo foi mal ao descargar a actualización", - "Activate Update seeding": "Activar a actualización de semillas", - "Disable Anime Tab": "Desactivar a pestana de anime", - "Disable Indie Tab": "Desactivar a pestana de cine independente", "Error converting subtitle": "Erro ó convertir os subtítulos", "No subtitles found": "Non se atoparon subtítulos", "Try again later or drop a subtitle in the player": "Téntao máis tarde, ou tamén podes arrastrar os subtítulos directamente ó reproductor.", "You should save the content of the old directory, then delete it": "Debería gardar o contido do antigo directorio e despois eliminalo", "Search on %s": "Buscar en %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Estás seguro de que queres eliminar toda a colección de Torrents?", "Audio Language": "Idioma de audio", "Subtitle": "Subtítulo", "Code:": "Código:", "Error reading subtitle timings, file seems corrupted": "Erro ó ler os tempos dos subtítulos, o arquivo semella estragado", - "Connection Not Secured": "Conexión non segura", "Open File to Import": "Abrir ficheiro a importar", - "Browse Directoy to save to": "Busca directorio no que gardar", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancelar e usar VPN", - "Continue seeding torrents after restart app?": "Seguir a sementar torrents despois de reiniciar a aplicación?", - "Enable VPN": "Activa a VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Descargando", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Resultados da busca", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Orixinal", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Descoñecido", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Si", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brillo", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Buscar actualizacións", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/gu.json b/src/app/language/gu.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/gu.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/he.json b/src/app/language/he.json index 2dc7b69442..aa434507bf 100644 --- a/src/app/language/he.json +++ b/src/app/language/he.json @@ -44,7 +44,6 @@ "Load More": "טען עוד", "Saved": "נשמר", "Settings": "הגדרות", - "Show advanced settings": "הצג הגדרות מתקדמות", "User Interface": "ממשק משתמש", "Default Language": "שפת ברירת המחדל", "Theme": "ערכת נושא", @@ -61,10 +60,7 @@ "Disabled": "מבוטל", "Size": "גודל", "Quality": "איכות", - "Only list movies in": "הצג רק סרטים באיכות", - "Show movie quality on list": "הצג את איכויות הסרטים ברשימה", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "התחברות אל %s בכדי למשוך אוטומטי את הפרקים שצפית בהם ב %s", "Username": "שם משתמש", "Password": "סיסמא", "%s stores an encrypted hash of your password in your local database": "%sמאחסון גיבוב מוצפן של הסיסמה שלך בבסיס הנתונים המקומי", @@ -73,19 +69,17 @@ "HTTP API Username": "שם משתמש HTTP API", "HTTP API Password": "סיסמת HTTP API", "Connection": "חיבור", - "TV Show API Endpoint": "כתובת API עבור סדרות טלויזיה", "Connection Limit": "הגבלת חיבורים", "DHT Limit": "הגבלת DHT", "Port to stream on": "פורט להזרמת מדיה", "0 = Random": "0 = אקראי", "Cache Directory": "מיקום המטמון", - "Clear Tmp Folder after closing app?": "לנקות את תיקיית המטמון לאחר סגירת התוכנה?", + "Clear Cache Folder after closing the app?": "האם לנקות את תיקיית המטמון לאחר סגירת היישום?", "Database": "מסד נתונים", "Database Directory": "מיקום מסד הנתונים", "Import Database": "ייבא מסד נתונים", "Export Database": "ייצא מסד נתונים", "Flush bookmarks database": "נקה את מסד הנתונים של המועדפים", - "Flush subtitles cache": "נקה מטמון של כתוביות", "Flush all databases": "נקה את כל מסדי הנתונים", "Reset to Default Settings": "איפוס ההגדרות לברירת מחדל", "Importing Database...": "מייבא מסד נתונים...", @@ -131,8 +125,8 @@ "Ended": "הסתיים", "Error loading data, try again later...": "בעיה בטעינה, אנא נסו מאוחר יותר...", "Miscellaneous": "שונים", - "First Unwatched Episode": "הפרק הראשון שלא נצפה", - "Next Episode In Series": "הפרק הבא", + "First unwatched episode": "הפרק הראשון שלא נצפה", + "Next episode": "הפרק הבא", "Flushing...": "מנקה...", "Are you sure?": "בטוח?", "We are flushing your databases": "אנו מנקים את מסדי הנתונים שלך", @@ -142,7 +136,7 @@ "Terms of Service": "תנאי שימוש", "I Accept": "אני מסכים\\ מסכימה", "Leave": "צא", - "When Opening TV Series Detail Jump To": "בפתיחת פרטי הסדרה עבור אל", + "Series detail opens to": "Series detail opens to", "Playback": "הפעל שוב", "Play next episode automatically": "הפעל את הפרק הבא באופן אוטומאטי", "Generate Pairing QR code": "ייצר קוד QR", @@ -152,23 +146,17 @@ "Seconds": "שניות", "You are currently connected to %s": "מחובר כרגע אל %s", "Disconnect account": "ניתוק החשבון", - "Sync With Trakt": "סנכרון עם Trakt.tv", "Syncing...": "מסנכרן...", "Done": "בוצע", "Subtitles Offset": "כתוביות משנה", "secs": "שניות", "We are flushing your database": "אנו מנקים כרגע את מסד הנתונים שלך", "Ratio": "יחס", - "Advanced Settings": "הגדרות מתקדמות", - "Tmp Folder": "תקייה זמנית", - "URL of this stream was copied to the clipboard": "קישור URL הועתק", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "שגיאה, כנראה מסד הנתונים נפל. אנא נסה למחוק מועדפים בהגדרות.", "Flushing bookmarks...": "מנקה מועדפים...", "Resetting...": "מאתחל...", "We are resetting the settings": "אנו מאפסים את ההגדרות", "Installed": "הותקן", - "We are flushing your subtitle cache": "אנו מנקים את המטמון של הכתוביות", - "Subtitle cache deleted": "המטמון של הכתוביות נוקה", "Please select a file to play": "אנא בחרו קובץ להפעלה", "Global shortcuts": "קיצורי דרך ציבוריים", "Video Player": "נגן וידאו", @@ -185,7 +173,6 @@ "Exit Fullscreen": "צא ממסך מלא", "Seek Backward": "קפוץ אחורה", "Decrease Volume": "הנמך ווליום", - "Show Stream URL": "הצג כתובת הזרמת מדיה", "TV Show Detail": "פרטי סדרה", "Toggle Watched": "בחירת נצפו לאחרונה", "Select Next Episode": "בחירת הפרק הבא", @@ -206,7 +193,7 @@ "Did you know?": "הידעת?", "What does %s offer?": "מה %s מציע?", "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "עם %s, אתם יכולים לצפות בסרטים וסדרות טלוויזיה ממש בקלות. כל מה שאתם צריכים לעשות זה ללחוץ על העטיפה, ואז ללחוץ \"צפה כעת\". אבל חווית הצפייה ניתן להתאמה אישית:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "אוסף הסרטים שלנו כולל סרטים באיכות גבוהה, שזמינים ב720p וב1080p. כדי לצפות בסרט, פשוט פתחו את %sונווטו דרך הסרטים באוסף, אשר זמינים דרך כרטיסיית 'סרטים', בניווט. כברירת מחדל יוצגו כל הסרטים, ממוינים על-פי פופולריות, אבל אתם יכולים לסנן אוץם בעצמכם, באמצעות 'ז'אנר' ו'מיון'. לאחר שאתם בוחרים סרט בו אתם רוצים לצפוץ, לחצו על העטיפה שלו, ולחצו 'צפה כעת'. אל תשכחו את הפופקורן!", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "אוסף הסרטים שלנו כולל רק סרטים באיכות גבוהה, שזמינים ב-720p וב-1080p. כדי לצפות בסרט, פשוט פתחו את %sונווטו דרך אוסף הסרטים שזמינים בכרטיסיית \"סרטים\", בסרגל הניווט. כברירת מחדל יוצגו כל הסרטים, ממוינים על־פי פופולריות, אבל אתם יכולים לסנן אותם בעצמכם באמצעות \"ז'אנר\" ו\"מיון על־פי\". לאחר שבחרתם סרט בו תרצו לצפות, לחצו על העטיפה שלו, ולחצו \"צפייה עכשיו\". אל תשכחו את הפופקורן!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "אפשר להגיע לקטגוריית הסדרות שלנו על ידי לחיצה על כפתור הסדרות.. לא לשכוח את הפופקורן!", "Choose quality": "בחירת איכות צפייה", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "באפשרותך לבחור את איכות הצפייה על ידי לחיצה על הכפתור שנמצא ליד כפתור ה 'הפעל עכשיו'. אפשר גם לקבוע איכות קבועה בהגדרות.", @@ -309,10 +296,7 @@ "Super Power": "כוח על", "Supernatural": "על טבעי", "Vampire": "ערפד", - "Automatically Sync on Start": "סנכרון אוטומטי בהפעלה", "VPN": "VPN", - "Activate automatic updating": "הפעל עדכון אוטומטי", - "Please wait...": "נא להמתין...", "Connect": "התחברות", "Create Account": "פתיחת חשבון", "Celebrate various events": "חגיגת אירועים שונים", @@ -320,10 +304,8 @@ "Downloaded": "הורד", "Loading stuck ? Click here !": "טעינה נתקעה? לחץ כאן !", "Torrent Collection": "מבחר טורנטים", - "Drop Magnet or .torrent": "הדבקת קישור Magnet או גרירת קובץ טורנט", "Remove this torrent": "הסרת טורנט", "Rename this torrent": "שינוי שם לטורנט", - "Flush entire collection": "ניקוי כל האוספים", "Open Collection Directory": "פתיחת תיקיית האוספים", "Store this torrent": "אחסן טורנט", "Enter new name": "הכנסת שם חדש", @@ -352,101 +334,214 @@ "No thank you": "לא תודה", "Report an issue": "דווחו על בעיה", "Email": "דוא\"ל", - "Log in": "התחברות", - "Report anonymously": "דיווח אנונימי", - "Note regarding anonymous reports:": "הערה בנושא דיווחים אנונימיים:", - "You will not be able to edit or delete your report once sent.": "אין באפשרותכם לשנות או להסיר דיווח לאחר השליחה.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "אם יידרש מידע נוסף, הדיווח עלול להיסגר מכיוון שאין באפשרותכם לספק אותו, ברגע שהדיווח נשלח אין אפשרות לשנות או להסיר אותו.", - "Step 1: Please look if the issue was already reported": "צעד 1: אנא בדקו אם הבעיה כבר מדווחת", - "Enter keywords": "מילות מפתח", - "Already reported": "כבר מדווח", - "I want to report a new issue": "ברצוני לדווח על בעיה חדשה", - "Step 2: Report a new issue": "צעד 2 : דווח על בעיה חדשה", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "הערה: אנא אל תשתמשו בדיווח בעיות כדי ליצור איתנו קשר. דיווח בעיות נועד אך ורק לדיווח בעיות. ניתן ליצור איתנו קשר בשביל כל השאר דרך האתר שלנו.", - "The title of the issue": "כותרת הבעיה", - "Description": "תיאור:", - "200 characters minimum": "200 מילים מינימום", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "תיאור קצר של הבעיה. אם הבעיה היא כתוביות, תתארו את הצעדים שדרושים על מנת לשחזר את הבעיה.", "Submit": "שליחה", - "Step 3: Thank you !": "צעד 3: תודה לכם!", - "Your issue has been reported.": "הבעיה דווחה בהצלחה.", - "Open in your browser": "פתיחה בדפדפן", - "No issues found...": "לא נמצאו בעיות...", - "First method": "שיטה ראשונה", - "Use the in-app reporter": "השתמשו בדיווח מתוך האפליקציה", - "You can find it later on the About page": "באפשרותכם למצוא את זה מאוחר יותר בדף אודות", - "Second method": "שיטה שניה", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "השתמשו ב %s בכדי לחפש ולראות אם הבעיה כבר דווחה או תוקנה.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "צרפו תמונה אם רלוונטי", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "דיווח טוב אמור לפרט על הבעיה ועל מה גרם לה להופיע.", "Warning: Always use English when contacting us, or we might not understand you.": "הערה: כתבולנו באנגלית כשאתם יוצרים איתנו קשר.", - "Search for torrent": "חפש טורנט", "No results found": "לא נמצאו תוצאות", - "Invalid credentials": "אישורים לא חוקי", "Open Favorites": "פתיחת מעודפים", "Open About": "פתיחת אודות", "Minimize to Tray": "מזעור לשעון", "Close": "סגירה", "Restore": "שחזור", - "Resume Playback": "המשך צפייה", "Features": "תכונות", "Connect To %s": "מחובר אל %s", - "The magnet link was copied to the clipboard": "הקישור של הטורנט הועתק", - "Big Picture Mode": "מצב תמונה גדולה", - "Big Picture Mode is unavailable on your current screen resolution": "מצב תמונה גדולה אינו אפשרי ברזולוציית המסך הנוכחית", "Cannot be stored": "לא ניתן לשמירה", - "%s reported this torrent as fake": "%s דיווחו שהטורנט הזה מזויף", - "Randomize": "אקראי", - "Randomize Button for Movies": "כפתור אקראי לסרטים", "Overall Ratio": "יחס שיתוף כללי", "Translate Synopsis": "תרגם תיאור", "N/A": "אינו זמין", "Your disk is almost full.": "הכונן כמעט מלא", "You need to make more space available on your disk by deleting files.": "ישנו צורך להסיר קבצים על מנת לפנות מקום בכונן.", "Playing Next": "נגן הבא", - "Trending": "פופולארי", - "Remember Filters": "שמור סינון", - "Automatic Subtitle Uploading": "העלאת כתוביות אוטומטית ", "See-through Background": "רקע שקוף", "Bold": "מודגש", "Currently watching": "צופה כרגע", "No, it's not that": "לא, זה לא זה", "Correct": "נכון", - "Indie": "אינדי", "Init Database": "אתחל מסד נתונים", "Status: %s ...": "סטטוס: %s...", "Create Temp Folder": "צור תיקייה זמנית", "Set System Theme": "הגדר ערכת נושא של מערכת", "Disclaimer": "הסרת אחריות חוקית", "Series": "סדרות", - "Finished": "נגמר", "Event": "אירוע", - "action": "פעולה", - "war": "מלחמה", "Local": "מקומי", "Try another subtitle or drop one in the player": "נא לנסות כתובית אחרות או גרירת כתובית אחרות אל הנגן", - "animation": "אנימציה", - "family": "משפחה", "show": "תוכנית", "movie": "סרט", "Something went wrong downloading the update": "משהו השתבש בזמן הורדת העדכון", - "Activate Update seeding": "הפעל זריעת עדכונים", - "Disable Anime Tab": "ביטול כרטיסיית אנימה", - "Disable Indie Tab": "ביטול כרטיסיית אינדי", "Error converting subtitle": "שגיאה בעת המרת כתוביות", "No subtitles found": "כתוביות לא נמצאו", "Try again later or drop a subtitle in the player": "נסו שוב או נסו לגרור כתובית אל הנגן", "You should save the content of the old directory, then delete it": "אתה צריך לשמור על תוכן המיקום הישן, ואז למחוק אותו", "Search on %s": "חיפוש ב %s", - "Are you sure you want to clear the entire Torrent Collection ?": "אתה בטוח שברצונך לנקות את אוסף כל הtorrent-ים?", "Audio Language": "שפת שמע", "Subtitle": "כתובית", "Code:": "קוד:", "Error reading subtitle timings, file seems corrupted": "טעות בזמן קריאת כתובית, יתכן והקובץ משובש", - "Connection Not Secured": "חיבור לא מאובטח", "Open File to Import": "פתח קובץ לייבוא", - "Browse Directoy to save to": "דפדף למציאת מיקום לשמירה", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "ביטול ושימוש בVPN", - "Continue seeding torrents after restart app?": "המשך בזריעת torrent לאחר הפעלה מחדש של האפליקציה?", - "Enable VPN": "אפשר VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "סידבוקס", + "Cache Folder": "תיקיית מטמון", + "Show cast": "הצג את צוות השחקנים", + "Filename": "שם קובץ", + "Stream Url": "Stream Url", + "Show playback controls": "הצג בקרי נגן", + "Downloading": "מוריד", + "Hide playback controls": "הסתר בקרי נגן", + "Poster Size": "גודל הפוסטר", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "הצג את כל הכתוביות הזמינות עבור שפת ברירת המחדל בתפריט הראשי", + "Cache Folder Button": "לחצן תיקיית מטמון", + "Enable remote control": "אפשר שליטה מרחוק", + "Server": "שרת", + "API Server(s)": "שרת(י) API", + "Proxy Server": "שרת Proxy", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "עדכן כעת", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "טורנטים שמורים", + "Search Results": "תוצאות חיפוש", + "Paste a Magnet link": "הדבק קישור מגנט", + "Import a Torrent file": "ייבא קובץ טורנט", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "פריטים שנצפו", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "רשימת ההורדות ריקה...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "הפעל/כבה כתוביות", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "מקורי", + "Fit screen": "התאם למסך", + "Video already fits screen": "הוידאו כבר מתאים למסך", + "The filename was copied to the clipboard": "שם הקובץ הועתק ללוח", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "הסתר את צוות השחקנים", + "Tabs": "כרטיסיות", + "Native window frame": "Native window frame", + "Open Cache Folder": "פתח את תיקיית המטמון", + "Restart Popcorn Time": "אתחל את Popcorn Time", + "Developer Tools": "כלי מפתחים", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time כרגע תומך", + "There is also support for Chromecast, AirPlay & DLNA devices.": "יש גם תמיכה במכשירי Chromecast, AirPlay ו־DLNA.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "מסנני ברירת מחדל", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "מסנני ברירת המחדל שלך שונו", + "Your Default Filters have been reset": "מסנני ברירת המחדל שלך אותחלו", + "Setting Filters...": "Setting Filters...", + "Default": "ברירת מחדל", + "Custom": "מותאם אישית", + "Remember": "זכור", + "Cache": "מטמון", + "Unknown": "לא ידוע", + "Change Subtitles Position": "שינוי מיקום כתוביות", + "Minimize": "מזער", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "ההפעלה תמנע את שיתוף המטמון בין הפעולות \"צפייה עכשיו\" ו\"הורדה\"", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "למחוק מטמון קשור?", + "Yes": "כן", + "No": "לא", + "Cache files deleted": "קובצי מטמון נמחקו", + "Delete related cache when removing from Seedbox": "מחק מטמון משויך בעת הסרה מהסידבוקס", + "Always": "תמיד", + "Ask me every time": "שאל אותי בכל פעם", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "הצג את הסידבוקס כשהורדה חדשה מתווספת", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "מתורגם - מקור", + "Original - Translated": "מקור - מתורגם", + "Translated only": "רק מתורגם", + "Original only": "רק מקור", + "Translate Posters": "תרגם פוסטרים", + "Translate Episode Titles": "תרגם כותרות פרקים", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "התרגומים תלויים בזמינות. ייתכן שחלק משרתי ה-API לא יתמכו באפשרויות מסוימות", + "added": "נוסף", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "הצג מידע על תאריך יציאה", + "Parental Guide": "מדריך להורים", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "לא זמין", + "Cast not available": "צוות השחקנים אינו זמין", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "בטל", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "זום", + "Contrast": "ניגודיות", + "Brightness": "בהירות", + "Hue": "גוון", + "Saturation": "רוויה", + "Decrease Zoom by": "הקטן זום ב־", + "Increase Zoom by": "הגדל זום ב־", + "Decrease Contrast by": "הפחת ניגודיות ב־", + "Increase Contrast by": "הגבר ניגודיות ב־", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "עדכן אוטומטית את ה־URL של שרתי הAPI", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "עדכן יישום באופן אוטומטי כשגרסה חדשה זמינה", + "Enable automatically updating the app when a new version is available": "אפשר עדכון אוטומטי של היישום כשגרסה חדשה זמינה", + "Check for updates": "בדוק אם קיימים עדכונים", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "צור משתמש", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "הטורנט הוסר", + "Remove": "הסר", + "Connect to %s": "התחבר ל־%s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "סנכרן כעת", + "Same as Default Language": "זהה לשפת ברירת המחדל", + "Language": "שפה", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "קישור למדריך להורים", + "IMDb page link": "קישור לעמוד IMDb", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "כותרת הפרק", + "full cast & crew link": "קישור לרשימת השחקנים והצוות המלאה", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "עוד...", + "Seeds": "Seeds", + "Peers": "עמיתים", + "less...": "פחות..." } \ No newline at end of file diff --git a/src/app/language/hi.json b/src/app/language/hi.json new file mode 100644 index 0000000000..0d9d1dad3b --- /dev/null +++ b/src/app/language/hi.json @@ -0,0 +1,547 @@ +{ + "External Player": "External Player", + "Made with": "का बना हुआ", + "by a bunch of geeks from All Around The World": "by a bunch of geeks from All Around The World", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Movies": "चलचित्र", + "TV Series": "टेलीविज़न शृंखला", + "Anime": "अनिमे", + "Genre": "शैली", + "All": "सब", + "Action": "कार्य", + "Adventure": "साहसिक", + "Animation": "एनीमेशन", + "Children": "बच्चे", + "Comedy": "Comedy", + "Crime": "अपराध", + "Documentary": "दस्तावेज़ी", + "Drama": "नाटक", + "Family": "परिवार", + "Fantasy": "कपोल कल्पित", + "Game Show": "Game Show", + "Horror": "डरावनी", + "Mini Series": "न्यूनतम शृंखला", + "Mystery": "रहस्य", + "News": "समाचार", + "Reality": "वास्तविकता", + "Romance": "रोमांस", + "Science Fiction": "कल्पित विज्ञान", + "Soap": "सोप", + "Special Interest": "विशेष रूचि", + "Sport": "खेल", + "Suspense": "दुविधा", + "Talk Show": "Talk Show", + "Thriller": "रोमांचक", + "Western": "पश्चिमी", + "Sort by": "इसके अनुसार क्रमबद्ध करें", + "Updated": "अपडेटेड", + "Year": "साल", + "Name": "नाम", + "Search": "खोजे", + "Season": "सीजन", + "Seasons": "ऋतु", + "Season %s": "Season %s", + "Load More": "और लोड करें", + "Saved": "Saved", + "Settings": "पतिस्थिति", + "User Interface": "User Interface", + "Default Language": "Default Language", + "Theme": "थीम", + "Start Screen": "Start Screen", + "Favorites": "पसंदीदा", + "Show rating over covers": "Show rating over covers", + "Always On Top": "Always On Top", + "Watched Items": "देखी गई वस्तुे\n", + "Show": "Show", + "Fade": "मुरझाना", + "Hide": "छिपाना", + "Subtitles": "उपशीर्षक", + "Default Subtitle": "Default Subtitle", + "Disabled": "अक्षम करें", + "Size": "\nआकार", + "Quality": "Quality", + "Trakt.tv": "Trakt.tv", + "Username": "Username", + "Password": "पासवर्ड", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "Remote Control": "Remote Control", + "HTTP API Port": "HTTP API Port", + "HTTP API Username": "HTTP API Username", + "HTTP API Password": "HTTP API Password", + "Connection": "Connection", + "Connection Limit": "Connection Limit", + "DHT Limit": "DHT Limit", + "Port to stream on": "Port to stream on", + "0 = Random": "0 = Random", + "Cache Directory": "Cache Directory", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", + "Database": "Database", + "Database Directory": "Database Directory", + "Import Database": "Import Database", + "Export Database": "Export Database", + "Flush bookmarks database": "Flush bookmarks database", + "Flush all databases": "Flush all databases", + "Reset to Default Settings": "Reset to Default Settings", + "Importing Database...": "Importing Database...", + "Please wait": "Please wait", + "Error": "त्रुटि", + "Biography": "जीवनी", + "Film-Noir": "Film-Noir", + "History": "इतिहास", + "Music": "संगीत", + "Musical": "Musical", + "Sci-Fi": "विज्ञान-कथा", + "Short": "Short", + "War": "युद्ध", + "Rating": "Rating", + "Open IMDb page": "Open IMDb page", + "Health false": "Health false", + "Add to bookmarks": "Add to bookmarks", + "Watch Trailer": "Watch Trailer", + "Watch Now": "Watch Now", + "Ratio:": "Ratio:", + "Seeds:": "Seeds:", + "Peers:": "Peers:", + "Remove from bookmarks": "Remove from bookmarks", + "Changelog": "Changelog", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.", + "Health Unknown": "Health Unknown", + "Episodes": "Episodes", + "Episode %s": "Episode %s", + "Aired Date": "Aired Date", + "Streaming to": "Streaming to", + "connecting": "Connecting", + "Download": "Download", + "Upload": "Upload", + "Active Peers": "Active Peers", + "Cancel": "रद्द करें", + "startingDownload": "Starting Download", + "downloading": "Downloading", + "ready": "Ready", + "playingExternally": "Playing Externally", + "Custom...": "Custom...", + "Volume": "आयतन", + "Ended": "समाप्त", + "Error loading data, try again later...": "Error loading data, try again later...", + "Miscellaneous": "Miscellaneous", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Flushing...", + "Are you sure?": "Are you sure?", + "We are flushing your databases": "We are flushing your databases", + "Success": "Success", + "Please restart your application": "Please restart your application", + "Restart": "Restart", + "Terms of Service": "सेवा की शर्तें", + "I Accept": "I Accept", + "Leave": "छोड़े", + "Series detail opens to": "Series detail opens to", + "Playback": "Playback", + "Play next episode automatically": "Play next episode automatically", + "Generate Pairing QR code": "Generate Pairing QR code", + "Play": "चलाएँ", + "waitingForSubtitles": "Waiting For Subtitles", + "Play Now": "Play Now", + "Seconds": "Seconds", + "You are currently connected to %s": "You are currently connected to %s", + "Disconnect account": "Disconnect account", + "Syncing...": "Syncing...", + "Done": "Done", + "Subtitles Offset": "Subtitles Offset", + "secs": "secs", + "We are flushing your database": "We are flushing your database", + "Ratio": "Ratio", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", + "Flushing bookmarks...": "Flushing bookmarks...", + "Resetting...": "Resetting...", + "We are resetting the settings": "We are resetting the settings", + "Installed": "Installed", + "Please select a file to play": "Please select a file to play", + "Global shortcuts": "Global shortcuts", + "Video Player": "Video Player", + "Toggle Fullscreen": "Toggle Fullscreen", + "Play/Pause": "Play/Pause", + "Seek Forward": "Seek Forward", + "Increase Volume": "Increase Volume", + "Set Volume to": "Set Volume to", + "Offset Subtitles by": "Offset Subtitles by", + "Toggle Mute": "Toggle Mute", + "Movie Detail": "Movie Detail", + "Toggle Quality": "Toggle Quality", + "Play Movie": "Play Movie", + "Exit Fullscreen": "Exit Fullscreen", + "Seek Backward": "Seek Backward", + "Decrease Volume": "Decrease Volume", + "TV Show Detail": "TV Show Detail", + "Toggle Watched": "Toggle Watched", + "Select Next Episode": "Select Next Episode", + "Select Previous Episode": "Select Previous Episode", + "Select Next Season": "Select Next Season", + "Select Previous Season": "Select Previous Season", + "Play Episode": "Play Episode", + "space": "space", + "shift": "shift", + "ctrl": "ctrl", + "enter": "enter", + "esc": "esc", + "Keyboard Shortcuts": "Keyboard Shortcuts", + "Cut": "Cut", + "Copy": "Copy", + "Paste": "Paste", + "Help Section": "Help Section", + "Did you know?": "Did you know?", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", + "Choose quality": "Choose quality", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", + "Watched icon": "Watched icon", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "External Players": "External Players", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", + "Keyboard Navigation": "Keyboard Navigation", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", + "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "Torrent health": "Torrent health", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "I found a bug, how do I report it?": "I found a bug, how do I report it?", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", + "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", + "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", + "Switch to next tab": "Switch to next tab", + "Switch to previous tab": "Switch to previous tab", + "Switch to corresponding tab": "Switch to corresponding tab", + "through": "through", + "Enlarge Covers": "Enlarge Covers", + "Reduce Covers": "Reduce Covers", + "Open Item Details": "Open Item Details", + "Add Item to Favorites": "Add Item to Favorites", + "Mark as Seen": "Mark as Seen", + "Open this screen": "Open this screen", + "Open Settings": "Open Settings", + "Posters Size": "Posters Size", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.", + "Last Open": "Last Open", + "Exporting Database...": "Exporting Database...", + "Database Successfully Exported": "Database Successfully Exported", + "Display": "Display", + "TV": "TV", + "Type": "Type", + "popularity": "popularity", + "date": "date", + "year": "year", + "rating": "rating", + "updated": "updated", + "name": "name", + "OVA": "OVA", + "ONA": "ONA", + "Movie": "चलचित्र", + "Special": "Special", + "Watchlist": "Watchlist", + "Resolving..": "Resolving..", + "About": "About", + "Open Cache Directory": "Open Cache Directory", + "Open Database Directory": "Open Database Directory", + "Mark as unseen": "Mark as unseen", + "Playback rate": "Playback rate", + "Increase playback rate by %s": "Increase playback rate by %s", + "Decrease playback rate by %s": "Decrease playback rate by %s", + "Set playback rate to %s": "Set playback rate to %s", + "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", + "Color": "रंग", + "Local IP Address": "Local IP Address", + "Japan": "Japan", + "Cars": "कारें", + "Dementia": "पागलपन", + "Demons": "शैतान", + "Ecchi": "Ecchi", + "Game": "खेल", + "Harem": "Harem", + "Historical": "Historical", + "Josei": "Josei", + "Kids": "बच्चे", + "Magic": "जादू", + "Martial Arts": "Martial Arts", + "Mecha": "Mecha", + "Military": "सेना", + "Parody": "Parody", + "Police": "Police", + "Psychological": "मनोवैज्ञानिक", + "Samurai": "Samurai", + "School": "स्कूल", + "Seinen": "Seinen", + "Shoujo": "Shoujo", + "Shoujo Ai": "Shoujo Ai", + "Shounen": "Shounen", + "Shounen Ai": "Shounen Ai", + "Slice of Life": "Slice of Life", + "Space": "Space", + "Sports": "Sports", + "Super Power": "Super Power", + "Supernatural": "Supernatural", + "Vampire": "Vampire", + "VPN": "वीपीएन", + "Connect": "Connect", + "Create Account": "Create Account", + "Celebrate various events": "Celebrate various events", + "Disconnect": "काटना", + "Downloaded": "Downloaded", + "Loading stuck ? Click here !": "Loading stuck ? Click here !", + "Torrent Collection": "Torrent Collection", + "Remove this torrent": "Remove this torrent", + "Rename this torrent": "Rename this torrent", + "Open Collection Directory": "Open Collection Directory", + "Store this torrent": "Store this torrent", + "Enter new name": "Enter new name", + "This name is already taken": "This name is already taken", + "Always start playing in fullscreen": "Always start playing in fullscreen", + "Magnet link": "Magnet link", + "Error resolving torrent.": "Error resolving torrent.", + "%s hour(s) remaining": "%s hour(s) remaining", + "%s minute(s) remaining": "%s minute(s) remaining", + "%s second(s) remaining": "%s second(s) remaining", + "Unknown time remaining": "Unknown time remaining", + "Set player window to video resolution": "Set player window to video resolution", + "Set player window to double of video resolution": "Set player window to double of video resolution", + "Set player window to half of video resolution": "Set player window to half of video resolution", + "Retry": "Retry", + "Import a Torrent": "Import a Torrent", + "Not Seen": "Not Seen", + "Seen": "Seen", + "Title": "Title", + "The video playback encountered an issue. Please try an external player like %s to view this content.": "The video playback encountered an issue. Please try an external player like %s to view this content.", + "Font": "Font", + "Decoration": "Decoration", + "None": "None", + "Outline": "Outline", + "Opaque Background": "Opaque Background", + "No thank you": "No thank you", + "Report an issue": "Report an issue", + "Email": "Email", + "Submit": "Submit", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", + "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", + "No results found": "No results found", + "Open Favorites": "Open Favorites", + "Open About": "Open About", + "Minimize to Tray": "Minimize to Tray", + "Close": "बंद करें", + "Restore": "Restore", + "Features": "Features", + "Connect To %s": "Connect To %s", + "Cannot be stored": "Cannot be stored", + "Overall Ratio": "Overall Ratio", + "Translate Synopsis": "Translate Synopsis", + "N/A": "N/A", + "Your disk is almost full.": "Your disk is almost full.", + "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", + "Playing Next": "Playing Next", + "See-through Background": "See-through Background", + "Bold": "Bold", + "Currently watching": "Currently watching", + "No, it's not that": "No, it's not that", + "Correct": "Correct", + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Downloading", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "खोज परिणाम", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "हसली", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "अनजान", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "हाँ", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brightness", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Check for updates", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." +} \ No newline at end of file diff --git a/src/app/language/hr-HR.json b/src/app/language/hr-HR.json index 84c6c891f9..ccaa7bcf1c 100644 --- a/src/app/language/hr-HR.json +++ b/src/app/language/hr-HR.json @@ -44,7 +44,6 @@ "Load More": "Učitaj više", "Saved": "Spremljeno", "Settings": "Postavke", - "Show advanced settings": "Prikaži napredne postavke", "User Interface": "Korisničko sučelje", "Default Language": "Zadani jezik", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Onemogućen", "Size": "Veličina", "Quality": "Kvaliteta", - "Only list movies in": "Samo prikaži filmove", - "Show movie quality on list": "Prikaži kvalitetu filma na popisu", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Povežite se s %s kako bi automatski mogli 'skroblati' epizode koje gledate u %s", "Username": "Korisničko ime", "Password": "Lozinka", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API korisničko ime", "HTTP API Password": "HTTP API lozinka", "Connection": "Povezivanje", - "TV Show API Endpoint": "API poveznica TV serija", "Connection Limit": "Ograničenje povezivanja", "DHT Limit": "DHT ograničenje", "Port to stream on": "Ulaz za streamanje", "0 = Random": "0 = Naizmjeničan", "Cache Directory": "Direktorij predmemorije", - "Clear Tmp Folder after closing app?": "Obriši direktorij predmemorije nakon zatvaranja aplikacije?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Baza podataka", "Database Directory": "Direktorij baze podataka", "Import Database": "Uvezi bazu podataka", "Export Database": "Izvezi bazu podataka", "Flush bookmarks database": "Obriši bazu podataka zabilješki", - "Flush subtitles cache": "Obriši predmemoriju podnaslova", "Flush all databases": "Obriši sve baze podataka", "Reset to Default Settings": "Vrati početne postavke", "Importing Database...": "Uvoz baze podataka...", @@ -131,8 +125,8 @@ "Ended": "Završeno", "Error loading data, try again later...": "Greška pokretanja podataka, pokušajte ponovno kasnije...", "Miscellaneous": "Ostalo", - "First Unwatched Episode": "Sljedeću nepogledanu epizodu", - "Next Episode In Series": "Sljedeću epizodu serije", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Brisanje...", "Are you sure?": "Jeste li sigurni?", "We are flushing your databases": "Briše se vaša baza podataka", @@ -142,7 +136,7 @@ "Terms of Service": "Uvjeti korištenja", "I Accept": "Prihvaćam", "Leave": "Napusti", - "When Opening TV Series Detail Jump To": "Kada se otvaraju pojedinosti TV serija idi odmah na", + "Series detail opens to": "Series detail opens to", "Playback": "Reprodukcija", "Play next episode automatically": "Reproduciraj sljedeću epizodu automatski", "Generate Pairing QR code": "Generiraj QR kôd uparivanja", @@ -152,23 +146,17 @@ "Seconds": "Sekundi", "You are currently connected to %s": "Trenutačno ste povezani s %s", "Disconnect account": "Odspoji račun", - "Sync With Trakt": "Uskladi s Traktom", "Syncing...": "Usklađivanje...", "Done": "Završeno", "Subtitles Offset": "Pomak podnaslova", "secs": "sekundi", "We are flushing your database": "Briše se vaša baza podataka", "Ratio": "Omjer", - "Advanced Settings": "Napredne postavke", - "Tmp Folder": "Privremeni direktorij", - "URL of this stream was copied to the clipboard": "URL ovog streama je kopiran u međuspremnik", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Greška, baza podataka je najvjerojatnije oštećena. Pokušajte obrisati zabilješke u postavkama.", "Flushing bookmarks...": "Brisanje zabilješki...", "Resetting...": "Vraćanje postavki...", "We are resetting the settings": "Vraćanje zadanih postavki", "Installed": "Instalirano", - "We are flushing your subtitle cache": "Brisanje predmemorije podnaslova", - "Subtitle cache deleted": "Predmemorija podnaslova obrisana", "Please select a file to play": "Odaberite datoteku za reprodukciju", "Global shortcuts": "Globalni prečaci", "Video Player": "Video reproduktor", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Napusti cjelozaslonski prikaz", "Seek Backward": "Premotavanje unazad", "Decrease Volume": "Smanji glasnoću zvuka", - "Show Stream URL": "Prikaži URL streama", "TV Show Detail": "Pojedinosti TV serije", "Toggle Watched": "Uključi/Isključi pogledano", "Select Next Episode": "Odaberi sljedeću epizodu", @@ -309,10 +296,7 @@ "Super Power": "Nadljudski", "Supernatural": "Nadnaravno", "Vampire": "Vampirski", - "Automatically Sync on Start": "Automatski uskladi pri pokretanju", "VPN": "VPN", - "Activate automatic updating": "Aktiviraj automatsko ažuriranje", - "Please wait...": "Molimo pričekajte...", "Connect": "Poveži se", "Create Account": "Napravi račun", "Celebrate various events": "Prikaži praznike i ostale događaje", @@ -320,10 +304,8 @@ "Downloaded": "Preuzeto", "Loading stuck ? Click here !": "Učitavanje zapelo? Kliknite ovdje!", "Torrent Collection": "Kolekcija torrenta", - "Drop Magnet or .torrent": "Ispustite Magnet ili .torrent", "Remove this torrent": "Ukloni ovaj torrent", "Rename this torrent": "Preimenuj ovaj torrent", - "Flush entire collection": "Obriši cijelu kolekciju", "Open Collection Directory": "Otvori direktorij kolekcije", "Store this torrent": "Spremi ovaj torrent", "Enter new name": "Upiši novi naziv", @@ -352,101 +334,214 @@ "No thank you": "Ne, hvala", "Report an issue": "Prijavite problem", "Email": "E-pošta", - "Log in": "Prijavi se", - "Report anonymously": "Prijavi se anonimno", - "Note regarding anonymous reports:": "Napomena povezana uz anonimne izvještaje problema:", - "You will not be able to edit or delete your report once sent.": "Nećete moći uređivati ili obrisati svoj izvještaj problema jednom kada ga pošaljete.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ako su potrebne dodatne informacije, izvještaj problema nećete moći kasnije uređivati i dodadati mu dodatne informacije", - "Step 1: Please look if the issue was already reported": "1 korak: provjerite je li problem već prijavljen", - "Enter keywords": "Upišite ključne riječi", - "Already reported": "Već je prijavljeno", - "I want to report a new issue": "Želim prijaviti novi problem", - "Step 2: Report a new issue": "2 korak: prijavite novi problem", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Napomena: ne koristite ovaj obrazac kako biste nas kontaktirali. Ograničen je samo na prijavu grešaka.", - "The title of the issue": "Naslov problema", - "Description": "Opis", - "200 characters minimum": "Najmanje 200 znakova", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Kratak opis problema. Ako je moguće, uključite potrebne korake koji su doveli do problema.", "Submit": "Prijavi", - "Step 3: Thank you !": "3 korak: Hvala vam!", - "Your issue has been reported.": "Vaš problem je prijavljen.", - "Open in your browser": "Otvorite u web pregledniku", - "No issues found...": "Nema pronađenih problema...", - "First method": "Prvi način", - "Use the in-app reporter": "Koristi izvjestitelja ugrađenog u aplikaciju", - "You can find it later on the About page": "Možete ga pronaći kasnije u 'O programu' stranici", - "Second method": "Drugi način", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Koristite %s filter problema kako bi pretražili i provjerili je li problem već prijavljen ili popravljen.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Uključite snimku zaslona ako je potrebno - Ako imate problem s dizajnom ili greškom?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Dobar izvještaj greške ne bi trebao izostaviti ostale potrebne informacije. Pobrinite se uključiti u izvještaj pojedinosti vašeg radnog okruženja.", "Warning: Always use English when contacting us, or we might not understand you.": "Upozorenje: uvijek koristite engleski jezik kada nas kontaktirate, u suprotnom vas nećemo možda razumjeti.", - "Search for torrent": "Search for torrent", "No results found": "Nema pronađenih rezultata", - "Invalid credentials": "Neispravne vjerodajnice", "Open Favorites": "Otvori omiljene", "Open About": "Otvori o programu", "Minimize to Tray": "Smanji u traku sustava", "Close": "Zatvori", "Restore": "Vrati", - "Resume Playback": "Nastavi reprodukciju", "Features": "Značajke", "Connect To %s": "Povezano s %s", - "The magnet link was copied to the clipboard": "Magnetna poveznica je kopirana u međuspremnik", - "Big Picture Mode": "Način prikaza u velikom zaslonu", - "Big Picture Mode is unavailable on your current screen resolution": "Način prikaza u velikom zaslonu je nedostupan na vašoj trenutačnoj razlučivosti", "Cannot be stored": "Ne može biti spremljeno", - "%s reported this torrent as fake": "%s je prijavio ovaj torrent kao lažan", - "Randomize": "Naizmjenični odabir", - "Randomize Button for Movies": "Tipka za naizmjenični odabir filmova", "Overall Ratio": "Ukupan omjer", "Translate Synopsis": "Prevedi sadržaj", "N/A": "Nepoznato", "Your disk is almost full.": "Vaš disk će uskoro biti popunjen.", "You need to make more space available on your disk by deleting files.": "Morate osloboditi više slobodnog prostora na vašem disku brisanjem datoteka.", "Playing Next": "Sljedeća epizoda za", - "Trending": "Trendu", - "Remember Filters": "Zapamti filtere", - "Automatic Subtitle Uploading": "Automatsko slanje podnaslova", "See-through Background": "Prozirna pozadina", "Bold": "Podebljano", "Currently watching": "Trenutno gledate", "No, it's not that": "Ne, to nije to", "Correct": "Ispravno", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Lokalno", "Try another subtitle or drop one in the player": "Probajte drugi podnaslov ili ispustite jedan u reproduktor", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Greška pretvorbe podnaslova", "No subtitles found": "Nema pronađenih podnaslova", "Try again later or drop a subtitle in the player": "Pokušajte ponovno kasnije ili ispustite podnaslov u reproduktor", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Pretraži na %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Greška čitanja vremena podnaslova, datoteka izgleda oštećeno", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Preuzimanje...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Rezultati pretraživanja", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Izvorno", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Nepoznato", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Da", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Svjetlina", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Provjeri ažuriranje", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/hr.json b/src/app/language/hr.json index 84c6c891f9..ccaa7bcf1c 100644 --- a/src/app/language/hr.json +++ b/src/app/language/hr.json @@ -44,7 +44,6 @@ "Load More": "Učitaj više", "Saved": "Spremljeno", "Settings": "Postavke", - "Show advanced settings": "Prikaži napredne postavke", "User Interface": "Korisničko sučelje", "Default Language": "Zadani jezik", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Onemogućen", "Size": "Veličina", "Quality": "Kvaliteta", - "Only list movies in": "Samo prikaži filmove", - "Show movie quality on list": "Prikaži kvalitetu filma na popisu", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Povežite se s %s kako bi automatski mogli 'skroblati' epizode koje gledate u %s", "Username": "Korisničko ime", "Password": "Lozinka", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API korisničko ime", "HTTP API Password": "HTTP API lozinka", "Connection": "Povezivanje", - "TV Show API Endpoint": "API poveznica TV serija", "Connection Limit": "Ograničenje povezivanja", "DHT Limit": "DHT ograničenje", "Port to stream on": "Ulaz za streamanje", "0 = Random": "0 = Naizmjeničan", "Cache Directory": "Direktorij predmemorije", - "Clear Tmp Folder after closing app?": "Obriši direktorij predmemorije nakon zatvaranja aplikacije?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Baza podataka", "Database Directory": "Direktorij baze podataka", "Import Database": "Uvezi bazu podataka", "Export Database": "Izvezi bazu podataka", "Flush bookmarks database": "Obriši bazu podataka zabilješki", - "Flush subtitles cache": "Obriši predmemoriju podnaslova", "Flush all databases": "Obriši sve baze podataka", "Reset to Default Settings": "Vrati početne postavke", "Importing Database...": "Uvoz baze podataka...", @@ -131,8 +125,8 @@ "Ended": "Završeno", "Error loading data, try again later...": "Greška pokretanja podataka, pokušajte ponovno kasnije...", "Miscellaneous": "Ostalo", - "First Unwatched Episode": "Sljedeću nepogledanu epizodu", - "Next Episode In Series": "Sljedeću epizodu serije", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Brisanje...", "Are you sure?": "Jeste li sigurni?", "We are flushing your databases": "Briše se vaša baza podataka", @@ -142,7 +136,7 @@ "Terms of Service": "Uvjeti korištenja", "I Accept": "Prihvaćam", "Leave": "Napusti", - "When Opening TV Series Detail Jump To": "Kada se otvaraju pojedinosti TV serija idi odmah na", + "Series detail opens to": "Series detail opens to", "Playback": "Reprodukcija", "Play next episode automatically": "Reproduciraj sljedeću epizodu automatski", "Generate Pairing QR code": "Generiraj QR kôd uparivanja", @@ -152,23 +146,17 @@ "Seconds": "Sekundi", "You are currently connected to %s": "Trenutačno ste povezani s %s", "Disconnect account": "Odspoji račun", - "Sync With Trakt": "Uskladi s Traktom", "Syncing...": "Usklađivanje...", "Done": "Završeno", "Subtitles Offset": "Pomak podnaslova", "secs": "sekundi", "We are flushing your database": "Briše se vaša baza podataka", "Ratio": "Omjer", - "Advanced Settings": "Napredne postavke", - "Tmp Folder": "Privremeni direktorij", - "URL of this stream was copied to the clipboard": "URL ovog streama je kopiran u međuspremnik", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Greška, baza podataka je najvjerojatnije oštećena. Pokušajte obrisati zabilješke u postavkama.", "Flushing bookmarks...": "Brisanje zabilješki...", "Resetting...": "Vraćanje postavki...", "We are resetting the settings": "Vraćanje zadanih postavki", "Installed": "Instalirano", - "We are flushing your subtitle cache": "Brisanje predmemorije podnaslova", - "Subtitle cache deleted": "Predmemorija podnaslova obrisana", "Please select a file to play": "Odaberite datoteku za reprodukciju", "Global shortcuts": "Globalni prečaci", "Video Player": "Video reproduktor", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Napusti cjelozaslonski prikaz", "Seek Backward": "Premotavanje unazad", "Decrease Volume": "Smanji glasnoću zvuka", - "Show Stream URL": "Prikaži URL streama", "TV Show Detail": "Pojedinosti TV serije", "Toggle Watched": "Uključi/Isključi pogledano", "Select Next Episode": "Odaberi sljedeću epizodu", @@ -309,10 +296,7 @@ "Super Power": "Nadljudski", "Supernatural": "Nadnaravno", "Vampire": "Vampirski", - "Automatically Sync on Start": "Automatski uskladi pri pokretanju", "VPN": "VPN", - "Activate automatic updating": "Aktiviraj automatsko ažuriranje", - "Please wait...": "Molimo pričekajte...", "Connect": "Poveži se", "Create Account": "Napravi račun", "Celebrate various events": "Prikaži praznike i ostale događaje", @@ -320,10 +304,8 @@ "Downloaded": "Preuzeto", "Loading stuck ? Click here !": "Učitavanje zapelo? Kliknite ovdje!", "Torrent Collection": "Kolekcija torrenta", - "Drop Magnet or .torrent": "Ispustite Magnet ili .torrent", "Remove this torrent": "Ukloni ovaj torrent", "Rename this torrent": "Preimenuj ovaj torrent", - "Flush entire collection": "Obriši cijelu kolekciju", "Open Collection Directory": "Otvori direktorij kolekcije", "Store this torrent": "Spremi ovaj torrent", "Enter new name": "Upiši novi naziv", @@ -352,101 +334,214 @@ "No thank you": "Ne, hvala", "Report an issue": "Prijavite problem", "Email": "E-pošta", - "Log in": "Prijavi se", - "Report anonymously": "Prijavi se anonimno", - "Note regarding anonymous reports:": "Napomena povezana uz anonimne izvještaje problema:", - "You will not be able to edit or delete your report once sent.": "Nećete moći uređivati ili obrisati svoj izvještaj problema jednom kada ga pošaljete.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ako su potrebne dodatne informacije, izvještaj problema nećete moći kasnije uređivati i dodadati mu dodatne informacije", - "Step 1: Please look if the issue was already reported": "1 korak: provjerite je li problem već prijavljen", - "Enter keywords": "Upišite ključne riječi", - "Already reported": "Već je prijavljeno", - "I want to report a new issue": "Želim prijaviti novi problem", - "Step 2: Report a new issue": "2 korak: prijavite novi problem", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Napomena: ne koristite ovaj obrazac kako biste nas kontaktirali. Ograničen je samo na prijavu grešaka.", - "The title of the issue": "Naslov problema", - "Description": "Opis", - "200 characters minimum": "Najmanje 200 znakova", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Kratak opis problema. Ako je moguće, uključite potrebne korake koji su doveli do problema.", "Submit": "Prijavi", - "Step 3: Thank you !": "3 korak: Hvala vam!", - "Your issue has been reported.": "Vaš problem je prijavljen.", - "Open in your browser": "Otvorite u web pregledniku", - "No issues found...": "Nema pronađenih problema...", - "First method": "Prvi način", - "Use the in-app reporter": "Koristi izvjestitelja ugrađenog u aplikaciju", - "You can find it later on the About page": "Možete ga pronaći kasnije u 'O programu' stranici", - "Second method": "Drugi način", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Koristite %s filter problema kako bi pretražili i provjerili je li problem već prijavljen ili popravljen.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Uključite snimku zaslona ako je potrebno - Ako imate problem s dizajnom ili greškom?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Dobar izvještaj greške ne bi trebao izostaviti ostale potrebne informacije. Pobrinite se uključiti u izvještaj pojedinosti vašeg radnog okruženja.", "Warning: Always use English when contacting us, or we might not understand you.": "Upozorenje: uvijek koristite engleski jezik kada nas kontaktirate, u suprotnom vas nećemo možda razumjeti.", - "Search for torrent": "Search for torrent", "No results found": "Nema pronađenih rezultata", - "Invalid credentials": "Neispravne vjerodajnice", "Open Favorites": "Otvori omiljene", "Open About": "Otvori o programu", "Minimize to Tray": "Smanji u traku sustava", "Close": "Zatvori", "Restore": "Vrati", - "Resume Playback": "Nastavi reprodukciju", "Features": "Značajke", "Connect To %s": "Povezano s %s", - "The magnet link was copied to the clipboard": "Magnetna poveznica je kopirana u međuspremnik", - "Big Picture Mode": "Način prikaza u velikom zaslonu", - "Big Picture Mode is unavailable on your current screen resolution": "Način prikaza u velikom zaslonu je nedostupan na vašoj trenutačnoj razlučivosti", "Cannot be stored": "Ne može biti spremljeno", - "%s reported this torrent as fake": "%s je prijavio ovaj torrent kao lažan", - "Randomize": "Naizmjenični odabir", - "Randomize Button for Movies": "Tipka za naizmjenični odabir filmova", "Overall Ratio": "Ukupan omjer", "Translate Synopsis": "Prevedi sadržaj", "N/A": "Nepoznato", "Your disk is almost full.": "Vaš disk će uskoro biti popunjen.", "You need to make more space available on your disk by deleting files.": "Morate osloboditi više slobodnog prostora na vašem disku brisanjem datoteka.", "Playing Next": "Sljedeća epizoda za", - "Trending": "Trendu", - "Remember Filters": "Zapamti filtere", - "Automatic Subtitle Uploading": "Automatsko slanje podnaslova", "See-through Background": "Prozirna pozadina", "Bold": "Podebljano", "Currently watching": "Trenutno gledate", "No, it's not that": "Ne, to nije to", "Correct": "Ispravno", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Lokalno", "Try another subtitle or drop one in the player": "Probajte drugi podnaslov ili ispustite jedan u reproduktor", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Greška pretvorbe podnaslova", "No subtitles found": "Nema pronađenih podnaslova", "Try again later or drop a subtitle in the player": "Pokušajte ponovno kasnije ili ispustite podnaslov u reproduktor", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Pretraži na %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Greška čitanja vremena podnaslova, datoteka izgleda oštećeno", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Preuzimanje...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Rezultati pretraživanja", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Izvorno", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Nepoznato", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Da", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Svjetlina", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Provjeri ažuriranje", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/hu.json b/src/app/language/hu.json index 3455ad0100..47c9594e85 100644 --- a/src/app/language/hu.json +++ b/src/app/language/hu.json @@ -44,7 +44,6 @@ "Load More": "Továbbiak", "Saved": "Mentve", "Settings": "Beállítások", - "Show advanced settings": "Fejlett beállítások mutatása", "User Interface": "Kezelőfelület", "Default Language": "Alapértelmezett nyelv", "Theme": "Téma", @@ -61,10 +60,7 @@ "Disabled": "Kikapcsolva", "Size": "Méret", "Quality": "Minőség", - "Only list movies in": "Filmek szűrése minőség alapján:", - "Show movie quality on list": "Mutasd a minőséget a listán", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Felhasználónév", "Password": "Jelszó", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Felhasználónév", "HTTP API Password": "HTTP API Jelszó", "Connection": "Kapcsolat", - "TV Show API Endpoint": "Sorozat API végpont", "Connection Limit": "Kapcsolat limit", "DHT Limit": "DHT limit", "Port to stream on": "Sugárzásra használatos port", "0 = Random": "0 = Véletlenszerű", "Cache Directory": "Gyorsítótár mappa", - "Clear Tmp Folder after closing app?": "Bezáráskor törölje az ideiglenes fájlokat?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Adatbázis", "Database Directory": "Adatbázis könyvtára", "Import Database": "Adatbázis importálása", "Export Database": "Adatbázis exportálása", "Flush bookmarks database": "Ürítsd a könyvjelzőimet", - "Flush subtitles cache": "Felíratok ürítése", "Flush all databases": "Ürítsd az összes adatbázist", "Reset to Default Settings": "Gyári beállítások visszaállítása", "Importing Database...": "Adatbázis importálása...", @@ -131,8 +125,8 @@ "Ended": "Befejeződött", "Error loading data, try again later...": "Hiba a betöltéskor, kérjük próbálkozz később...", "Miscellaneous": "Egyéb", - "First Unwatched Episode": "Első megnézetlen epizód", - "Next Episode In Series": "Legújabb epizód a sorozatban", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Ürítés...", "Are you sure?": "Biztos?", "We are flushing your databases": "Ürítjük az adatbázisaidat", @@ -142,7 +136,7 @@ "Terms of Service": "Szolgáltatás feltételei", "I Accept": "Elfogadom", "Leave": "Kilépés", - "When Opening TV Series Detail Jump To": "Sorozat részleteinek megnyitásakor ugrás", + "Series detail opens to": "Series detail opens to", "Playback": "Visszajátszás", "Play next episode automatically": "Következő epizód automatikus lejátszása", "Generate Pairing QR code": "QR kód generálása párosításhoz", @@ -152,23 +146,17 @@ "Seconds": "Másodperc", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Fiók lecsatlakoztatása", - "Sync With Trakt": "Szinkronizálás Trakt-tal", "Syncing...": "Szinkronizálás...", "Done": "Kész", "Subtitles Offset": "Felirat késleltetése", "secs": "mp", "We are flushing your database": "Ürítjük az adatbázisodat", "Ratio": "Arány", - "Advanced Settings": "Fejlett beállítások", - "Tmp Folder": "Ideiglenes mappa", - "URL of this stream was copied to the clipboard": "Adás URL-je a vágólapra másolva", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Hiba: Az adatbázis valószínűleg sérült. Próbáld meg kiüríteni a könyvjelzőket a Beállításokban.", "Flushing bookmarks...": "Könyvjelzők ürítése...", "Resetting...": "Visszaállítás...", "We are resetting the settings": "Visszaállítjuk a beállításokat", "Installed": "Telepítve", - "We are flushing your subtitle cache": "Ürítjük a felirat gyorsítótáradat", - "Subtitle cache deleted": "Felirat gyorsítótár törölve", "Please select a file to play": "Kérlek válassz egy fájlt a lejátszáshoz", "Global shortcuts": "Globális gyorsbillentyűk", "Video Player": "Videó lejátszó", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Kilépés teljes képernyőből", "Seek Backward": "Tekerés vissza", "Decrease Volume": "Hangerő csökkentése", - "Show Stream URL": "Adás URL mutatása", "TV Show Detail": "Sorozat részletei", "Toggle Watched": "Megnézettek", "Select Next Episode": "Következő epizód kiválasztása", @@ -309,10 +296,7 @@ "Super Power": "Szuper Erő", "Supernatural": "Természetfölötti", "Vampire": "Vámpír", - "Automatically Sync on Start": "Automatikus szinkronizálás indításkor", "VPN": "VPN", - "Activate automatic updating": "Aktiválja az automatikus frissítést", - "Please wait...": "Kérlek várj...", "Connect": "Csatlakozás", "Create Account": "Fiók készítése", "Celebrate various events": "Különböző események ünneplése", @@ -320,10 +304,8 @@ "Downloaded": "Letöltött", "Loading stuck ? Click here !": "Megállt a betöltés? Kattintson ide!", "Torrent Collection": "Torrent gyűjtemény", - "Drop Magnet or .torrent": "Dobj ide egy Magnetet vagy .torrent fájlt", "Remove this torrent": "Torrent eltávolítása", "Rename this torrent": "Torrent átnevezése", - "Flush entire collection": "Teljes gyűjtemény ürítése", "Open Collection Directory": "Gyűjtemény könyvtár kinyitása", "Store this torrent": "Torrent tárolása", "Enter new name": "Új név megadása", @@ -352,101 +334,214 @@ "No thank you": "Nem, köszönöm", "Report an issue": "Észrevétel jelentése", "Email": "Email", - "Log in": "Bejelentkezés", - "Report anonymously": "Jelentés névtelenül", - "Note regarding anonymous reports:": "Megjegyzés az anonim jelentésekkel kapcsolatban:", - "You will not be able to edit or delete your report once sent.": "Elküldés után nem fogod tudni szerkeszteni vagy törölni a jelentésedet.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ha többletinformációra van szükség, a jelentés lezárásra kerülhet, mivel azt nem tudod biztosítani.", - "Step 1: Please look if the issue was already reported": "1. lépés: Kérjük nézzen utána, hogy az észrevételt jelentették-e már", - "Enter keywords": "Adjon meg kulcsszavakat", - "Already reported": "Már bejelentett", - "I want to report a new issue": "Szeretnék jelenteni egy új észrevételt", - "Step 2: Report a new issue": "2. lépés: Új észrevétel jelentése", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Megjegyzés: Kérjük, ne használja ezt az űrlapot kapcsolatot felvételre. Ez korlétozva van csak hibajelentésekre.", - "The title of the issue": "Az észrevétel címe", - "Description": "Leírás", - "200 characters minimum": "200 karakter minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "A probléma rövid leírása. Amennyiben lehetséges, írd le a lépéseket is, melyekkel a hibát reprodukálni lehet.", "Submit": "Elküld", - "Step 3: Thank you !": "3. lépés: Köszönjük!", - "Your issue has been reported.": "Az észrevétele jelentve lett.", - "Open in your browser": "Nyissa meg a böngészőjében", - "No issues found...": "Nem találhatók észrevételek...", - "First method": "Első módszer", - "Use the in-app reporter": "Programon belüli jelentő használata", - "You can find it later on the About page": "Később a Névjegy oldalon megtalálod", - "Second method": "Második módszer", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Használd a(z) %s hibaszűrőt hogy ellenőrizd, jelentette-e már valaki a hibát, vagy esetleg már ki is lett javítva.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Mellékelj képernyőképet is, ha az fontos - A felülettel van problémád, vagy pedig a program működésével?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Egy jó hibabejelentés után nem kell másoknak megtalálni téged, hogy több információhoz jussanak. Mellékelj részleteket a futtatási környezetről is.", "Warning: Always use English when contacting us, or we might not understand you.": "Figyelem: Minden esetben angolul írj nekünk, ellenkező esetben lehet, hogy nem fogjuk érteni.", - "Search for torrent": "Search for torrent", "No results found": "Nincs találat", - "Invalid credentials": "Érvénytelen hitelesítő adatok", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimalizálás tálcára", "Close": "Bezárás", "Restore": "Restore", - "Resume Playback": "Lejátszás folytatása", "Features": "Jellemzők", "Connect To %s": "Csatlakozás %s", - "The magnet link was copied to the clipboard": "Adás URL-je a vágólapra másolva", - "Big Picture Mode": "Nagy Kép Mód", - "Big Picture Mode is unavailable on your current screen resolution": "A Nagy Kép Mód nem elérhető a jelenlegi képernyőfelbontásán", "Cannot be stored": "Nem tárolható", - "%s reported this torrent as fake": "%s hamisnak jelentette ezt a torrentet", - "Randomize": "Véletlenszerűsít", - "Randomize Button for Movies": "Véletlenszerűsítő gomb Filmekhez", "Overall Ratio": "Átfogó Arány", "Translate Synopsis": "Szinopszis fordítása", "N/A": "N/A", "Your disk is almost full.": "A lemez majdnem megtelt.", "You need to make more space available on your disk by deleting files.": "Több rendelkezésre álló helyet kell felszabadítani a lemezen fájlok törlésével.", "Playing Next": "Következő lejátszása", - "Trending": "Felkapott", - "Remember Filters": "Szűrők megjegyzése", - "Automatic Subtitle Uploading": "Automatikus Felirat Feltöltés", "See-through Background": "Átlátható háttér", "Bold": "Félkövér", "Currently watching": "Jelenleg nézett", "No, it's not that": "Nem, ez nem az", "Correct": "Helyes", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Helyi", "Try another subtitle or drop one in the player": "Próbálj másik feliratot, vagy dobj egyet a lejátszóba", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Felirat átalakítási hiba", "No subtitles found": "Nem található felirat", "Try again later or drop a subtitle in the player": "Próbáld újra később, vagy dobj egy feliratot a lejétszóba", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Search on %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Felirat időzítés olvasási hiba, a fájl sérültnek tűnik", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Letöltés...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Keresési Eredmények", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Eredeti", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Ismeretlen", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Igen", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Fényerő", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Frissítések keresése", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/id.json b/src/app/language/id.json index bbf75e1e3e..7bb2ddf6f8 100644 --- a/src/app/language/id.json +++ b/src/app/language/id.json @@ -44,7 +44,6 @@ "Load More": "Muat Lebih Banyak", "Saved": "Disimpan", "Settings": "Pengaturan", - "Show advanced settings": "Lihat pengaturan lanjutan", "User Interface": "Antarmuka Pengguna", "Default Language": "Bahasa Standar", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Matikan", "Size": "Ukuran", "Quality": "Kualitas", - "Only list movies in": "Hanya daftar film pada", - "Show movie quality on list": "Tampilkan kualitas film pada daftar", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Hubungkan dengan %s untuk menangkap episode yang Anda lihat secara otomatis di %s ", "Username": "Nama Pengguna", "Password": "Kata Sandi", "%s stores an encrypted hash of your password in your local database": "%s menyimpan hash terenkripsi dari kata sandi anda di basis data lokal", @@ -73,19 +69,17 @@ "HTTP API Username": "Nama HTTP API", "HTTP API Password": "Sandi HTTP API", "Connection": "Koneksi", - "TV Show API Endpoint": "Endpoint API Acara TV", "Connection Limit": "Batas Koneksi", "DHT Limit": "Batas DHT", "Port to stream on": "Port untuk menyalakan streaming", "0 = Random": "0 = Acak", "Cache Directory": "Direktori Cache", - "Clear Tmp Folder after closing app?": "Bersihkan Folder Tmp setelah menutup app?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Basisdata", "Database Directory": "Direktori Basisdata", "Import Database": "Impor Basisdata", "Export Database": "Ekspor Basisdata", "Flush bookmarks database": "Bersihkan markah basisdata", - "Flush subtitles cache": "Hapus cache terjemahan", "Flush all databases": "Bersihkan semua basisdata", "Reset to Default Settings": "Kembalikan ke Pengaturan Semula", "Importing Database...": "Mengimpor Basisdata...", @@ -131,8 +125,8 @@ "Ended": "Akhir", "Error loading data, try again later...": "Gagal memuat data, coba lagi nanti...", "Miscellaneous": "Lain-lain", - "First Unwatched Episode": "Episode Pertama Belum Ditonton", - "Next Episode In Series": "Episode Selanjutnya Dalam Serial", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Membersihkan...", "Are you sure?": "Anda yakin?", "We are flushing your databases": "Kami membersihkan basisdata Anda", @@ -142,7 +136,7 @@ "Terms of Service": "Kebijakan Layanan", "I Accept": "Saya Setuju", "Leave": "Tinggalkan", - "When Opening TV Series Detail Jump To": "Ketika Membuka Rincian Acara TV Lompat Ke", + "Series detail opens to": "Series detail opens to", "Playback": "Putarbalik", "Play next episode automatically": "Putar episode selanjutnya secara otomatis", "Generate Pairing QR code": "Buat kode QR Pairing", @@ -152,23 +146,17 @@ "Seconds": "Detik", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Putuskan akun", - "Sync With Trakt": "Sambung Dengan Trakt", "Syncing...": "Menyambung...", "Done": "Selesai", "Subtitles Offset": "Tampilan Terjemahan", "secs": "detik", "We are flushing your database": "Kami menghapus basisdata Anda", "Ratio": "Rasio", - "Advanced Settings": "Pengaturan Lanjutan", - "Tmp Folder": "Folder Tmp", - "URL of this stream was copied to the clipboard": "URL stream ini disalin ke papan klip", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Gagal, kemungkinan basisdata rusak. Coba bersihkan markah di pengaturan.", "Flushing bookmarks...": "Membersihkan markah...", "Resetting...": "Mengatur ulang...", "We are resetting the settings": "Kami mengembalikan pengaturan", "Installed": "Terpasang", - "We are flushing your subtitle cache": "Kami mebersihkan cache terjemahan Anda", - "Subtitle cache deleted": "Cache terjemahan dihapus", "Please select a file to play": "Silahkan pilih berkas untuk diputar", "Global shortcuts": "Pintasan Global", "Video Player": "Pemutar Video", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Keluar Layar Penuh", "Seek Backward": "Percepat ke Belakang", "Decrease Volume": "Kurangi Volume", - "Show Stream URL": "Tampilkan URL Stream", "TV Show Detail": "Rincian Acara TV", "Toggle Watched": "Tombol Ditonton", "Select Next Episode": "Pilih Episode Selanjutnya", @@ -309,10 +296,7 @@ "Super Power": "Kekuatan Super", "Supernatural": "Gaib", "Vampire": "Vampir", - "Automatically Sync on Start": "Sinkronisasi Otomatis di Awal", "VPN": "Jaringan Pribadi Virtual", - "Activate automatic updating": "Aktivasi Pembaharuan Otomatis", - "Please wait...": "Harap Menunggu...", "Connect": "Hubungkan", "Create Account": "Buat Akun", "Celebrate various events": "Rayakan Bermacam-macam momen", @@ -320,10 +304,8 @@ "Downloaded": "Telah terunduh", "Loading stuck ? Click here !": "Tersangkut pada saat memuat? Klik disini!", "Torrent Collection": "Koleksi Torrent", - "Drop Magnet or .torrent": "Taruh Magnet atau .torrent", "Remove this torrent": "Hapus torrent ini", "Rename this torrent": "Ganti nama torrent ini", - "Flush entire collection": "Buang seluruh koleksi", "Open Collection Directory": "Buka Direktori Koleksi", "Store this torrent": "Simpan torrent ini", "Enter new name": "Masukkan nama baru", @@ -352,101 +334,214 @@ "No thank you": "Tidak, terima kasih.", "Report an issue": "Laporkan masalah", "Email": "Email", - "Log in": "Masuk", - "Report anonymously": "Laporkan anonim", - "Note regarding anonymous reports:": "Catatan mengenai pelaporan anonim", - "You will not be able to edit or delete your report once sent.": "Kamu tidak bisa menyunting atau menghapus laporanmu setelah dikirim.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Jika ada informasi tambahan yang dibutuhkan, laporan mungkin akan ditutup, karena kamu tidak bisa menyediakannya.", - "Step 1: Please look if the issue was already reported": "Langkah 1: Silakan lihat jika masalah tersebut sudah dilaporkan sebelumnya", - "Enter keywords": "Masukkan kata kunci", - "Already reported": "Sudah dilaporkan", - "I want to report a new issue": "Saya mau melaporkan masalah baru", - "Step 2: Report a new issue": "Langkan 2: Laporkan masalah baru", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Catatan: mohon tidak menggunakan borang ini untuk menghubungi kami. Ini hanya digunakan untuk pelaporan kutu saja.", - "The title of the issue": "Judul masalah", - "Description": "Deskripsi", - "200 characters minimum": "setidaknya 200 karakter", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Penjelasan singkat mengenai permasalahan. Jika memungkinkan, sertakan langkah yang dilakukan untuk mengulangi kutu.", "Submit": "Kirim", - "Step 3: Thank you !": "Langkah 3: Terima kasih!", - "Your issue has been reported.": "Masalah kamu sudah dilaporkan.", - "Open in your browser": "Buka di peramban kamu", - "No issues found...": "Tak ada masalah ditemukan...", - "First method": "Cara pertama", - "Use the in-app reporter": "Gunakan pelapor bawaan aplikasi", - "You can find it later on the About page": "Kamu dapat menemukannya pada laman Tentang", - "Second method": "Cara kedua", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Gunakan saringan masalah %s untuk mencari dan memeriksa apakah masalah sudah dilaporkan atau sudah diselesaikan.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Sertakan cuplikan layar jika relevan - Apakah masalah kamu mengenai fitur desain atau kutu?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Laporan kutu yang baik tidak akan membuat pengguna lain menanyakan mengenai informasi tambahan. Jadi, ikut sertakan rincian dari sistem kamu.", "Warning: Always use English when contacting us, or we might not understand you.": "Peringatan: Selalu gunakan bahasa Inggris ketika menghubungi kami, atau kami mungkin tidak memahami yang Anda katakan.", - "Search for torrent": "Cari torrent", "No results found": "Tidak ditemukan hasil apapun", - "Invalid credentials": "Kredensial tidak valid", "Open Favorites": "Buka Favorit", "Open About": "Buka Tentang", "Minimize to Tray": "Minimalkan ke Baki", "Close": "Tutup", "Restore": "Pulihkan", - "Resume Playback": "Lanjutkan Memutar", "Features": "Fitur", "Connect To %s": "Menyambung Ke %s", - "The magnet link was copied to the clipboard": "Taut magmet disalin ke papan klip", - "Big Picture Mode": "Mode Gambar Besar", - "Big Picture Mode is unavailable on your current screen resolution": "Mode Gambar Besar tidak tersedia pada resolusi layar Anda saat ini", "Cannot be stored": "Tidak bisa disimpan", - "%s reported this torrent as fake": "%s melaporkan torrent ini palsu", - "Randomize": "Acak", - "Randomize Button for Movies": "Acak Tombol untuk Film", "Overall Ratio": "Rasio Keseluruhan", "Translate Synopsis": "Terjemahkan Sinopsis", "N/A": "N/A", "Your disk is almost full.": "Disk Anda hampir penuh", "You need to make more space available on your disk by deleting files.": "Anda membutuhkan area kosong dalam disk Anda dengan menghapus beberapa berkas.", "Playing Next": "Putar Selanjutnya", - "Trending": "Sedang Tren", - "Remember Filters": "Ingat Filter", - "Automatic Subtitle Uploading": "Otomatis Unggah Terjemahan", "See-through Background": "Latar belakang transparan", "Bold": "Tebal", "Currently watching": "Sedang disiarkan", "No, it's not that": "Bukan, bukan itu", "Correct": "Benar", - "Indie": "Indie", "Init Database": "Menyiapkan Basis Data", "Status: %s ...": "Status: %s", "Create Temp Folder": "Buat Folder Temp", "Set System Theme": "Atur Tema Sistem", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Selesai", "Event": "Kegiatan", - "action": "aksi", - "war": "perang", "Local": "Lokal", "Try another subtitle or drop one in the player": "Coba teks terjemahan lain atau letakkan di pemutar", - "animation": "animasi", - "family": "keluarga", "show": "show", "movie": "film", "Something went wrong downloading the update": "Terjadi kesalahan ketika mengunduh pembaruan", - "Activate Update seeding": "Aktifkan Pembaruan seeding", - "Disable Anime Tab": "Nonaktifkan Tab Anime", - "Disable Indie Tab": "Nonaktifkan Tab Indie", "Error converting subtitle": "Galat mengubah terjemahan", "No subtitles found": "Teks terjemahan tidak ditemukan", "Try again later or drop a subtitle in the player": "Coba lagi nanti atau letakkan teks terjemahan di pemutar", "You should save the content of the old directory, then delete it": "Anda harus menyimpan konten dari folder lama, lalu hapuslah", "Search on %s": "Cari pada %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Apakah anda yaking ingin membersihkan semua Kolesi Torrent?", "Audio Language": "Bahasa Audio", "Subtitle": "Teks Terjemahan", "Code:": "Kode:", "Error reading subtitle timings, file seems corrupted": "Galat membaca waktu teks terjemahan, sepertinya berkas rusak", - "Connection Not Secured": "Koneksi Tidak Aman", "Open File to Import": "Buka Berkas untuk diImport", - "Browse Directoy to save to": "Jelajahi Folder untuk menyimpan", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Batalkan dan gunakan VPN", - "Continue seeding torrents after restart app?": "Lanjutkan sedding torrent setelah memulai ulang aplikasi?", - "Enable VPN": "Aktifkan VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Mengunduh", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Hasil Pencarian", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Asli", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Entahlah", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ya", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Kecerahan", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Periksa jika ada pembaruan", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/is.json b/src/app/language/is.json index 3bc16925ee..f85ee88f6d 100644 --- a/src/app/language/is.json +++ b/src/app/language/is.json @@ -2,14 +2,13 @@ "External Player": "Ytri spilari", "Made with": "Gert með", "by a bunch of geeks from All Around The World": "af hóp af nördum frá öllum heimshornum", - "Initializing Butter. Please Wait...": "Ræsi Butter. Hinkrið við...", - "Status: Checking Database...": "Staða: Athuga gagnagrunn...", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", "Movies": "Kvikmyndir", "TV Series": "Sjónvarpsþættir", "Anime": "Anime", "Genre": "Þema", - "All": "Allt", - "Action": "Hasar", + "All": "Vinsælt", + "Action": "Spennumynd", "Adventure": "Ævintýri", "Animation": "Teiknimynd", "Children": "Barna", @@ -20,7 +19,6 @@ "Family": "Fjölskyldu", "Fantasy": "Fantasía", "Game Show": "Getraunaþættir", - "Home And Garden": "Heimilið og Garðurinn", "Horror": "Hryllings", "Mini Series": "Örseríur", "Mystery": "Ráðgátur", @@ -31,31 +29,29 @@ "Soap": "Sápur", "Special Interest": "Sérstök Áhugamál", "Sport": "Íþróttir", - "Suspense": "Spennu", + "Suspense": "Óvissu", "Talk Show": "Spjallþættir", - "Thriller": "Tryllir", + "Thriller": "Spennutryllir", "Western": "Vestri", "Sort by": "Raða eftir", - "Popularity": "Vinsældum", - "Updated": "Síðast uppfært", + "Updated": "Uppfærslu", "Year": "Ári", "Name": "Nafni", "Search": "Leita", "Season": "Sería", "Seasons": "Seríur", - "Season %s": "Sería %s", + "Season %s": "Þáttaröð %s", "Load More": "Sækja meira", "Saved": "Vistað", "Settings": "Stillingar", - "Show advanced settings": "Sýna ítarlegri stillingar", "User Interface": "Notendaviðmót", "Default Language": "Sjálfvalið tungumál", "Theme": "Þema", "Start Screen": "Upphafsskjár", "Favorites": "Eftirlæti", - "Show rating over covers": "Birta einkunn yfir umslagi", + "Show rating over covers": "Sýna einkunnagjöf yfir plakati", "Always On Top": "Alltaf efst", - "Watched Items": "Þegar séð", + "Watched Items": "Þegar horft á", "Show": "Birta", "Fade": "Deyfa", "Hide": "Fela", @@ -63,38 +59,31 @@ "Default Subtitle": "Sjálfvalinn texti", "Disabled": "Slökkt", "Size": "Stærð", - "Quality": "Myndgæði", - "Only list movies in": "Aðeins birta kvikmyndir í", - "Show movie quality on list": "Sýna gæði mynda á lista", + "Quality": "Gæði", "Trakt.tv": "Trakt.tv", - "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter": "Sláðu inn Trakt.tv notendaupplýsingarnar þínar hér til að 'skrobbla' sjálfvirkt því efni sem þú horfir á í Butter", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Tengjast við %s til að 'skrobbla' sjálfvirkt því efni sem þú horfir á í %s", "Username": "Notandanafn", "Password": "Lykilorð", - "Butter stores an encrypted hash of your password in your local database": "Butter geymir dulkóðaðan streng með lykilorðinu þínu í staðbundna gagnagrunninum þínum", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", "Remote Control": "Fjarstýring", "HTTP API Port": "HTTP API Port", "HTTP API Username": "HTTP API Notandanafn", "HTTP API Password": "HTTP API Lykilorð", "Connection": "Tenging", - "TV Show API Endpoint": "API endapunktur sjónvarpsþátta", - "Movies API Endpoint": "API endapunktur kvikmynda", "Connection Limit": "Mörk tengingar", "DHT Limit": "DHT mörk", "Port to stream on": "Streymiport", "0 = Random": "0 = Handahófskennt", "Cache Directory": "Mappa skyndiminnis", - "Clear Tmp Folder after closing app?": "Hreinsa bráðabirgðamöppu eftir að forriti er lokað?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Gagnagrunnur", "Database Directory": "Mappa gagnagrunns", "Import Database": "Hlaða inn gagnagrunni", "Export Database": "Hlaða út gagnagrunni", "Flush bookmarks database": "Hreinsa gagnagrunn bókamerkja", - "Flush subtitles cache": "Hreinsa geymslu undirtexta", - "Flush all databases": "Hreinsa alla gagnagrunna", + "Flush all databases": "Eyða öllum gagnagrunnum", "Reset to Default Settings": "Endursetja sjálfvaldar stillingar", "Importing Database...": "Hleð inn gagnagrunni...", - "Please wait": "Hinkrið við", + "Please wait": "Bíðið aðeins", "Error": "Villa", "Biography": "Ævisögur", "Film-Noir": "Film-Noir", @@ -104,22 +93,19 @@ "Sci-Fi": "Vísindaskáldskapur", "Short": "Stuttmyndir", "War": "Stríð", - "Last Added": "Síðast bætt við", "Rating": "Einkunn", "Open IMDb page": "Opna IMDb síðu", "Health false": "Heilsa röng", "Add to bookmarks": "Bæta í bókamerki", "Watch Trailer": "Horfa á stiklu", "Watch Now": "Horfa núna", - "Health Good": "Heilsa góð", "Ratio:": "Hlutfall:", "Seeds:": "Sáðgjafar:", "Peers:": "Jafningjar:", "Remove from bookmarks": "Fjarlægja úr bókamerkjum", "Changelog": "Breytingaannáll", - "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "Butter! er útkoma þess að margir forritarar og hönnuðir settu saman fullt af API-um til að gera upplifunina við að horfa á kvikmyndir yfir torrent eins einfalda og mögulegt er.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Við erum opinn hugbúnaður. Við erum alls staðar að úr heiminum. Við elskum kvikmyndirnar okkar. En mest af öllu elskum við poppkorn.", - "Invalid PCT Database File Selected": "Ógild PCT gagnagrunnsskrá valin", "Health Unknown": "Heilsa óþekkt", "Episodes": "Þættir", "Episode %s": "Þáttur %s", @@ -133,83 +119,48 @@ "startingDownload": "Hef niðurhal", "downloading": "Hala niður", "ready": "Tilbúin", - "playingExternally": "Spila utan við Butter", + "playingExternally": "Spila utan við Popcorn Time", "Custom...": "Custom...", "Volume": "Hljóðstyrkur", "Ended": "Lokið", "Error loading data, try again later...": "Villa kom upp við að sækja gögn, reyndu aftur síðar...", "Miscellaneous": "Ýmislegt", - "When opening TV Show Detail Jump to:": "Við opnun nánari upplýsinga um þætti, farðu til:", - "First Unwatched Episode": "Fyrsti óséði þáttur", - "Next Episode In Series": "Næsti þáttur í seríu", - "When Opening TV Show Detail Jump To": "Við opnun nánari upplýsinga um þætti, farðu til", - "Flushing...": "Hreinsa...", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Tæmi...", "Are you sure?": "Ertu viss?", - "We are flushing your databases": "Við erum að hreinsa gagnagrunnana", + "We are flushing your databases": "Við erum að tæma gagnagrunnana", "Success": "Tókst", - "Please restart your application": "Vinsamlegast endurræstu forritið", - "Restart": "Endurræsa", + "Please restart your application": "Endurræstu forritið", + "Restart": "Endurræstu", "Terms of Service": "Notkunarskilmálar", - "I Accept": "Ég samþykki", + "I Accept": "Samþykki", "Leave": "Hætta", - "When Opening TV Series Detail Jump To": "Við opnun nánari upplýsinga um þætti, farðu til:", - "Health Medium": "Heilsa miðlungs", + "Series detail opens to": "Series detail opens to", "Playback": "Afspilun", "Play next episode automatically": "Spila næsta þátt sjálfvirkt", "Generate Pairing QR code": "Búa til pörunar-QR kóða", - "Playing Next Episode in": "Spila næsta þátt eftir", "Play": "Spila", - "Dismiss": "Loka", "waitingForSubtitles": "Bíð eftir texta", "Play Now": "Spila núna", "Seconds": "Sekúndur", - "You are currently authenticated to Trakt.tv as": "Þú ert skráður inn á Trakt.tv sem", - "You are currently connected to %s": "Þú ert tengdur við %s", + "You are currently connected to %s": "Eins og er ertu tengdur við %s", "Disconnect account": "Aftengja notanda", - "Sync With Trakt": "Samstilla við Trakt", "Syncing...": "Samstilli...", "Done": "Lokið", - "Subtitles Offset": "Tímastilling texta", + "Subtitles Offset": "Subtitles Offset", "secs": "sekúndur", "We are flushing your database": "Við erum að hreinsa gagnagrunnana", - "We are rebuilding the TV Show Database. Do not close the application.": "Við erum að endurbyggja gagnagrunn sjónvarpsþátta. Vinsamlegast ekki loka forritinu.", - "No shows found...": "Engir þættir fundust...", - "No Favorites found...": "Ekkert eftirlæti fannst...", - "Rebuild TV Shows Database": "Endurbyggja gagnagrunn sjónvarpsþátta", - "No movies found...": "Engar kvikmyndir fundust...", "Ratio": "Hlutfall", - "Health Excellent": "Heilsa frábær", - "Health Bad": "Heilsa slæm", - "Status: Creating Database...": "Staða: Bý til gagnagrunn...", - "Status: Updating database...": "Staða: Uppfæri gagnagrunn...", - "Status: Skipping synchronization TTL not met": "Staða: Sleppi samstillingu TTL passar ekki", - "Advanced Settings": "Ítarlegar stillingar", - "Clear Cache directory after closing app?": "Hreinsa skyndiminnismöppu eftir að forriti er lokað?", - "Tmp Folder": "Bráðabirgðamappa", - "Status: Downloading API archive...": "Staða: Sæki API gagnasafn", - "Status: Archive downloaded successfully...": "Staða: Gagnasafn var sótt vandræðalaust...", - "Status: Importing file": "Staða: Hleð inn skrá", - "Status: Imported successfully": "Staða: Hlóð inn vandræðalaust", - "Status: Launching applicaion... ": "Staða: Ræsi forrit...", - "URL of this stream was copied to the clipboard": "Vefslóð straums var afrituð", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Villa, gagnagrunnurinn er sennilega skemmdur. Prófaðu að hreinsa bókamerkin í stillingum.", "Flushing bookmarks...": "Hreinsa bókamerki", "Resetting...": "Endurset...", "We are resetting the settings": "Við erum að endursetja stillingarnar", - "New version downloaded": "Ný útgáfa sótt", - "Installed": "Uppsett", - "Install Now": "Setja upp núna", - "Restart Now": "Endurræsa núna", - "We are flushing your subtitle cache": "Við erum að hreinsa skyndiminni undirtexta", - "Subtitle cache deleted": "Skyndiminni undirtexta eytt", + "Installed": "Sett upp", "Please select a file to play": "Veldu skrá til að spila", - "Test Login": "Prufuinnskráning", - "Testing...": "Prófa...", - "Success!": "Tókst!", - "Failed!": "Misheppnaðist!", "Global shortcuts": "Algildar flýtileiðir", "Video Player": "Myndspilari", - "Toggle Fullscreen": "Fara í/úr heilskjásham", + "Toggle Fullscreen": "Fara í/úr heilskjárham", "Play/Pause": "Spila/Hlé", "Seek Forward": "Leita áfram", "Increase Volume": "Auka hljóðstyrk", @@ -222,7 +173,6 @@ "Exit Fullscreen": "Loka heilskjárviðmóti", "Seek Backward": "Leita til baka", "Decrease Volume": "Minnka hljóðstyrk", - "Show Stream URL": "Birta vefslóð straums", "TV Show Detail": "Upplýsingar um sjónvarpsþátt", "Toggle Watched": "Toggle Watched", "Select Next Episode": "Velja næsta þátt", @@ -241,62 +191,54 @@ "Paste": "Líma", "Help Section": "Hjálparvalmynd", "Did you know?": "Vissir þú að?", - "What does Butter offer?": "Hvað býður Butter upp á?", - "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Með Butter er ekkert mál að horfa á kvikmyndir og sjónvarpsþætti. Allt sem þú þarft að gera er að smella á eitt af umslögunum, og svo smella á 'Horfa núna'. En þú getur stýrt upplifuninni:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Kvikmyndasafnið okkar inniheldur aðeins hágæða kvikmyndir, í boði í 720p og 1080p. Til að horfa á kvikmynd þarftu einfaldlega að opna Butter og fletta í gegnum kvikmyndasafnið, aðgengilegt gegnum flipann 'Kvikmyndir' í stýrivalmyndinni. Aðalsýnin sýnir þér kvikmyndirnar flokkaðar eftir vinsældum, en þú getur sett á þínar eigin síur, þökk sé 'Þemu' og 'Flokka eftir' síunum. Þegar þú hefur valið hvaða mynd þú vilt sjá, smelltu á umslagið. Smelltu svo á 'Horfa núna'. Ekki gleyma poppkorninu!", - "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Sjónvarpsþáttaflipinn, sem þú getur nálgast með því að smella á 'Sjónvarpsþættir' í stýrivalmyndinni, sýnir þér allar seríurnar í safninu okkar. Þú getur líka bætt við þínum eigin síum, eins og fyrir kvikmyndirnar, til að hjálpa þér að ákveða hvað þú vilt horfa á. Í þessu safni smellirðu líka á umslagið. Nýi glugginn sem birtist leyfir þér að fletta gegnum seríur og þætti. Þegar þú hefur ákveðið þig smellirðu bara á 'Horfa núna' hnappinn.", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Sjónvarpsþáttaflipinn, sem þú getur nálgast með því að smella á 'Kvikmyndir' í stýrivalmyndinni, sýnir þér allar seríurnar í safninu okkar. Þú getur líka bætt við þínum eigin síum, eins og fyrir kvikmyndirnar, til að hjálpa þér að ákveða hvað þú vilt horfa á. Í þessu safni smellirðu líka á umslagið. Nýi glugginn sem birtist leyfir þér að fletta gegnum seríur og þætti. Þegar þú hefur ákveðið þig smellirðu bara á 'Horfa núna' hnappinn.", "Choose quality": "Veldu gæði", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", "Watched icon": "Horft á táknmynd", - "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", "External Players": "Ytri spilarar", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", "Keyboard Navigation": "Keyboard Navigation", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", - "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", - "Torrent health": "Torrent health", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "Torrent health": "Ástand torrents", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", - "How does Butter work?": "Hvernig virkar Butter?", - "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "Butter streymir myndefni í gegnum torrent. Kvikmyndir okkar eru fengnar frá %s og sjónvarpsþættirnir okkar frá %s og öll metagögn frá %s. Við geymum engin gögn sjálf.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", - "I found a bug, how do I report it?": "I found a bug, how do I report it?", - "No historics found...": "No historics found...", - "Error, database is probably corrupted. Try flushing the history in settings.": "Error, database is probably corrupted. Try flushing the history in settings.", - "You can paste magnet links anywhere in Butter with CTRL+V.": "You can paste magnet links anywhere in Butter with CTRL+V.", - "You can drag & drop a .torrent file into Butter.": "Þú getur dregið .torrent skrá yfir í Butter.", - "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.": "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.", - "The rule n°10 applies here.": "The rule n°10 applies here.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "I found a bug, how do I report it?": "Ég fann galla, hvernig tilkynni ég hann?", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", - "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.": "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.", - "If you search \"1998\", you can see all the movies or TV series that came out that year.": "Ef þú leitar að \"1998\", þá sérðu allar þær kvikmyndir eða sjónvarpsþætti sem komu út það ár.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", - "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", + "Clicking on the rating stars will display a number instead.": "Með því að smella á stjörnugjöfina breytast þær yfir í tölur.", "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", - "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", - "Clicking twice on a \"Sort By\" filter reverses the order of the list.": "Clicking twice on a \"Sort By\" filter reverses the order of the list.", - "Switch to next tab": "Switch to next tab", - "Switch to previous tab": "Switch to previous tab", - "Switch to corresponding tab": "Switch to corresponding tab", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Þú getur fundið fleiri upplýsingar um kvikmynd eða þáttaröð? Smelltu á IMDB táknmyndina.", + "Switch to next tab": "Skipta yfir á næsta flipa", + "Switch to previous tab": "Skipa yfir á síðasta flipa", + "Switch to corresponding tab": "Skipta yfir á samsvarandi flipa", "through": "through", "Enlarge Covers": "Enlarge Covers", "Reduce Covers": "Reduce Covers", - "Open the Help Section": "Open the Help Section", "Open Item Details": "Open Item Details", - "Add Item to Favorites": "Add Item to Favorites", + "Add Item to Favorites": "Bæta efni við Uppáhald", "Mark as Seen": "Merkja sem Séð", "Open this screen": "Opna þennan skjá", "Open Settings": "Opna Stillingar", "Posters Size": "Stærð á plakati", "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.", "Last Open": "Last Open", - "Exporting Database...": "Exporting Database...", + "Exporting Database...": "Flyt út Gagnabanka", "Database Successfully Exported": "Database Successfully Exported", "Display": "Display", "TV": "Sjónvarpsþættir", @@ -309,12 +251,10 @@ "name": "nafn", "OVA": "OVA", "ONA": "ONA", - "No anime found...": "Ekkert anime fannst...", "Movie": "Kvikmynd", "Special": "Special", - "No Watchlist found...": "No Watchlist found...", - "Watchlist": "Watchlist", - "Resolving..": "Resolving..", + "Watchlist": "Áhorfslisti", + "Resolving..": "Leysi...", "About": "Um", "Open Cache Directory": "Open Cache Directory", "Open Database Directory": "Open Database Directory", @@ -325,7 +265,6 @@ "Set playback rate to %s": "Setja endurflutningshraða á %s", "Playback rate adjustment is not available for this video!": "Endurfluningshraða breytingar eru ekki til staðar fyrir þetta myndband!", "Color": "Litur", - "With Shadows": "Með Skuggum", "Local IP Address": "IP Tala Nærumhverfis", "Japan": "Japan", "Cars": "Bílar", @@ -351,56 +290,27 @@ "Shoujo Ai": "Shoujo Ai", "Shounen": "Shounen", "Shounen Ai": "Shounen Ai", - "Slice Of Life": "Slice Of Life", "Slice of Life": "Slice of Life", "Space": "Geimur", "Sports": "Íþróttir", "Super Power": "Stórveldi", "Supernatural": "Ofurmannlegt", "Vampire": "Blóðsugur", - "Alphabet": "Stafróf", - "Automatically Sync on Start": "Sjálfkrafa Samstilla í Byrjun", - "Setup VPN": "Setja upp VPN", "VPN": "VPN", - "Install VPN Client": "Setja upp VPN Þjón", - "More Details": "Meiri upplýsingar", - "Don't show me this VPN option anymore": "Ekki sýna mér þennan VPN möguleika lengur", - "Activate automatic updating": "Virkja sjálfvirka uppfærslu", - "We are installing VPN client": "Við erum að setja upp VPN þjón", - "VPN Client Installed": "VPN Þjónn Uppsettur", - "Please wait...": "Vinsamlegast hinkraðu...", - "VPN.ht client is installed": "VPN.ht þjónn er uppsettur", - "Install again": "Setja aftur inn", "Connect": "Tengjast", "Create Account": "Búa til aðgang", - "Please, allow ~ 1 minute": "Vinsamlegast bíðið ~ 1 mínútu", - "Status: Connecting to VPN...": "Staða: Fylgist með tengingu -", - "Status: Monitoring connexion - ": "Staða: Fylgjast með tengingu -", - "Connect VPN": "Tengja VPN", - "Disconnect VPN": "Aftengja VPN", "Celebrate various events": "Halda uppá ýmis tækifæri", - "ATTENTION! We need admin access to run this command.": "ATHUGIÐ! Við þurfum admin réttindi til að keyra þessa skipun.", - "Your password is not saved": "Lykilorð þitt er ekki vistað", - "Enter sudo password :": "Sláðu inn rótarlykilorð :", - "Status: Monitoring connection": "Staða: Fylgist með tengingu", - "Status: Connected": "Staða: Tengdur", - "Secure connection": "Örugg tenging", - "Your IP:": "IP talan þín:", "Disconnect": "Aftengja", "Downloaded": "Hlaðið niður", "Loading stuck ? Click here !": "Hangir niðurhal ? Smelltu hér !", "Torrent Collection": "Torrenta-safn", - "Drop Magnet or .torrent": "Slepptu Segul skrá eða .torrent skrá", "Remove this torrent": "Fjarlægja þetta torrent", "Rename this torrent": "Endurnefndu þetta torrent", - "Flush entire collection": "Hreinsa út allt safnið", "Open Collection Directory": "Opna möppu safns", "Store this torrent": "Vista þetta torrent", "Enter new name": "Settu inn nýtt nafn", "This name is already taken": "Þetta nafn er þegar í notkun", "Always start playing in fullscreen": "Byrjaðu alltaf að spila á heilskjá", - "Allow torrents to be stored for further use": "Leyfðu torrentum að vera geymd fyrir áframhaldandi notkun", - "Hide VPN from the filter bar": "Fela VPN frá síu stikunni", "Magnet link": "Segul tengill", "Error resolving torrent.": "Villa við að lesa torrent.", "%s hour(s) remaining": "%s tím(i-ar) eftir", @@ -412,9 +322,6 @@ "Set player window to half of video resolution": "Setja afspilunarglugga á hálfa myndupplausn", "Retry": "Reyna aftur", "Import a Torrent": "Flytja inn Torrent", - "The remote movies API failed to respond, please check %s and try again later": "Fjarlægar kvikmynda API svarar ekki, vinsamlegast athugaðu %s og reyndu aftur síðar", - "The remote shows API failed to respond, please check %s and try again later": "Fjarlægir þættir API svarar ekki, vinsamlegast athugaðu %s og reyndur aftur síðar", - "The remote anime API failed to respond, please check %s and try again later": "Fjarlægir anime API svarar ekki, vinsamlegast athugaðu %s og reyndu aftur síðar", "Not Seen": "Ekki séð", "Seen": "Séð", "Title": "Titill", @@ -426,73 +333,215 @@ "Opaque Background": "Glær Bakgrunnur", "No thank you": "Nei takk fyrir", "Report an issue": "Upplýsa um vandamál", - "Log in into your GitLab account": "Skrá inná GitLab aðganginn þinn", "Email": "Email", - "Log in": "Skrá sig inn", - "Report anonymously": "Tilkynna nafnlaust", - "Note regarding anonymous reports:": "Athugasemd vegna nafnlausra tilkynninga", - "You will not be able to edit or delete your report once sent.": "Þú munt ekki geta breytt eða eytt tilkynningunni þegar þú hefur sent hana.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ef þörf er á einhverjum fleiri upplýsingum, gæti skýrslan verið lokuð, þar sem þú getur ekki komið þeim á framfæri.", - "Step 1: Please look if the issue was already reported": "Skref 1: Vinsamlegast athugaðu hvort vandamálið er þegar upplýst", - "Enter keywords": "Sláðu inn auðkennandi orð", - "Already reported": "Þegar tilkynnt", - "I want to report a new issue": "Ég vil upplýsa um nýtt vandamál", - "Step 2: Report a new issue": "Skref 2: Upplýsa um nýtt vandamál", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Athugaðu: vinsamlegast ekki nota þetta eyðublað til að hafa samband við okkur. Það er einungis fyrir villumeldingar.", - "The title of the issue": "Titill vandamálsins", - "Description": "Lýsing", - "200 characters minimum": "200 stafið að lágmarki", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Stutt lýsing á vandamálinu. Ef við á, lýstu skrefunum til að fá fram villuna.", "Submit": "Senda", - "Step 3: Thank you !": "Skref 3: Takk fyrir !", - "Your issue has been reported.": "Vandamál þitt hefur verið upplýst.", - "Open in your browser": "Opna í vafra", - "No issues found...": "Engin vandamál fundin...", - "First method": "Fyrsta aðferð", - "Use the in-app reporter": "Nota upplýsarann í smáforritinu", - "You can find it later on the About page": "Þú getur fundið þetta seinna á Um síðunni", - "Second method": "Önnur aðferð", - "You can create an account on our %s repository, and click on %s.": "Þú getur búið til aðgang á %s geymslunni okkar, og ýttu á %s.", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Notaðu %s vandamálasíuna til að leita og athuga hvort vandamálið hefur nú þegar verið upplýst eða leyst.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Bættu við sjáskoti ef við á - Er vandamálið þitt varðandi hönnunargalla eða villu?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Góð villu skýrsla ætti ekki að þurfa láta aðra leita að þér fyrir frekari upplýsingar. Bættu við upplýsingum um umhverfi þitt.", "Warning: Always use English when contacting us, or we might not understand you.": "Aðvörun: Notið alltaf ensku þegar þið hafið samband við okkur annars gætum við ekki skilið ykkur.", - "Search on %s": "Search on %s", "No results found": "Engar niðurstöður fundust", - "Invalid credentials": "Invalid credentials", "Open Favorites": "Opna uppáhald", "Open About": "Opna Um", "Minimize to Tray": "Minimize to Tray", "Close": "Loka", "Restore": "Restore", - "Resume Playback": "Halda Afspilun áfram", "Features": "Features", "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Stórar myndir Stilling", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", "Cannot be stored": "Ekki hægt að geyma", - "%s reported this torrent as fake": "%s tilkynntu þetta torrent sem falsað", - "%s could not verify this torrent": "%s gátu ekki staðfest þetta torrent", - "Randomize": "Gera handahófskennt", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", - "Translate Synopsis": "Translate Synopsis", - "Returning Series": "Returning Series", - "In Production": "Í framleiðslu", - "Canceled": "Hætt við", + "Translate Synopsis": "Þýða Umfjöllun", "N/A": "ÁEV", - "%s is not supposed to be run as administrator": "%s is not supposed to be run as administrator", "Your disk is almost full.": "Geymsluplássið þitt er næstum fullt.", "You need to make more space available on your disk by deleting files.": "Þú þarft að búa til pláss á disknum þínum með því að eyða skrám.", "Playing Next": "Næst í spilun", - "Trending": "Vænlegt til vinsælda", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", - "Correct": "Correct", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait..." + "Correct": "rétt", + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "staðbundinn", + "Try another subtitle or drop one in the player": "reyndu annan texta eða dragðu texta í spilara", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "engir textar funndust", + "Try again later or drop a subtitle in the player": "reyndu aftur síðar eða dragðu texta í spilara", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Hala niður", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Birtustig", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Leita að uppfærslum", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/it.json b/src/app/language/it.json index e8de38dd3a..b82280f748 100644 --- a/src/app/language/it.json +++ b/src/app/language/it.json @@ -44,7 +44,6 @@ "Load More": "Mostra altri", "Saved": "Salvato", "Settings": "Impostazioni", - "Show advanced settings": "Mostra le impostazioni avanzate", "User Interface": "Interfaccia utente", "Default Language": "Lingua predefinita", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Disabilitato", "Size": "Dimensione", "Quality": "Qualità", - "Only list movies in": "Mostra solo i film in", - "Show movie quality on list": "Mostra la qualità video del film nella lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connettiti a %s per aggiungere automaticamente gli episodi che guardi a %s", "Username": "Nome utente", "Password": "Password", "%s stores an encrypted hash of your password in your local database": "%s salva una hash criptata della tua password nel tuo database locale", @@ -73,19 +69,17 @@ "HTTP API Username": "Nome Utente HTTP API", "HTTP API Password": "Password HTTP API", "Connection": "Connessione", - "TV Show API Endpoint": "Indirizzo API Serie TV", "Connection Limit": "Limite connessioni", "DHT Limit": "Limite DHT", "Port to stream on": "Porta sulla quale avviare lo stream", "0 = Random": "0 = Casuale", "Cache Directory": "Directory della cache", - "Clear Tmp Folder after closing app?": "Svuotare la Cartella Temporanea dopo la chiusura dell'app?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Database", "Database Directory": "Cartella del Database", "Import Database": "Importa Database", "Export Database": "Esporta Database", "Flush bookmarks database": "Svuota l'archivio dei segnalibri", - "Flush subtitles cache": "Svuota la cache dei sottotitoli", "Flush all databases": "Svuota tutti i database", "Reset to Default Settings": "Ripristina alle impostazione di default", "Importing Database...": "Importazione del Database in corso...", @@ -131,8 +125,8 @@ "Ended": "Concluso", "Error loading data, try again later...": "Errore caricamento dati, riprova più tardi...", "Miscellaneous": "Misto", - "First Unwatched Episode": "Primo episodio non visto", - "Next Episode In Series": "Prossimo episodio nella serie", + "First unwatched episode": "First unwatched episode", + "Next episode": "Prossimo episodio", "Flushing...": "Pulizia in corso...", "Are you sure?": "Sei sicuro?", "We are flushing your databases": "Pulizia dei tuoi database in corso", @@ -142,7 +136,7 @@ "Terms of Service": "Condizioni d'uso", "I Accept": "Accetto", "Leave": "Esci", - "When Opening TV Series Detail Jump To": "Quando accedi ai dettagli delle Serie TV salta a", + "Series detail opens to": "Series detail opens to", "Playback": "Playback", "Play next episode automatically": "Guarda il prossimo episodio automaticamente", "Generate Pairing QR code": "Genera QR code", @@ -152,23 +146,17 @@ "Seconds": "Secondi", "You are currently connected to %s": "Sei connesso a %s", "Disconnect account": "Disconnetti account", - "Sync With Trakt": "Sincronizza con Trakt", "Syncing...": "Sincronizzazione in corso...", "Done": "Fatto", "Subtitles Offset": "Ritardo sottotitoli", "secs": "secondi", "We are flushing your database": "Pulizia del tuo database in corso", "Ratio": "Rapporto video", - "Advanced Settings": "Impostazioni Avanzate", - "Tmp Folder": "Cartella Temporanea", - "URL of this stream was copied to the clipboard": "L'indirizzo di questo stream è stato copiato negli appunti", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Errore, probabilmente il database è corrotto. Prova a cancellare i preferiti nelle impostazioni.", "Flushing bookmarks...": "Pulizia dei preferiti in corso...", "Resetting...": "Ripristino...", "We are resetting the settings": "Stiamo resettando le impostazioni", "Installed": "Installata", - "We are flushing your subtitle cache": "Pulizia del database dei sottotitoli in corso", - "Subtitle cache deleted": "Cache dei sottotitoli eliminata", "Please select a file to play": "Per favore selezionare un file da riprodurre", "Global shortcuts": "Shortcut Globali", "Video Player": "Riproduttore Video", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Esci da Schermo Intero", "Seek Backward": "Ricerca Indietro", "Decrease Volume": "Abbassa il Volume", - "Show Stream URL": "Mostra l'indirizzo dello stream", "TV Show Detail": "Dettagli Serie TV", "Toggle Watched": "Visto", "Select Next Episode": "Seleziona l'Episodio Successivo", @@ -214,7 +201,7 @@ "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Cliccare l'icona a cuore su una copertina aggiungerà il film/la serie ai tuoi preferiti. Questa collezione è raggiungibile attraverso l'icona a forma di cuore, nella barra di navigazione. Per rimuovere un elemento dalla tua collezione, clicca semplicemente di nuovo sull'icona! Semplicissimo, vero?", "Watched icon": "Icona \"Guardato\"", "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s si ricorderà cosa hai già guardato: un piccolo gesto che sarà sicuramente d'aiuto. Potrai anche impostare un contenuto come \"visto\" facendo click sull'icona a forma di occhio disponibile sulla cover. Potrai anche creare e sincronizzare la tua collezione di film con Trakt.tv, dal pannello Impostazioni.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, puoi usare l'icona della lente d'ingrandimento per aprire il motore di ricerca. Digita un titolo, un attore, un regista o addirittura un anno, premi 'Invio' e lascia che ti mostriamo cosa abbiamo da offrirti per soddisfare le tue necessità. Per chiudere la ricerca puoi cliccare sulla 'X' situata a fianco di ciò che hai scritto, o puoi digitare qualcos'altro nel campo di ricerca.", "External Players": "Riproduttori Esterni", "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Se preferisci riprodurre i film tramite un'app esterna, potrai farlo cliccando sull'icona vicina al tasto \"Guarda Ora\". Una lista di quelle disponibili apparirà, selezionane una e %s farà il resto. Se non trovi l'app che stai cercando, ti preghiamo di farcelo sapere.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Per permetterti di personalizzare ulteriormente la tua esperienza, offriamo un vasto numero di opzioni. Per accedere alle Impostazioni, clicca l'icona a forma di ingranaggio nella barra di navigazione.", @@ -227,11 +214,11 @@ "How does %s work?": "Come funziona %s?", "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Streaming in torrent? Dunque, i torrent usano un protocollo Bittorrent, che essenzialmente significa che tu scarichi piccole parti del contenuto dal computer di un utente, mentre nel contempo invii le parti che hai già scaricato ad un altro utente. Poi guardi quelle parti mentre quelle successive vengono scaricate in background. Questo scambio permette al contenuto di rimanere salutare.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Quando il filmato è stato scaricato completamente, continuerai a mandarne pezzi ad altri utenti. E tutto si cancella dal tuo computer quando chiudi %s. Tutto qui.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "L'applicazione stessa è stata costruita con Node-Webkit, HTML, CSS e Javascript. Funziona come il browser Google Chrome, con l'eccezione che in questo caso detieni gran parte del codice sul tuo computer. Sì, %s funziona con la stessa tecnologia di un normale sito web, come... diciamo Wikipedia, o Youtube!", "I found a bug, how do I report it?": "Ho trovato un errore, come lo comunico?", - "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", - "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "You can paste magnet links anywhere in %s with CTRL+V.": "Puoi incollare i link magnet ovunque in %s con CTRL+V.", + "You can drag & drop a .torrent file into %s.": "Puoi trascinare e rilasciare qualunque file .torrent su %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Se manca un sottotitolo per una serie TV, puoi aggiungerlo su %s. E allo stesso modo per un film, ma su %s.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Puoi accedere a Trakt.tv per salvare tutti gli elementi guardati e sincronizzarli su molteplici dispositivi.", "Clicking on the rating stars will display a number instead.": "Cliccando sulle stelle di valutazione verrà mostrato un numero al loro posto.", @@ -309,10 +296,7 @@ "Super Power": "Superpoteri", "Supernatural": "Sovrannaturale", "Vampire": "Vampiri", - "Automatically Sync on Start": "Sincronizza automaticamente all'avvio", "VPN": "VPN", - "Activate automatic updating": "Attivare aggiornamento automatico", - "Please wait...": "Attendere prego...", "Connect": "Connetti", "Create Account": "Crea Account", "Celebrate various events": "Celebrare vari eventi", @@ -320,10 +304,8 @@ "Downloaded": "Scaricato", "Loading stuck ? Click here !": "Caricamento Bloccato? Clicca qui!", "Torrent Collection": "Collezione Torrent", - "Drop Magnet or .torrent": "Lascia Magnet o Torrent", "Remove this torrent": "Rimuovi questo torrent", "Rename this torrent": "Rinomina questo torrent", - "Flush entire collection": "Svuota l'intera collezione", "Open Collection Directory": "Apri la cartella della collezione", "Store this torrent": "Conserva questo Torrent", "Enter new name": "Inserisci nuovo nome", @@ -352,101 +334,214 @@ "No thank you": "No grazie", "Report an issue": "Segnala un bug", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Segnala anonimamente", - "Note regarding anonymous reports:": "Note riguardo alle segnalazioni anonime:", - "You will not be able to edit or delete your report once sent.": "Non sarai in grado di modificare o eliminare la tua segnalazione una volta inviata.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Se fosse richiesta qualche informazione aggiuntiva, la segnalazione potrebbe essere chiusa e potresti non essere in grado di fornirle.", - "Step 1: Please look if the issue was already reported": "Passo 1: Per favore, controlla se l'errore è già stato segnalato in precedenza.", - "Enter keywords": "Inserisci le parole chiave", - "Already reported": "Già segnalato", - "I want to report a new issue": "Voglio segnalare un nuovo errore", - "Step 2: Report a new issue": "Passo 2: Segnala un nuovo errore", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: Per favore, non usare questo modulo per contattarci. Serve solamente a segnalare i bug.", - "The title of the issue": "Titolo dell'errore", - "Description": "Descrizione", - "200 characters minimum": "Minimo 200 caratteri", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Una breve descrizione dell'errore. Se possibile, includere i passaggi richiesti per riprodurre il bug.", "Submit": "Invia", - "Step 3: Thank you !": "Passo 3: Grazie!", - "Your issue has been reported.": "Il tuo errore è stato segnalato.", - "Open in your browser": "Apri il tuo browser", - "No issues found...": "Nessun errore trovato...", - "First method": "Primo metodo", - "Use the in-app reporter": "Usa il segnalatore integrato", - "You can find it later on the About page": "Lo puoi trovare dopo nella pagina info", - "Second method": "Secondo metodo", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Usa il filtro errori %s per cercare e controllare se l'errore è già stato riportato o fixato.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Includi uno screenshot se serve - La tua segnalazione riguarda un errore nel design o un bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Una buona segnalazione non dovrebbe obbligare a cercare ulteriori informazioni. Sii sicuro di includere i dettagli sul tuo sistema.", "Warning: Always use English when contacting us, or we might not understand you.": "Attenzione: Usa sempre l'inglese quando ci contatti, o protemmo non capirti.", - "Search for torrent": "Search for torrent", "No results found": "Nessun risultato trovato", - "Invalid credentials": "Credenziali errate", "Open Favorites": "Apri i preferiti", "Open About": "Apri le info", "Minimize to Tray": "Minimize to Tray", "Close": "Chiudi", "Restore": "Restore", - "Resume Playback": "Riprendi la riproduzione", "Features": "Caratteristiche", "Connect To %s": "Connetti a %s", - "The magnet link was copied to the clipboard": "Il magnet link è stato copiato negli appunti ", - "Big Picture Mode": "Modalità \"grande schermo\"", - "Big Picture Mode is unavailable on your current screen resolution": "La modalità \"grande schermo\" non è disponibile nella tua risoluzione schermo corrente", "Cannot be stored": "Non può essere memorizzato", - "%s reported this torrent as fake": "%s ha segnalato questo torrent come fake", - "Randomize": "Casuale", - "Randomize Button for Movies": "Pulsante casuale per i film", "Overall Ratio": "rapporto complessivo", "Translate Synopsis": "Traduci Synopsis", "N/A": " N/A", "Your disk is almost full.": "Il tuo disco è quasi pieno.", "You need to make more space available on your disk by deleting files.": "Devi fare più spazio sul disco cancellando alcuni files", "Playing Next": "Esecuz. Successivo", - "Trending": "Di tendenza", - "Remember Filters": "Ricorda filtri", - "Automatic Subtitle Uploading": "Caricamento Automatico dei Sottotitoli", "See-through Background": "Sfondo Trasparente\n", "Bold": "Spesso", "Currently watching": "attualmente visione", "No, it's not that": "No, non è questo ", "Correct": "Corretto", - "Indie": "Indipendenti", "Init Database": "Init Database", - "Status: %s ...": "Status: %s ...", + "Status: %s ...": "Progresso: %s ...", "Create Temp Folder": "Crea la cartella Temp", "Set System Theme": "Set System Theme", - "Disclaimer": "Disclaimer", + "Disclaimer": "Avvertenze", "Series": "Serie TV", - "Finished": "Finished", - "Event": "Event", - "action": "Azione", - "war": "Guerra", + "Event": "Evento", "Local": "Locale", "Try another subtitle or drop one in the player": "Prova con altri sottotitoli o inseriscine uno nel lettore", - "animation": "Animazione", - "family": "Per Famiglie", "show": "Show", "movie": "Film", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Errore nella conversione dei sottotitoli", "No subtitles found": "Nessun sottotitolo trovato", "Try again later or drop a subtitle in the player": "Prova più tardi o inserisci un sottotitolo nel lettore", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Cerca su %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", - "Code:": "Code:", + "Code:": "Codice:", "Error reading subtitle timings, file seems corrupted": "Errore nella lettura della velocità dei sottotitoli, il file sembra essere corrotto", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Download in corso", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Aggiorna ora", + "Database Exported": "Database esportato", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Risultati di ricerca", + "Paste a Magnet link": "Incolla un Magnet link", + "Import a Torrent file": "Importa un File Torrent", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Elementi salvati", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Abilita sottotitoli", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Originale", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "Nome del file copiato negli appunti", + "The stream url was copied to the clipboard": "Url dello stream copiato negli appunti", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Riavvia Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time supporta attualmente", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Ricorda", + "Cache": "Cache", + "Unknown": "Sconosciuto", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimizza", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Cartella dei Downloads", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Si", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Chiedimelo ogni volta", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Tradotto - Originale", + "Original - Translated": "Originale - Tradotto", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "aggiunto", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Non disponibile", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrasto", + "Brightness": "Luminosità", + "Hue": "Hue", + "Saturation": "Saturazione", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Diminusci Contrasto di", + "Increase Contrast by": "Aumenta Contrasto di", + "Decrease Brightness by": "Diminusci Luminosità di", + "Increase Brightness by": "Aumenta Luminosità di", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Diminuisci Saturazione di", + "Increase Saturation by": "Aumenta Saturazione di", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Controlla aggiornamenti", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Crea un account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent rimosso", + "Remove": "Rimuovi", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sincronizza ora", + "Same as Default Language": "Same as Default Language", + "Language": "Lingua", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "Link a pagina IMDb", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "titolo episodio", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ja.json b/src/app/language/ja.json index 956b5a63d1..0eeaf3bcfa 100644 --- a/src/app/language/ja.json +++ b/src/app/language/ja.json @@ -2,132 +2,118 @@ "External Player": "External Player", "Made with": "Made with", "by a bunch of geeks from All Around The World": "by a bunch of geeks from All Around The World", - "Initializing Butter. Please Wait...": "Initializing Butter. Please Wait...", - "Status: Checking Database...": "Status: Checking Database...", - "Movies": "Movies", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Movies": "動画", "TV Series": "TV Series", - "Anime": "Anime", - "Genre": "Genre", - "All": "All", - "Action": "Action", - "Adventure": "Adventure", - "Animation": "Animation", + "Anime": "アニメ", + "Genre": "ジャンル", + "All": "全て", + "Action": "アクション", + "Adventure": "アドベンチャー", + "Animation": "アニメーション", "Children": "Children", - "Comedy": "Comedy", + "Comedy": "コメディー", "Crime": "Crime", - "Documentary": "Documentary", - "Drama": "Drama", - "Family": "Family", - "Fantasy": "Fantasy", + "Documentary": "ドキュメンタリー", + "Drama": "ドラマ", + "Family": "ファミリー", + "Fantasy": "ファンタジー", "Game Show": "Game Show", - "Home And Garden": "Home And Garden", - "Horror": "Horror", + "Horror": "ホラー", "Mini Series": "Mini Series", - "Mystery": "Mystery", - "News": "News", + "Mystery": "ミステリー", + "News": "ニュース", "Reality": "Reality", - "Romance": "Romance", + "Romance": "ロマンス", "Science Fiction": "Science Fiction", "Soap": "Soap", "Special Interest": "Special Interest", - "Sport": "Sport", - "Suspense": "Suspense", + "Sport": "スポーツ", + "Suspense": "サスペンス", "Talk Show": "Talk Show", "Thriller": "Thriller", "Western": "Western", "Sort by": "Sort by", - "Popularity": "Popularity", "Updated": "Updated", "Year": "Year", "Name": "Name", "Search": "Search", "Season": "Season", - "Seasons": "Seasons", - "Season %s": "Season %s", + "Seasons": "シーズン", + "Season %s": "第%sシーズン", "Load More": "Load More", "Saved": "Saved", - "Settings": "Settings", - "Show advanced settings": "Show advanced settings", + "Settings": "設定", "User Interface": "User Interface", - "Default Language": "Default Language", - "Theme": "Theme", + "Default Language": "既定の言語", + "Theme": "テーマ", "Start Screen": "Start Screen", - "Favorites": "Favorites", + "Favorites": "お気に入り", "Show rating over covers": "Show rating over covers", "Always On Top": "Always On Top", - "Watched Items": "Watched Items", + "Watched Items": "視聴済みのアイテム", "Show": "Show", "Fade": "Fade", - "Hide": "Hide", - "Subtitles": "Subtitles", + "Hide": "隠す", + "Subtitles": "字幕", "Default Subtitle": "Default Subtitle", "Disabled": "Disabled", - "Size": "Size", + "Size": "サイズ", "Quality": "Quality", - "Only list movies in": "Only list movies in", - "Show movie quality on list": "Show movie quality on list", "Trakt.tv": "Trakt.tv", - "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter": "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", - "Username": "Username", - "Password": "Password", - "Butter stores an encrypted hash of your password in your local database": "Butter stores an encrypted hash of your password in your local database", + "Username": "ユーザー名", + "Password": "パスワード", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", "Remote Control": "Remote Control", "HTTP API Port": "HTTP API Port", "HTTP API Username": "HTTP API Username", "HTTP API Password": "HTTP API Password", - "Connection": "Connection", - "TV Show API Endpoint": "TV Show API Endpoint", - "Movies API Endpoint": "Movies API Endpoint", + "Connection": "接続", "Connection Limit": "Connection Limit", "DHT Limit": "DHT Limit", "Port to stream on": "Port to stream on", "0 = Random": "0 = Random", "Cache Directory": "Cache Directory", - "Clear Tmp Folder after closing app?": "Clear Tmp Folder after closing app?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Database", "Database Directory": "Database Directory", "Import Database": "Import Database", "Export Database": "Export Database", "Flush bookmarks database": "Flush bookmarks database", - "Flush subtitles cache": "Flush subtitles cache", "Flush all databases": "Flush all databases", - "Reset to Default Settings": "Reset to Default Settings", + "Reset to Default Settings": "既定の設定にリセット", "Importing Database...": "Importing Database...", "Please wait": "Please wait", - "Error": "Error", + "Error": "エラー", "Biography": "Biography", - "Film-Noir": "Film-Noir", - "History": "History", - "Music": "Music", - "Musical": "Musical", + "Film-Noir": "フィルム・ノワール", + "History": "歴史", + "Music": "音楽", + "Musical": "ミュージカル", "Sci-Fi": "Sci-Fi", "Short": "Short", - "War": "War", - "Last Added": "Last Added", + "War": "戦争", "Rating": "Rating", "Open IMDb page": "Open IMDb page", "Health false": "Health false", - "Add to bookmarks": "Add to bookmarks", + "Add to bookmarks": "ブックマークに追加", "Watch Trailer": "Watch Trailer", "Watch Now": "Watch Now", - "Health Good": "Health Good", "Ratio:": "Ratio:", - "Seeds:": "Seeds:", - "Peers:": "Peers:", + "Seeds:": "シード:", + "Peers:": "ピア:", "Remove from bookmarks": "Remove from bookmarks", "Changelog": "Changelog", - "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.", - "Invalid PCT Database File Selected": "Invalid PCT Database File Selected", "Health Unknown": "Health Unknown", "Episodes": "Episodes", "Episode %s": "Episode %s", "Aired Date": "Aired Date", "Streaming to": "Streaming to", "connecting": "Connecting", - "Download": "Download", - "Upload": "Upload", + "Download": "ダウンロード", + "Upload": "アップロード", "Active Peers": "Active Peers", "Cancel": "Cancel", "startingDownload": "Starting Download", @@ -139,10 +125,8 @@ "Ended": "Ended", "Error loading data, try again later...": "Error loading data, try again later...", "Miscellaneous": "Miscellaneous", - "When opening TV Show Detail Jump to:": "When opening TV Show Detail Jump to:", - "First Unwatched Episode": "First Unwatched Episode", - "Next Episode In Series": "Next Episode In Series", - "When Opening TV Show Detail Jump To": "When Opening TV Show Detail Jump To", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Flushing...", "Are you sure?": "Are you sure?", "We are flushing your databases": "We are flushing your databases", @@ -152,77 +136,43 @@ "Terms of Service": "Terms of Service", "I Accept": "I Accept", "Leave": "Leave", - "When Opening TV Series Detail Jump To": "When Opening TV Series Detail Jump To", - "Health Medium": "Health Medium", + "Series detail opens to": "Series detail opens to", "Playback": "Playback", "Play next episode automatically": "Play next episode automatically", "Generate Pairing QR code": "Generate Pairing QR code", - "Playing Next Episode in": "Playing Next Episode in", "Play": "Play", - "Dismiss": "Dismiss", "waitingForSubtitles": "Waiting For Subtitles", "Play Now": "Play Now", "Seconds": "Seconds", - "You are currently authenticated to Trakt.tv as": "You are currently authenticated to Trakt.tv as", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Disconnect account", - "Sync With Trakt": "Sync With Trakt", "Syncing...": "Syncing...", "Done": "Done", "Subtitles Offset": "Subtitles Offset", "secs": "secs", "We are flushing your database": "We are flushing your database", - "We are rebuilding the TV Show Database. Do not close the application.": "We are rebuilding the TV Show Database. Do not close the application.", - "No shows found...": "No shows found...", - "No Favorites found...": "No Favorites found...", - "Rebuild TV Shows Database": "Rebuild TV Shows Database", - "No movies found...": "No movies found...", "Ratio": "Ratio", - "Health Excellent": "Health Excellent", - "Health Bad": "Health Bad", - "Status: Creating Database...": "Status: Creating Database...", - "Status: Updating database...": "Status: Updating database...", - "Status: Skipping synchronization TTL not met": "Status: Skipping synchronization TTL not met", - "Advanced Settings": "Advanced Settings", - "Clear Cache directory after closing app?": "Clear Cache directory after closing app?", - "Tmp Folder": "Tmp Folder", - "Status: Downloading API archive...": "Status: Downloading API archive...", - "Status: Archive downloaded successfully...": "Status: Archive downloaded successfully...", - "Status: Importing file": "Status: Importing file", - "Status: Imported successfully": "Status: Imported successfully", - "Status: Launching applicaion... ": "Status: Launching applicaion...", - "URL of this stream was copied to the clipboard": "URL of this stream was copied to the clipboard", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", "Flushing bookmarks...": "Flushing bookmarks...", "Resetting...": "Resetting...", "We are resetting the settings": "We are resetting the settings", - "New version downloaded": "New version downloaded", "Installed": "Installed", - "Install Now": "Install Now", - "Restart Now": "Restart Now", - "We are flushing your subtitle cache": "We are flushing your subtitle cache", - "Subtitle cache deleted": "Subtitle cache deleted", "Please select a file to play": "Please select a file to play", - "Test Login": "Test Login", - "Testing...": "Testing...", - "Success!": "Success!", - "Failed!": "Failed!", "Global shortcuts": "Global shortcuts", "Video Player": "Video Player", - "Toggle Fullscreen": "Toggle Fullscreen", - "Play/Pause": "Play/Pause", + "Toggle Fullscreen": "フルスクリーン", + "Play/Pause": "再生/停止", "Seek Forward": "Seek Forward", - "Increase Volume": "Increase Volume", + "Increase Volume": "音量を上げる", "Set Volume to": "Set Volume to", "Offset Subtitles by": "Offset Subtitles by", - "Toggle Mute": "Toggle Mute", - "Movie Detail": "Movie Detail", + "Toggle Mute": "ミュート", + "Movie Detail": "動画の詳細", "Toggle Quality": "Toggle Quality", - "Play Movie": "Play Movie", - "Exit Fullscreen": "Exit Fullscreen", + "Play Movie": "動画を再生", + "Exit Fullscreen": "フルスクリーンを終了", "Seek Backward": "Seek Backward", - "Decrease Volume": "Decrease Volume", - "Show Stream URL": "Show Stream URL", + "Decrease Volume": "音量を下げる", "TV Show Detail": "TV Show Detail", "Toggle Watched": "Toggle Watched", "Select Next Episode": "Select Next Episode", @@ -235,59 +185,51 @@ "ctrl": "ctrl", "enter": "enter", "esc": "esc", - "Keyboard Shortcuts": "Keyboard Shortcuts", - "Cut": "Cut", - "Copy": "Copy", - "Paste": "Paste", + "Keyboard Shortcuts": "キーボードショートカット", + "Cut": "切り取り", + "Copy": "コピー", + "Paste": "貼り付け", "Help Section": "Help Section", "Did you know?": "Did you know?", - "What does Butter offer?": "What does Butter offer?", - "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", "Choose quality": "Choose quality", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", "Watched icon": "Watched icon", - "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", "External Players": "External Players", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", "Keyboard Navigation": "Keyboard Navigation", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", - "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", "Torrent health": "Torrent health", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", - "How does Butter work?": "How does Butter work?", - "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", "I found a bug, how do I report it?": "I found a bug, how do I report it?", - "No historics found...": "No historics found...", - "Error, database is probably corrupted. Try flushing the history in settings.": "Error, database is probably corrupted. Try flushing the history in settings.", - "You can paste magnet links anywhere in Butter with CTRL+V.": "You can paste magnet links anywhere in Butter with CTRL+V.", - "You can drag & drop a .torrent file into Butter.": "You can drag & drop a .torrent file into Butter.", - "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.": "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.", - "The rule n°10 applies here.": "The rule n°10 applies here.", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", - "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.": "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.", - "If you search \"1998\", you can see all the movies or TV series that came out that year.": "If you search \"1998\", you can see all the movies or TV series that came out that year.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", - "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "このアプリケーションはすべてHTML5, CSS3, Javascript によって作られています", "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", - "Clicking twice on a \"Sort By\" filter reverses the order of the list.": "Clicking twice on a \"Sort By\" filter reverses the order of the list.", "Switch to next tab": "Switch to next tab", "Switch to previous tab": "Switch to previous tab", "Switch to corresponding tab": "Switch to corresponding tab", "through": "through", "Enlarge Covers": "Enlarge Covers", "Reduce Covers": "Reduce Covers", - "Open the Help Section": "Open the Help Section", "Open Item Details": "Open Item Details", "Add Item to Favorites": "Add Item to Favorites", "Mark as Seen": "Mark as Seen", @@ -309,10 +251,8 @@ "name": "name", "OVA": "OVA", "ONA": "ONA", - "No anime found...": "No anime found...", "Movie": "Movie", "Special": "Special", - "No Watchlist found...": "No Watchlist found...", "Watchlist": "Watchlist", "Resolving..": "Resolving..", "About": "About", @@ -325,7 +265,6 @@ "Set playback rate to %s": "Set playback rate to %s", "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", "Color": "Color", - "With Shadows": "With Shadows", "Local IP Address": "Local IP Address", "Japan": "Japan", "Cars": "Cars", @@ -351,56 +290,27 @@ "Shoujo Ai": "Shoujo Ai", "Shounen": "Shounen", "Shounen Ai": "Shounen Ai", - "Slice Of Life": "Slice Of Life", - "Slice of Life": "Slice of Life", + "Slice of Life": "空気系", "Space": "Space", "Sports": "Sports", "Super Power": "Super Power", "Supernatural": "Supernatural", "Vampire": "Vampire", - "Alphabet": "Alphabet", - "Automatically Sync on Start": "Automatically Sync on Start", - "Setup VPN": "Setup VPN", "VPN": "VPN", - "Install VPN Client": "Install VPN Client", - "More Details": "More Details", - "Don't show me this VPN option anymore": "Don't show me this VPN option anymore", - "Activate automatic updating": "Activate automatic updating", - "We are installing VPN client": "We are installing VPN client", - "VPN Client Installed": "VPN Client Installed", - "Please wait...": "Please wait...", - "VPN.ht client is installed": "VPN.ht client is installed", - "Install again": "Install again", "Connect": "Connect", "Create Account": "Create Account", - "Please, allow ~ 1 minute": "Please, allow ~ 1 minute", - "Status: Connecting to VPN...": "Status: Connecting to VPN...", - "Status: Monitoring connexion - ": "Status: Monitoring connexion -", - "Connect VPN": "Connect VPN", - "Disconnect VPN": "Disconnect VPN", "Celebrate various events": "Celebrate various events", - "ATTENTION! We need admin access to run this command.": "ATTENTION! We need admin access to run this command.", - "Your password is not saved": "Your password is not saved", - "Enter sudo password :": "Enter sudo password :", - "Status: Monitoring connection": "Status: Monitoring connection", - "Status: Connected": "Status: Connected", - "Secure connection": "Secure connection", - "Your IP:": "Your IP:", "Disconnect": "Disconnect", "Downloaded": "Downloaded", "Loading stuck ? Click here !": "Loading stuck ? Click here !", "Torrent Collection": "Torrent Collection", - "Drop Magnet or .torrent": "Drop Magnet or .torrent", "Remove this torrent": "Remove this torrent", "Rename this torrent": "Rename this torrent", - "Flush entire collection": "Flush entire collection", "Open Collection Directory": "Open Collection Directory", "Store this torrent": "Store this torrent", "Enter new name": "Enter new name", "This name is already taken": "This name is already taken", "Always start playing in fullscreen": "Always start playing in fullscreen", - "Allow torrents to be stored for further use": "Allow torrents to be stored for further use", - "Hide VPN from the filter bar": "Hide VPN from the filter bar", "Magnet link": "Magnet link", "Error resolving torrent.": "Error resolving torrent.", "%s hour(s) remaining": "%s hour(s) remaining", @@ -412,87 +322,226 @@ "Set player window to half of video resolution": "Set player window to half of video resolution", "Retry": "Retry", "Import a Torrent": "Import a Torrent", - "The remote movies API failed to respond, please check %s and try again later": "The remote movies API failed to respond, please check %s and try again later", - "The remote shows API failed to respond, please check %s and try again later": "The remote shows API failed to respond, please check %s and try again later", - "The remote anime API failed to respond, please check %s and try again later": "The remote anime API failed to respond, please check %s and try again later", "Not Seen": "Not Seen", "Seen": "Seen", "Title": "Title", "The video playback encountered an issue. Please try an external player like %s to view this content.": "The video playback encountered an issue. Please try an external player like %s to view this content.", - "Font": "Font", + "Font": "フォント", "Decoration": "Decoration", "None": "None", "Outline": "Outline", "Opaque Background": "Opaque Background", "No thank you": "No thank you", "Report an issue": "Report an issue", - "Log in into your GitLab account": "Log in into your GitLab account", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Report anonymously", - "Note regarding anonymous reports:": "Note regarding anonymous reports:", - "You will not be able to edit or delete your report once sent.": "You will not be able to edit or delete your report once sent.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "If any additionnal information is required, the report might be closed, as you won't be able to provide them.", - "Step 1: Please look if the issue was already reported": "Step 1: Please look if the issue was already reported", - "Enter keywords": "Enter keywords", - "Already reported": "Already reported", - "I want to report a new issue": "I want to report a new issue", - "Step 2: Report a new issue": "Step 2: Report a new issue", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Note: please don't use this form to contact us. It is limited to bug reports only.", - "The title of the issue": "The title of the issue", - "Description": "Description", - "200 characters minimum": "200 characters minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "A short description of the issue. If suitable, include the steps required to reproduce the bug.", "Submit": "Submit", - "Step 3: Thank you !": "Step 3: Thank you !", - "Your issue has been reported.": "Your issue has been reported.", - "Open in your browser": "Open in your browser", - "No issues found...": "No issues found...", - "First method": "First method", - "Use the in-app reporter": "Use the in-app reporter", - "You can find it later on the About page": "You can find it later on the About page", - "Second method": "Second method", - "You can create an account on our %s repository, and click on %s.": "You can create an account on our %s repository, and click on %s.", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", - "Search on %s": "Search on %s", "No results found": "No results found", - "Invalid credentials": "Invalid credentials", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimize to Tray", - "Close": "Close", + "Close": "閉じる", "Restore": "Restore", - "Resume Playback": "Resume Playback", "Features": "Features", "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Big Picture Mode", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", "Cannot be stored": "Cannot be stored", - "%s reported this torrent as fake": "%s reported this torrent as fake", - "%s could not verify this torrent": "%s could not verify this torrent", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", "Translate Synopsis": "Translate Synopsis", - "Returning Series": "Returning Series", - "In Production": "In Production", - "Canceled": "Canceled", "N/A": "N/A", - "%s is not supposed to be run as administrator": "%s is not supposed to be run as administrator", "Your disk is almost full.": "Your disk is almost full.", "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait..." + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Downloading", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "オリジナル", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "明るさ", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "アップデートを確認", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ka.json b/src/app/language/ka.json index ddb30ba5ae..159ab7722e 100644 --- a/src/app/language/ka.json +++ b/src/app/language/ka.json @@ -44,7 +44,6 @@ "Load More": "მეტის ჩატვირთვა", "Saved": "შენახულია", "Settings": "პარამეტრები", - "Show advanced settings": "დამატებითი პარამეტრების ჩვენება", "User Interface": "ინტერფეისი", "Default Language": "ენა", "Theme": "თემა", @@ -61,10 +60,7 @@ "Disabled": "გამორთული", "Size": "ზომა", "Quality": "ხარისხი", - "Only list movies in": "ფილმების ჩვენება მხოლოდ", - "Show movie quality on list": "ფილმის ხარისხის ჩვენება სიაში", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "დააკავშირეთ %s რათა რათა ავტომატურად \"დასქრობლოთ\" %s-ში ნანახი სერიები", "Username": "მომხმარებლის სახელი", "Password": "პაროლი", "%s stores an encrypted hash of your password in your local database": "%s იმახსოვრებს თქვენი პაროლის ჩაკეტილ აშს ლოკალურად", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API მომხმარებლის სახელი", "HTTP API Password": "HTTP API პაროლი", "Connection": "კავშირი", - "TV Show API Endpoint": "ტელეშოების API საბოლოო წერტილი", "Connection Limit": "კავშირების ზღვარი", "DHT Limit": "DHT ზღვარი", "Port to stream on": "ნაკადის პორტი", "0 = Random": "0 = შემთხვევითი", "Cache Directory": "ქეშის ადგილმდებარეობა", - "Clear Tmp Folder after closing app?": "წაიშალოს დროებითი საქაღალდე აპის დახურვისას?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "მონაცემთა ბაზა", "Database Directory": "მონაცემთა ბაზის ადგილმდებარეობა", "Import Database": "მონაცემთა ბაზის შემოტანა", "Export Database": "მონაცემთა ბაზის გატანა", "Flush bookmarks database": "სანიშნების მონაცემთა ბაზის ჩამოყრა", - "Flush subtitles cache": "სუბტიტრების ქეშის ჩამოყრა", "Flush all databases": "ყველა მონაცემთა ბაზის ჩამოყრა", "Reset to Default Settings": "ნაგულისხმევ პარამეტრებზე ჩამოყრა", "Importing Database...": "მონაცემთა ბაზის შემოტანა...", @@ -131,8 +125,8 @@ "Ended": "დასრულდა", "Error loading data, try again later...": "მონაცემების ჩატვირთვის შეცდომა, გთხოვთ ცადოთ მოგვიანებით...", "Miscellaneous": "სხვა", - "First Unwatched Episode": "პირველი უნახავი სერია", - "Next Episode In Series": "შემდეგი ეპიზოდი", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "გასუფთავება...", "Are you sure?": "დარწმუნებული ხართ?", "We are flushing your databases": "ჩვენ ვშლით თქვენს მონაცემებს", @@ -142,7 +136,7 @@ "Terms of Service": "გამოყენების პირობები", "I Accept": "თანახმა ვარ", "Leave": "გამოსვლა", - "When Opening TV Series Detail Jump To": "ტელესერიალების დეტალების გახსნისას აირჩეს", + "Series detail opens to": "Series detail opens to", "Playback": "ჩვენება", "Play next episode automatically": "შემდეგი სერიის ავტომატურად ჩართვა", "Generate Pairing QR code": "დაწყვილების QR კოდის გენერირება", @@ -152,23 +146,17 @@ "Seconds": "წამი", "You are currently connected to %s": "ამჟამად თქვენ %s-ში შესული ხართ", "Disconnect account": "ანგარიშის გამოთიშვა", - "Sync With Trakt": "Trakt-თან სინქრონიზება", "Syncing...": "სინქრონიზაცია...", "Done": "დასრულება", "Subtitles Offset": "სუბტიტრების გადანაცვლება", "secs": "წმ", "We are flushing your database": "თქვენი მონაცემთა ბაზები იშლება", "Ratio": "რეიტინგი", - "Advanced Settings": "დამატებითი პარამეტრები", - "Tmp Folder": "დროებითი საქაღალდე", - "URL of this stream was copied to the clipboard": "ნაკადის URL დაკოპირებულია", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "შეცდომა, სავარაუდოდ მონაცემთა ბაზა დაზიანებულია. სცადეთ სანიშნების წაშლა პარამეტრებში.", "Flushing bookmarks...": "სანიშნების წაშლა...", "Resetting...": "ჩამოყრა...", "We are resetting the settings": "პარამეტრები იყრება", "Installed": "დაყენებული", - "We are flushing your subtitle cache": "იშლება თქვენი სუბტიტრების ქეში", - "Subtitle cache deleted": "სუბტიტრების ქეში წაიშალა.", "Please select a file to play": "გთხოვთ აირჩიეთ ჩასართავი ფაილი", "Global shortcuts": "გლობალური მალსახმობები", "Video Player": "ვიდეო პლეერი", @@ -185,7 +173,6 @@ "Exit Fullscreen": "მთელი ეკრანიდან გამოსვლა", "Seek Backward": "უკან გადახვევა", "Decrease Volume": "ხმის დაწევა", - "Show Stream URL": "ნაკადის მისამართის ჩვენება", "TV Show Detail": "სერიალის დეტალები", "Toggle Watched": "ნაყურების გადამრთველი", "Select Next Episode": "შემდეგი სერიის არჩევა", @@ -309,10 +296,7 @@ "Super Power": "სუპერ ძალა", "Supernatural": "ზებუნებრივი", "Vampire": "ვამპირი", - "Automatically Sync on Start": "ავტომატური სინქრონიზება დაწყებისას", "VPN": "VPN", - "Activate automatic updating": "ავტომატური განახლების გააქტიურება", - "Please wait...": "გთხოვთ დაელოდოთ...", "Connect": "დაკავშირება", "Create Account": "ანგარიშის შექმნა", "Celebrate various events": "სხვადასხვა დღესაწაულის აღნიშვნა", @@ -320,10 +304,8 @@ "Downloaded": "ჩატვირთულია", "Loading stuck ? Click here !": "ჩატვირთვა გაიჭედა? დააჭირეთ აქ !", "Torrent Collection": "ტორენტების კოლექცია", - "Drop Magnet or .torrent": "ჩააგდეთ მაგნიტი ან .torrent", "Remove this torrent": "ეს ტორენტის წაშლა", "Rename this torrent": "ეს ტორენტის სახელის შეცვლა", - "Flush entire collection": "მთელი კრებულის გასუფთავება", "Open Collection Directory": "კოლექციის ადგილმდებარეობის გახსნა", "Store this torrent": "ამ ტორენტის შენახვა", "Enter new name": "შეიყვანეთ ახალი სახელი", @@ -352,101 +334,214 @@ "No thank you": "არა, გმადლობთ", "Report an issue": "შეცდომის შეტყობინება", "Email": "ელ-ფოსტა", - "Log in": "შესვლა", - "Report anonymously": "ანონიმურად შეტყობინება", - "Note regarding anonymous reports:": "შენიშვნა ანონიმურ შეტყობინებებთან დაკავშირებით: ", - "You will not be able to edit or delete your report once sent.": "გაგზავნის შემდეგ თქვენ ვერ შეძლებთ თქვენი შეტყობინების რედაქტირებას ან წაშლას.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "თუ საჭიროა რაიმე დამატებითი ინფორმაცია, შეტყობინება შესაძლოა დაიხუროს, რადგან თქვენ ვერ შეძლებთ მათ მოწოდებას.", - "Step 1: Please look if the issue was already reported": "ნაბიჯი 1: გთხოვთ ნახოთ შეცდომა თუ უკვე შეტყობინებულია", - "Enter keywords": "შეიყვანეთ ძირითადი სიტყვები", - "Already reported": "უკვე შეტყობინებულია", - "I want to report a new issue": "მე მსურს ახალი შეცდომის შეტყობინება", - "Step 2: Report a new issue": "ნაბიჯი 2: ახალი შეცდომის შეტყობინება", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "შენიშვნა: გთხოვთ არ გამოიყენოთ ფორმა ჩვენთან დასაკავშირებლად. ის განკუთვნილია მხოლოდ შეცოდმების შესატყობინებლად.", - "The title of the issue": "შეცდომის სათაური", - "Description": "აღწერა", - "200 characters minimum": "მინიმუმ 200 სიმბოლო ", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "შეცდომის მცირე აღწერა. თუ გამოსადეგია, მიუთეთ შეცდომის გასამეორებლად საჭირო ნაბიჯები.", "Submit": "გაგზავნა", - "Step 3: Thank you !": "ნაბიჯი 3: გმადლობთ !", - "Your issue has been reported.": "თქვენი შეცდომა შეტყობინებულია.", - "Open in your browser": "ბრაუზერში გახსნა", - "No issues found...": "შეცდომები ვერ მოიძებნა...", - "First method": "პირველი მეთოდი", - "Use the in-app reporter": "აპის შემტყობინებლის გამოყენება", - "You can find it later on the About page": "შეგიძლიათ მოგვიანებით ნახვა \"შესახებ\" გვერდზე", - "Second method": "მეორე მეთოდი", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "გამოიყენეთ %s შეცოდმის ფილტრი რათა მოძებნოთ და შეამოწმოთ თუ შეცდომა უკვე შეტყობინებული ან მოგვარებულია.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "თუ საჭიროა გამოაყოლეთ ეკრანის ასლი - თქვენი შეცდომა დიზაინის ფუნქციას ეხება თუ შეცდომას?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "კარგი შეცდომის შეტყობინებას არ სჭირდება სხვების მიერ ინფრომაციის დამატება. დარწმუნდით, რომ გამოაგზავნით თქვენი გარემოს დეტალები.", "Warning: Always use English when contacting us, or we might not understand you.": "გაფრთხილება: ყოველთვის გამოიყენეთ ინგლისური როცა გვიკავშირდებით, თორემ შეიძლება ვერ გაგიგოთ.", - "Search for torrent": "ტორენტის ძიება", "No results found": "შედეგები ვერ მოიძებნა", - "Invalid credentials": "არასწორი მანდატები", "Open Favorites": "რჩეულების გახსნა", "Open About": "\"შესახებ\" გახსნა", "Minimize to Tray": "უჯრაში ჩაკეცვა ", "Close": "დახურვა", "Restore": "აღდგენა", - "Resume Playback": "დაკვრის გაგრძელება", "Features": "ფუნქციები", "Connect To %s": "%s-თან დაკავშირება", - "The magnet link was copied to the clipboard": "მაგნიტური ბმული დაკოპირებულია", - "Big Picture Mode": "Big Picture რეჟიმი", - "Big Picture Mode is unavailable on your current screen resolution": "დიდი სურათის რეჟიმი ხელმიუწვდომელია თქვენი ეკრანის გაფართოებაზე", "Cannot be stored": "შენახვა ვერ ხერხდება", - "%s reported this torrent as fake": "%s შეატყობინა ეს ტორენტი როგორც ყალბი", - "Randomize": "შემთხვევითი", - "Randomize Button for Movies": "შემთხვევითი ღილაკი ფილმებისთვის", "Overall Ratio": "საერთო თანაფარდობა", "Translate Synopsis": "მოკლე შინაარსის გადათარგმნა", "N/A": "N/A", "Your disk is almost full.": "თქვენი დისკი თითქმის სავსეა.", "You need to make more space available on your disk by deleting files.": "თქვენ ფაილების წაშლით უნდა გაანთავისუფლოთ მეტი ადგილი თქვენს დისკზე.", "Playing Next": "შემდეგ ირთვება", - "Trending": "ტენდენციური", - "Remember Filters": "ფილტრების დამახსოვრება", - "Automatic Subtitle Uploading": "სუბტიტრების ავტომატური ატვირთვა", "See-through Background": "გამჭვირვალე ფონი", "Bold": "მუქი", "Currently watching": "ამჟამად უყურებთ", "No, it's not that": "არა, მაგიტომ არა", "Correct": "სწორი", - "Indie": "ინდი", "Init Database": "Init ბაზა", "Status: %s ...": "სტატუსი: %s ...", "Create Temp Folder": "დროებითი საქაღალდის შექმნა", "Set System Theme": "სისტემის გამოსახულების შეცვლა", "Disclaimer": "გაფრთხილება", "Series": "სერიალები", - "Finished": "დასრულდა", "Event": "ივენტი", - "action": "მძაფრ-სიუჟეტიანი", - "war": "საომარი", "Local": "ადგილობრივი", "Try another subtitle or drop one in the player": "სცადეთ სხვა სუბტიტრი ან პირდაპირ ჩააგდეთ დამკვრელში", - "animation": "ანიმაცია", - "family": "საოჯახო", "show": "შოუ", "movie": "ფილმი", "Something went wrong downloading the update": "დაფიქსირდა შეცდომა განახლების გადმოწერის დროს", - "Activate Update seeding": "ავტომატური განახლების გააქტიურება", - "Disable Anime Tab": "ანიმეს ფანჯრის გაუქმება", - "Disable Indie Tab": "ინდის ფანჯრის გაუქმება", "Error converting subtitle": "სუბტიტრის გარდაქმნის შეცდომა", "No subtitles found": "სუბტიტრები ვერ მოიძებნა", "Try again later or drop a subtitle in the player": "სცადეთ მოგვიანებით ან ჩააგდეთ სუბტიტრი დამკვრელში", "You should save the content of the old directory, then delete it": "უმჯობესია კონტენტი სხვაგან დაამახსოვროთ, და შემდეგ წაშალოთ", "Search on %s": "%s-ში მოძებნა", - "Are you sure you want to clear the entire Torrent Collection ?": "დარწმუნებული ხართ, რომ ტორენტის კოლექციის წაშლა გსურთ?", "Audio Language": "აუდიოს ენა", "Subtitle": "ტიტრები", "Code:": "კოდი:", "Error reading subtitle timings, file seems corrupted": "სუბტიტრის დროების წაკითხვის შეცდომა, როგორც ჩანს ფაილი დაზიანებულია", - "Connection Not Secured": "კავშირი დაუცველია", "Open File to Import": "აირჩიეთ ფაილი იმპორტისთვის", - "Browse Directoy to save to": "აირჩიეთ ადგილი დასამახოვრებლად", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "გაუქმება და VPN-ის ხმარება", - "Continue seeding torrents after restart app?": "გაგრძელდეს ტორენტთა სიდინგი აპლიკაციის გადატვირთვის შემდეგ?", - "Enable VPN": "\u000eVPN-ის ჩართვა" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "ჩამოტვირთვა...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "ძიების შედეგები", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "დედანი", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "უცნობი", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "კი", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "სიკაშკაშე", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "განახლებების შემოწმება", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/kn.json b/src/app/language/kn.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/kn.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/ko.json b/src/app/language/ko.json index e6c9894607..a62a4e744e 100644 --- a/src/app/language/ko.json +++ b/src/app/language/ko.json @@ -44,7 +44,6 @@ "Load More": "더 불러오기", "Saved": "저장됨", "Settings": "설정", - "Show advanced settings": "고급 설정 보기", "User Interface": "사용자 인터페이스", "Default Language": "기본 언어", "Theme": "테마", @@ -61,10 +60,7 @@ "Disabled": "사용하지 않음", "Size": "크기", "Quality": "화질", - "Only list movies in": "다음 화질의 영화만 표시", - "Show movie quality on list": "목록에 영상 화질 보이기", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "아이디", "Password": "비밀번호", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API 아이디", "HTTP API Password": "HTTP API 비밀번호", "Connection": "연결", - "TV Show API Endpoint": "TV 쇼 API 종단점", "Connection Limit": "연결 제한", "DHT Limit": "DHT 제한", "Port to stream on": "스트리밍할 포트", "0 = Random": "0 = 임의 방식", "Cache Directory": "캐시 디렉토리", - "Clear Tmp Folder after closing app?": "종료 후 Tmp 폴더를 비울까요?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "데이터베이스", "Database Directory": "데이터베이스 디렉터리", "Import Database": "데이터베이스 불러오기", "Export Database": "데이터베이스 내보내기", "Flush bookmarks database": "즐겨찾기 데이터베이스 비우기", - "Flush subtitles cache": "자막 캐시 비우기", "Flush all databases": "모든 데이터베이스 비우기", "Reset to Default Settings": "기본 설정으로 초기화", "Importing Database...": "데이터베이스 불러오는 중...", @@ -131,8 +125,8 @@ "Ended": "종료됨", "Error loading data, try again later...": "데이터 로딩 에러, 잠시 후 다시 시도하세요...", "Miscellaneous": "기타", - "First Unwatched Episode": "아직 시청하지 않은 첫 에피소드", - "Next Episode In Series": "시리즈의 다음 에피소드", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "비우는 중...", "Are you sure?": "확실합니까?", "We are flushing your databases": "데이터베이스 비우기가 완료되었습니다.", @@ -142,7 +136,7 @@ "Terms of Service": "서비스 약관", "I Accept": "동의합니다", "Leave": "나가기", - "When Opening TV Series Detail Jump To": "TV 시리즈 상세 정보 열때 다음 항목으로", + "Series detail opens to": "Series detail opens to", "Playback": "재생", "Play next episode automatically": "자동으로 다음 에피소드 재생", "Generate Pairing QR code": "페어링 QR 코드 생성", @@ -152,23 +146,17 @@ "Seconds": "초", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "계정 연결 해재", - "Sync With Trakt": "Trakt에 동기화", "Syncing...": "동기화 중...", "Done": "완료", "Subtitles Offset": "자막 싱크", "secs": "초", "We are flushing your database": "데이터베이스 비우기를 완료했습니다", "Ratio": "비율", - "Advanced Settings": "고급 설정", - "Tmp Folder": "Tmp 폴더", - "URL of this stream was copied to the clipboard": "이 스트림의 URL이 클립보드로 복사되었습니다", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "에러, 데이터베이스가 손상된 것같습니다. 설정에서 즐겨찾기를 비우세요.", "Flushing bookmarks...": "즐겨찾기 비우는 중...", "Resetting...": "초기화 중...", "We are resetting the settings": "설정 초기화 중입니다", "Installed": "설치됨", - "We are flushing your subtitle cache": "자막 캐시를 비우는 중입니다", - "Subtitle cache deleted": "자막 캐시 삭제됨", "Please select a file to play": "재생할 파일을 선택하세요", "Global shortcuts": "단축키", "Video Player": "영상 플레이어", @@ -185,7 +173,6 @@ "Exit Fullscreen": "전체 화면 종료", "Seek Backward": "뒤로 검색", "Decrease Volume": "볼륨 낮추기", - "Show Stream URL": "스트림 URL 보기", "TV Show Detail": "TV 쇼 상세 정보", "Toggle Watched": "시청 여부 토글", "Select Next Episode": "다음 에피소드 선택", @@ -309,10 +296,7 @@ "Super Power": "초능력", "Supernatural": "초자연", "Vampire": "뱀파이어", - "Automatically Sync on Start": "시작시 자동 동기화", "VPN": "VPN", - "Activate automatic updating": "자동 업데이트 활성화", - "Please wait...": "잠시만 기다리세요...", "Connect": "연결", "Create Account": "계정 생성", "Celebrate various events": "다양한 이벤트를 즐기기", @@ -320,10 +304,8 @@ "Downloaded": "다운로드됨", "Loading stuck ? Click here !": "로딩이 멈췄습니까? 여기를 클릭하세요!", "Torrent Collection": "토렌트 컬렉션", - "Drop Magnet or .torrent": "마그넷이나 .torrent 놓기", "Remove this torrent": "이 토렌트 제거", "Rename this torrent": "이 토렌트 이름 변경", - "Flush entire collection": "전체 컬렉션 갱신", "Open Collection Directory": "컬렉션 디렉토리 열기", "Store this torrent": "이 토렌트 저장", "Enter new name": "새 이름 입력", @@ -352,101 +334,214 @@ "No thank you": "사양하겠습니다", "Report an issue": "이슈 제보", "Email": "이메일", - "Log in": "로그인", - "Report anonymously": "익명으로 제보", - "Note regarding anonymous reports:": "익명 제보에 대하여:", - "You will not be able to edit or delete your report once sent.": "전송이 끝난 제보는 수정이나 삭제가 불가능합니다.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "추가로 정보가 필요할 시, 제공이 불가능하니, 제보는 폐쇄 될 것입니다.", - "Step 1: Please look if the issue was already reported": "1째: 이미 제보가 된 이슈인지 확인해주세요", - "Enter keywords": "키워드 입력", - "Already reported": "이미 제보됨", - "I want to report a new issue": "새로운 이슈를 제보하고 싶어요", - "Step 2: Report a new issue": "2째: 새로운 이슈 제보", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "주의: 이 양식으로 개발자와 연락을 취하지 말아주세요. 버그 제보에 한정해서 사용됩니다.", - "The title of the issue": "이슈의 제목", - "Description": "세부 사항", - "200 characters minimum": "최소 200자", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "이슈를 짧게 요약해주세요. 버그 발생까지의 절차를 포함해주세요.", "Submit": "등록", - "Step 3: Thank you !": "3째: 감사합니다!", - "Your issue has been reported.": "이슈가 제보되었습니다.", - "Open in your browser": "브라우져에서 열기", - "No issues found...": "이슈가 발견되지 않음...", - "First method": "첫번째 방법", - "Use the in-app reporter": "앱내 제보 기능 사용", - "You can find it later on the About page": "About 페이지에서 나중에 찾을 수 있습니다", - "Second method": "두번째 방법", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "%s 이슈 필터를 사용해 이미 제보되었거나 고쳐진 이슈인지 확인하세요.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "필요하다면, 스크린캡쳐를 포함해주세요 - 이슈가 디자인 기능이나 버그에 관한 것인가요?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "잘 구성된 버그 제보는 타인이 정보를 직접 찾아다니게 하면 안 됩니다. 실행 환경에 대한 세부 사항을 꼭 포함해주세요.", "Warning: Always use English when contacting us, or we might not understand you.": "주의: 저희들에게 연락할 시에는 항상 영어를 사용해주세요. 그렇지 않으면 저희는 이해를 못 할지도 모릅니다.", - "Search for torrent": "Search for torrent", "No results found": "검색 결과 없음", - "Invalid credentials": "로그인 정보가 잘못되었습니다.", "Open Favorites": "즐겨찾기 열기", "Open About": "정보 열기", "Minimize to Tray": "트레이로 최소화", "Close": "닫기", "Restore": "복구", - "Resume Playback": "다시 재생", "Features": "기능", "Connect To %s": "%s에 연결", - "The magnet link was copied to the clipboard": "마그넷 링크가 클립보드에 복사됨", - "Big Picture Mode": "빅 픽쳐 모드", - "Big Picture Mode is unavailable on your current screen resolution": "현재 화면 해상도에서는 빅 픽쳐 모드가 불가능합니다.", "Cannot be stored": "저장할 수 없음", - "%s reported this torrent as fake": "%s가 이 토렌트를 가짜라고 신고함", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", "Translate Synopsis": "Translate Synopsis", "N/A": "N/A", "Your disk is almost full.": "Your disk is almost full.", "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Local", "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Error converting subtitle", "No subtitles found": "No subtitles found", "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "%s에 대한 검색 결과", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "다운로드 중", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "원본", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "밝기", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "업데이트 확인", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/lt.json b/src/app/language/lt.json index 337d895f40..a8316fca9f 100644 --- a/src/app/language/lt.json +++ b/src/app/language/lt.json @@ -44,7 +44,6 @@ "Load More": "Rodyti daugiau", "Saved": "Išsaugota", "Settings": "Nustatymai", - "Show advanced settings": "Rodyti išplėstinius nustatymus", "User Interface": "Vartotojo sąsaja", "Default Language": "Numatytoji kalba", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Išjungta", "Size": "Dydis", "Quality": "Kokybė", - "Only list movies in": "Tik išvardinti filmus", - "Show movie quality on list": "Rodyti filmo kokybę sąraše", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Vartotojo vardas", "Password": "Slaptažodis", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API vartotojo vardas", "HTTP API Password": "HTTP API slaptažodis", "Connection": "Prisijungimas", - "TV Show API Endpoint": "TV laidų API galinis įtaisas", "Connection Limit": "Prisijungimo limitas", "DHT Limit": "DHT limitas", "Port to stream on": "Prievadas srauto perdavimui", "0 = Random": "0 = atsitiktinis", "Cache Directory": "Podėlio katalogas", - "Clear Tmp Folder after closing app?": "Išvalyti laikinąjį aplanką uždarius programą?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Duomenų bazė", "Database Directory": "Duomenų bazės katalogas", "Import Database": "Importuoti duomenų bazę", "Export Database": "Eksportuoti duomenų bazę", "Flush bookmarks database": "Išvalyti žymų duomenų bazę", - "Flush subtitles cache": "Išvalyti subtitrų podėlį", "Flush all databases": "Išvalyti visas duomenų bazes", "Reset to Default Settings": "Atstatyti numatytuosius nustatymus", "Importing Database...": "Importuojama duomenų bazė...", @@ -131,8 +125,8 @@ "Ended": "Baigėsi", "Error loading data, try again later...": "Klaida įkeliant duomenis, prašome pabandyti dar kartą vėliau...", "Miscellaneous": "Įvairūs", - "First Unwatched Episode": "Pirmas neperžiūrėtas epizodas", - "Next Episode In Series": "Kitas serialo epizodas", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Valoma...", "Are you sure?": "Ar įsitikinęs?", "We are flushing your databases": "Valomos duomenų bazės", @@ -142,7 +136,7 @@ "Terms of Service": "Paslaugų teikimo sąlygos", "I Accept": "Aš sutinku", "Leave": "Išeiti", - "When Opening TV Series Detail Jump To": "Kai atidaroma TV laidos informacija, pereiti į", + "Series detail opens to": "Series detail opens to", "Playback": "Atkūrimas", "Play next episode automatically": "Atkurti kitą epizodą automatiškai", "Generate Pairing QR code": "Generuoti poravimo QR kodą", @@ -152,23 +146,17 @@ "Seconds": "Sekundės", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Atjungti paskyrą", - "Sync With Trakt": "Sinchronizuoti su Trakt.tv", "Syncing...": "Sinchronizuojama...", "Done": "Baigta", "Subtitles Offset": "Subtitrų poslinkis", "secs": "sek.", "We are flushing your database": "Valoma jūsų duomenų bazė", "Ratio": "Santykis", - "Advanced Settings": "Išplėstiniai nustatymai", - "Tmp Folder": "Laikinasis aplankas", - "URL of this stream was copied to the clipboard": "Šio srauto URL buvo nukopijuotas į iškarpinę", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Klaida, duomenų bazė tikriausiai sugadinta. Pabandykite išvalyti žymas nustatymuose.", "Flushing bookmarks...": "Valomos žymos...", "Resetting...": "Atstatoma...", "We are resetting the settings": "Atstatomi nustatymai", "Installed": "Įdiegta", - "We are flushing your subtitle cache": "Valomas subtitrų podėlis", - "Subtitle cache deleted": "Subtitrų podėlis ištrintas", "Please select a file to play": "Pasirinkite failą atkūrimui", "Global shortcuts": "Globalios nuorodos", "Video Player": "Vaizdo grotuvas", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Išeiti iš viso ekrano", "Seek Backward": "Atgal", "Decrease Volume": "Sumažinti garsumą", - "Show Stream URL": "Rodyti srauto URL", "TV Show Detail": "TV laidos informacija", "Toggle Watched": "Perjungti peržiūrėjimo būseną", "Select Next Episode": "Pasirinkti kitą epizodą", @@ -309,10 +296,7 @@ "Super Power": "Super galios", "Supernatural": "Antgamtiškas", "Vampire": "Vampyrai", - "Automatically Sync on Start": "Automatiškai sinchronizuoti paleidžiant", "VPN": "VPN", - "Activate automatic updating": "Aktyvuoti automatinius atnaujinimus", - "Please wait...": "Prašome palaukti...", "Connect": "Prisijungti", "Create Account": "Sukurti Paskyrą", "Celebrate various events": "Paminėti įvairias šventes", @@ -320,10 +304,8 @@ "Downloaded": "Atsiųsta", "Loading stuck ? Click here !": "Neužsikrauna ? Spustelkite čia !", "Torrent Collection": "Torentų kolekcija", - "Drop Magnet or .torrent": "Nutempti magnetinę nuorodą arba .torrent", "Remove this torrent": "Pašalinti šį torentą", "Rename this torrent": "Pervadinti šį torentą", - "Flush entire collection": "Išvalyti visą kolekciją", "Open Collection Directory": "Atidaryti kolekcijos katalogą", "Store this torrent": "Saugoti šį torentą", "Enter new name": "Įveskite naują vardą", @@ -352,101 +334,214 @@ "No thank you": "Ne, ačiū", "Report an issue": "Pranešti apie problemą", "Email": "El. paštas", - "Log in": "Prisijungti", - "Report anonymously": "Pranešti anonimiškai", - "Note regarding anonymous reports:": "Pastaba dėl anoniminių pranešimų", - "You will not be able to edit or delete your report once sent.": "Išsiuntus pranešimą, jūs nebegalėsite jo pakeisti ar pašalinti.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Jei bus reikalinga kokia nors papildoma informacija, pranešimas gali būti uždarytas, nes jūs negalėsite jos pateikti.", - "Step 1: Please look if the issue was already reported": "Žingsnis 1: pažiūrėkite ar apie problemą jau pranešta", - "Enter keywords": "Įveskite raktinius žodžius", - "Already reported": "Jau pranešta", - "I want to report a new issue": "Noriu pranešti apie naują problemą", - "Step 2: Report a new issue": "Žingsnis 2: praneškite apie naują problemą", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Pastaba: nenaudokite šios formos, norėdami su mumis susisiekti. Ji skirta tik pranešimams apie klaidas.", - "The title of the issue": "Problemos pavadinimas", - "Description": "Aprašymas", - "200 characters minimum": "Mažiausiai 200 simbolių", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Trumpas problemos aprašymas. Jei įmanoma, aprašykite žingsnius, reikalingus norint atkartoti klaidą.", "Submit": "Pateikti", - "Step 3: Thank you !": "Žingsnis 3: ačiū!", - "Your issue has been reported.": "Apie jūsų problemą buvo pranešta.", - "Open in your browser": "Atidaryti interneto naršyklėje", - "No issues found...": "Problemų nerasta...", - "First method": "Pirmas metodas", - "Use the in-app reporter": "Naudoti integruotą pranešėją", - "You can find it later on the About page": "Galite rasti jį vėliau 'Apie' puslapyje", - "Second method": "Antras metodas", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Naudokite %s problemos filtrą, norėdami patikrinti ar apie šią problemą jau buvo pranešta arba ar ji jau išspręsta.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Jei reikalinga, įtraukite ekrano nuotrauką - galbūt problema susijusi su dizaino funkcija ar klaida?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Geras klaidos pranešimas neturėtų versti kitų jūsų ieškoti tam, kad gauti daugiau informacijos. Įsitikinkite, kad įtraukėte savo sistemos duomenis.", "Warning: Always use English when contacting us, or we might not understand you.": "Įspėjimas: su mumis visada kontaktuokite anglų kalba arba mes galime jūsų nesuprasti.", - "Search for torrent": "Search for torrent", "No results found": "Nerasta rezultatų", - "Invalid credentials": "Klaidingi prisijungimo duomenys", "Open Favorites": "Atidaryti mėgstamiausius", "Open About": "Atidaryti apie", "Minimize to Tray": "Minimize to Tray", "Close": "Uždaryti", "Restore": "Restore", - "Resume Playback": "Tęsti atkūrimą", "Features": "Funkcijos", "Connect To %s": "Prisijungti prie %s", - "The magnet link was copied to the clipboard": "Magnetinė nuoroda buvo nukopijuota į iškarpinę", - "Big Picture Mode": "Didelių paveikslėlių režimas", - "Big Picture Mode is unavailable on your current screen resolution": "Didelių paveikslėlių režimas negalimas esant dabartinei ekrano raiškai", "Cannot be stored": "Neįmanoma surūšiuoti", - "%s reported this torrent as fake": "%s pranešė, kad šis torentas netikras", - "Randomize": "Atsitiktinai", - "Randomize Button for Movies": "Atsitiktinio maišymo mygtukas filmams", "Overall Ratio": "Bendras santykis", "Translate Synopsis": "Versti anotaciją", "N/A": "N/A", "Your disk is almost full.": "Jūsų diskas beveik pilnas.", "You need to make more space available on your disk by deleting files.": "Jums reikia padaryti daugiau vietos diske, ištrinant iš jo failus.", "Playing Next": "Atkuriamas kitas", - "Trending": "Populiaru", - "Remember Filters": "Atsiminti filtrus", - "Automatic Subtitle Uploading": "Automatinis subtitrų įkėlimas", "See-through Background": "Permatomas fonas", "Bold": "Paryškintas", "Currently watching": "Šiuo metu žiūrima", "No, it's not that": "Ne, ne šitas", "Correct": "Teisingai", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Vietiniai", "Try another subtitle or drop one in the player": "Pamėginkite kitus subtitrus ar nutempkite juos ant grotuvo", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Klaida konvertuojant subtitrus", "No subtitles found": "Subtitrų nerasta", "Try again later or drop a subtitle in the player": "Pamėginkite vėliau arba nutempkite subtitrus ant grotuvo", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Ieškoti %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Klaida skaitant subtitrų laikus, panašu kad failas sugadintas", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Siunčiama", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Paieškos rezultatai", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Originalus", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Nežinomas", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Taip", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Šviesumas", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Ieškoti atnaujinimų", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/lv.json b/src/app/language/lv.json index 956b5a63d1..e8af8275cd 100644 --- a/src/app/language/lv.json +++ b/src/app/language/lv.json @@ -1,406 +1,316 @@ { - "External Player": "External Player", - "Made with": "Made with", - "by a bunch of geeks from All Around The World": "by a bunch of geeks from All Around The World", - "Initializing Butter. Please Wait...": "Initializing Butter. Please Wait...", - "Status: Checking Database...": "Status: Checking Database...", - "Movies": "Movies", - "TV Series": "TV Series", + "External Player": "Ārējais atskaņotājs", + "Made with": "Izveidoja ar", + "by a bunch of geeks from All Around The World": "cilvēki no visas pasaules", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Movies": "Filmas", + "TV Series": "Seriāli", "Anime": "Anime", - "Genre": "Genre", - "All": "All", - "Action": "Action", - "Adventure": "Adventure", - "Animation": "Animation", - "Children": "Children", - "Comedy": "Comedy", - "Crime": "Crime", - "Documentary": "Documentary", - "Drama": "Drama", - "Family": "Family", - "Fantasy": "Fantasy", - "Game Show": "Game Show", - "Home And Garden": "Home And Garden", - "Horror": "Horror", - "Mini Series": "Mini Series", - "Mystery": "Mystery", - "News": "News", - "Reality": "Reality", - "Romance": "Romance", - "Science Fiction": "Science Fiction", - "Soap": "Soap", - "Special Interest": "Special Interest", - "Sport": "Sport", + "Genre": "Žanrs", + "All": "Visi", + "Action": "Asa sižeta", + "Adventure": "Piedzīvojumi", + "Animation": "Animācija", + "Children": "Bērnu", + "Comedy": "Komēdija", + "Crime": "Krimināls", + "Documentary": "Dokumentālais", + "Drama": "Drāma", + "Family": "Ģimenes", + "Fantasy": "Fantastika", + "Game Show": "Spēļu šovs", + "Horror": "Šausmas", + "Mini Series": "Mini Seriāls", + "Mystery": "Mistērija", + "News": "Ziņas", + "Reality": "Realitāte", + "Romance": "Romantika", + "Science Fiction": "Zinātniskā fantastika", + "Soap": "Ziepju opera", + "Special Interest": "Īpašās intereses", + "Sport": "Sports", "Suspense": "Suspense", - "Talk Show": "Talk Show", - "Thriller": "Thriller", - "Western": "Western", - "Sort by": "Sort by", - "Popularity": "Popularity", - "Updated": "Updated", - "Year": "Year", - "Name": "Name", - "Search": "Search", - "Season": "Season", - "Seasons": "Seasons", - "Season %s": "Season %s", - "Load More": "Load More", - "Saved": "Saved", - "Settings": "Settings", - "Show advanced settings": "Show advanced settings", - "User Interface": "User Interface", - "Default Language": "Default Language", - "Theme": "Theme", - "Start Screen": "Start Screen", - "Favorites": "Favorites", - "Show rating over covers": "Show rating over covers", - "Always On Top": "Always On Top", - "Watched Items": "Watched Items", - "Show": "Show", - "Fade": "Fade", - "Hide": "Hide", - "Subtitles": "Subtitles", - "Default Subtitle": "Default Subtitle", - "Disabled": "Disabled", - "Size": "Size", - "Quality": "Quality", - "Only list movies in": "Only list movies in", - "Show movie quality on list": "Show movie quality on list", + "Talk Show": "Sarunu šovs", + "Thriller": "Trilleris", + "Western": "Vesterns", + "Sort by": "Kārtot pēc", + "Updated": "Pēdējās atjaunināšanas", + "Year": "Gads", + "Name": "Nosaukums", + "Search": "Meklēt", + "Season": "Sezona", + "Seasons": "Sezonas", + "Season %s": "Sezona %s", + "Load More": "Ielādēt vairāk", + "Saved": "Saglabāts", + "Settings": "Iestatījumi", + "User Interface": "Lietotāja saskarne", + "Default Language": "Noklusējuma valoda", + "Theme": "Dizains", + "Start Screen": "Sākuma ekrāns", + "Favorites": "Grāmatzīmes", + "Show rating over covers": "Rādīt reitingu uz vāka", + "Always On Top": "Vienmēr virspusē", + "Watched Items": "Noskatītās filmas", + "Show": "Rādīt", + "Fade": "Izbalēt", + "Hide": "Paslēpt", + "Subtitles": "Subtitri", + "Default Subtitle": "Noklusējuma subtitri", + "Disabled": "Atslēgti", + "Size": "Izmērs", + "Quality": "Kvalitāte", "Trakt.tv": "Trakt.tv", - "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter": "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", - "Username": "Username", - "Password": "Password", - "Butter stores an encrypted hash of your password in your local database": "Butter stores an encrypted hash of your password in your local database", - "Remote Control": "Remote Control", - "HTTP API Port": "HTTP API Port", - "HTTP API Username": "HTTP API Username", - "HTTP API Password": "HTTP API Password", - "Connection": "Connection", - "TV Show API Endpoint": "TV Show API Endpoint", - "Movies API Endpoint": "Movies API Endpoint", - "Connection Limit": "Connection Limit", - "DHT Limit": "DHT Limit", - "Port to stream on": "Port to stream on", - "0 = Random": "0 = Random", - "Cache Directory": "Cache Directory", - "Clear Tmp Folder after closing app?": "Clear Tmp Folder after closing app?", - "Database": "Database", - "Database Directory": "Database Directory", - "Import Database": "Import Database", - "Export Database": "Export Database", - "Flush bookmarks database": "Flush bookmarks database", - "Flush subtitles cache": "Flush subtitles cache", - "Flush all databases": "Flush all databases", - "Reset to Default Settings": "Reset to Default Settings", - "Importing Database...": "Importing Database...", - "Please wait": "Please wait", - "Error": "Error", - "Biography": "Biography", + "Username": "Lietotājvārds", + "Password": "Parole", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "Remote Control": "Tālvadība", + "HTTP API Port": "HTTP API Ports", + "HTTP API Username": "HTTP API Lietotājvārds", + "HTTP API Password": "HTTP API Parole", + "Connection": "Savienojums", + "Connection Limit": "Savienojumu limits", + "DHT Limit": "DHT limits", + "Port to stream on": "Ports uz kuru straumēt", + "0 = Random": "0 = Nejaušs", + "Cache Directory": "Kešatmiņas atrašanās vieta", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", + "Database": "Datubāze", + "Database Directory": "Datu bāzes vietne", + "Import Database": "Importēt datubāzi", + "Export Database": "Eksportēt datubāzi", + "Flush bookmarks database": "Dzēst grāmatzīmju datubāzi", + "Flush all databases": "Dzēst visas datubāzes", + "Reset to Default Settings": "Atieistatīt uz noklusējuma iestatījumiem", + "Importing Database...": "importējan datu bāzi", + "Please wait": "Lūdzu uzgaidiet", + "Error": "Kļūda", + "Biography": "Biogrāfija", "Film-Noir": "Film-Noir", - "History": "History", - "Music": "Music", - "Musical": "Musical", - "Sci-Fi": "Sci-Fi", - "Short": "Short", - "War": "War", - "Last Added": "Last Added", - "Rating": "Rating", - "Open IMDb page": "Open IMDb page", - "Health false": "Health false", - "Add to bookmarks": "Add to bookmarks", - "Watch Trailer": "Watch Trailer", - "Watch Now": "Watch Now", - "Health Good": "Health Good", - "Ratio:": "Ratio:", - "Seeds:": "Seeds:", - "Peers:": "Peers:", - "Remove from bookmarks": "Remove from bookmarks", - "Changelog": "Changelog", - "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", - "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.", - "Invalid PCT Database File Selected": "Invalid PCT Database File Selected", - "Health Unknown": "Health Unknown", - "Episodes": "Episodes", - "Episode %s": "Episode %s", - "Aired Date": "Aired Date", - "Streaming to": "Streaming to", - "connecting": "Connecting", - "Download": "Download", - "Upload": "Upload", - "Active Peers": "Active Peers", - "Cancel": "Cancel", - "startingDownload": "Starting Download", - "downloading": "Downloading", - "ready": "Ready", - "playingExternally": "Playing Externally", + "History": "Vēsture", + "Music": "Muzikālā filma", + "Musical": "Mūzikls", + "Sci-Fi": "Zinātniskā fantastika", + "Short": "Īsfilma", + "War": "Karš", + "Rating": "Reitinga", + "Open IMDb page": "Atvērt IMDb lapu", + "Health false": "Stāvoklis nepareizs", + "Add to bookmarks": "Pievienot pie grāmatzīmēm", + "Watch Trailer": "Skatīties Treileri", + "Watch Now": "Skatīties Tagad", + "Ratio:": "Attiecība:", + "Seeds:": "Devēji:", + "Peers:": "Iesaistītie:", + "Remove from bookmarks": "Dzēst no grāmatzīmēm", + "Changelog": "Izmaiņas", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Mēs esam atvērtā koda projekts. Mēs easam no visas pasaules. Mēs mīlam filmas. Un protams, mēs mīlam popkornu.", + "Health Unknown": "Stāvoklis nezināms", + "Episodes": "Epizodes", + "Episode %s": "Epizode %s", + "Aired Date": "Iznākšanas datums", + "Streaming to": "Straumēju uz", + "connecting": "Pieslēdzos...", + "Download": "Lejupielāde", + "Upload": "Augšupielāde", + "Active Peers": "Aktīvie iesaistītie", + "Cancel": "Atcelt", + "startingDownload": "Uzsāku ielādi...", + "downloading": "Lejuplādēju...", + "ready": "Gatavs", + "playingExternally": "Atskaņoju ārēji", "Custom...": "Custom...", - "Volume": "Volume", - "Ended": "Ended", - "Error loading data, try again later...": "Error loading data, try again later...", - "Miscellaneous": "Miscellaneous", - "When opening TV Show Detail Jump to:": "When opening TV Show Detail Jump to:", - "First Unwatched Episode": "First Unwatched Episode", - "Next Episode In Series": "Next Episode In Series", - "When Opening TV Show Detail Jump To": "When Opening TV Show Detail Jump To", - "Flushing...": "Flushing...", - "Are you sure?": "Are you sure?", - "We are flushing your databases": "We are flushing your databases", - "Success": "Success", - "Please restart your application": "Please restart your application", - "Restart": "Restart", - "Terms of Service": "Terms of Service", - "I Accept": "I Accept", - "Leave": "Leave", - "When Opening TV Series Detail Jump To": "When Opening TV Series Detail Jump To", - "Health Medium": "Health Medium", - "Playback": "Playback", - "Play next episode automatically": "Play next episode automatically", - "Generate Pairing QR code": "Generate Pairing QR code", - "Playing Next Episode in": "Playing Next Episode in", - "Play": "Play", - "Dismiss": "Dismiss", - "waitingForSubtitles": "Waiting For Subtitles", - "Play Now": "Play Now", - "Seconds": "Seconds", - "You are currently authenticated to Trakt.tv as": "You are currently authenticated to Trakt.tv as", - "You are currently connected to %s": "You are currently connected to %s", - "Disconnect account": "Disconnect account", - "Sync With Trakt": "Sync With Trakt", - "Syncing...": "Syncing...", - "Done": "Done", - "Subtitles Offset": "Subtitles Offset", - "secs": "secs", - "We are flushing your database": "We are flushing your database", - "We are rebuilding the TV Show Database. Do not close the application.": "We are rebuilding the TV Show Database. Do not close the application.", - "No shows found...": "No shows found...", - "No Favorites found...": "No Favorites found...", - "Rebuild TV Shows Database": "Rebuild TV Shows Database", - "No movies found...": "No movies found...", - "Ratio": "Ratio", - "Health Excellent": "Health Excellent", - "Health Bad": "Health Bad", - "Status: Creating Database...": "Status: Creating Database...", - "Status: Updating database...": "Status: Updating database...", - "Status: Skipping synchronization TTL not met": "Status: Skipping synchronization TTL not met", - "Advanced Settings": "Advanced Settings", - "Clear Cache directory after closing app?": "Clear Cache directory after closing app?", - "Tmp Folder": "Tmp Folder", - "Status: Downloading API archive...": "Status: Downloading API archive...", - "Status: Archive downloaded successfully...": "Status: Archive downloaded successfully...", - "Status: Importing file": "Status: Importing file", - "Status: Imported successfully": "Status: Imported successfully", - "Status: Launching applicaion... ": "Status: Launching applicaion...", - "URL of this stream was copied to the clipboard": "URL of this stream was copied to the clipboard", - "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", - "Flushing bookmarks...": "Flushing bookmarks...", - "Resetting...": "Resetting...", - "We are resetting the settings": "We are resetting the settings", - "New version downloaded": "New version downloaded", - "Installed": "Installed", - "Install Now": "Install Now", - "Restart Now": "Restart Now", - "We are flushing your subtitle cache": "We are flushing your subtitle cache", - "Subtitle cache deleted": "Subtitle cache deleted", - "Please select a file to play": "Please select a file to play", - "Test Login": "Test Login", - "Testing...": "Testing...", - "Success!": "Success!", - "Failed!": "Failed!", - "Global shortcuts": "Global shortcuts", - "Video Player": "Video Player", - "Toggle Fullscreen": "Toggle Fullscreen", - "Play/Pause": "Play/Pause", - "Seek Forward": "Seek Forward", - "Increase Volume": "Increase Volume", - "Set Volume to": "Set Volume to", - "Offset Subtitles by": "Offset Subtitles by", - "Toggle Mute": "Toggle Mute", - "Movie Detail": "Movie Detail", - "Toggle Quality": "Toggle Quality", - "Play Movie": "Play Movie", - "Exit Fullscreen": "Exit Fullscreen", - "Seek Backward": "Seek Backward", - "Decrease Volume": "Decrease Volume", - "Show Stream URL": "Show Stream URL", - "TV Show Detail": "TV Show Detail", - "Toggle Watched": "Toggle Watched", - "Select Next Episode": "Select Next Episode", - "Select Previous Episode": "Select Previous Episode", - "Select Next Season": "Select Next Season", - "Select Previous Season": "Select Previous Season", - "Play Episode": "Play Episode", + "Volume": "Skaļums", + "Ended": "Beidzies", + "Error loading data, try again later...": "Kļūda ielādējot datus, mēģiniet vēlreiz vēlāk...", + "Miscellaneous": "Dažādi", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Dzēšana...", + "Are you sure?": "Vai esat pārliecināts?", + "We are flushing your databases": "Mēs dzēšam jūsu datubāzes", + "Success": "Veiksmīgi", + "Please restart your application": "Lūdzu, restartējiet savu aplikāciju", + "Restart": "Restartēt", + "Terms of Service": "Pakalpojumu sniegšanas noteikumi", + "I Accept": "Es piekrītu", + "Leave": "Iziet", + "Series detail opens to": "Series detail opens to", + "Playback": "Atskaņošana", + "Play next episode automatically": "Atskaņot nākamo epizodi automātiski", + "Generate Pairing QR code": "Radīt sevienojuma QR kodu", + "Play": "Atskaņot", + "waitingForSubtitles": "Gaidām subtitrus...", + "Play Now": "Atskaņot tagad", + "Seconds": "Sekundes", + "You are currently connected to %s": "Tu pašlaik esi savienojies ar %s", + "Disconnect account": "Atvienot kontu", + "Syncing...": "Sinhronizēšana...", + "Done": "Gatavs", + "Subtitles Offset": "Subtitru nobīde", + "secs": "sek", + "We are flushing your database": "Mēs dzēšam jūsu datubāzi", + "Ratio": "Attiecība", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Kļūda, datubāze ir iespējams bojāta. Mēģiniet dzēst grāmatzīmes iestatījumos.", + "Flushing bookmarks...": "Grāmatzīmju dzēšana...", + "Resetting...": "Atiestatīšana...", + "We are resetting the settings": "Mēs atiestatām iestatījumus", + "Installed": "Instalēts", + "Please select a file to play": "Lūdzu, izvēlieties failu kuru atskaņot", + "Global shortcuts": "Globālās saīsnes", + "Video Player": "Video atskaņotājs", + "Toggle Fullscreen": "Pārslēgt uz pilnu ekrānu", + "Play/Pause": "Atskaņot/Pauze", + "Seek Forward": "Pārtīt uz priekšu par", + "Increase Volume": "Palielināt skaļumu par", + "Set Volume to": "Uzstādīt skaļumu uz", + "Offset Subtitles by": "Nobīdīt subtitrus par", + "Toggle Mute": "Izslēgt skaņu", + "Movie Detail": "Filmu informācija", + "Toggle Quality": "Pārslēgt kvalitāti", + "Play Movie": "Atskaņot filmu", + "Exit Fullscreen": "Iziet no pilna ekrāna", + "Seek Backward": "Pārtīt atpakaļ par", + "Decrease Volume": "Samazināt skaļumu par", + "TV Show Detail": "TV Seriālu informācija", + "Toggle Watched": "Atzīmēt kā noskatīto", + "Select Next Episode": "Izvēlēties nākamo epizodi", + "Select Previous Episode": "Izvēlēties iepriekšējo epizodi", + "Select Next Season": "Izvēlēties nākamo sezonu", + "Select Previous Season": "Izvēlēties iepriekšējo sezonu", + "Play Episode": "Atskaņot epizodi", "space": "space", "shift": "shift", "ctrl": "ctrl", "enter": "enter", "esc": "esc", - "Keyboard Shortcuts": "Keyboard Shortcuts", - "Cut": "Cut", - "Copy": "Copy", - "Paste": "Paste", - "Help Section": "Help Section", - "Did you know?": "Did you know?", - "What does Butter offer?": "What does Butter offer?", - "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", - "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", - "Choose quality": "Choose quality", - "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", - "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", - "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", - "Watched icon": "Watched icon", - "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", - "External Players": "External Players", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.", - "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", - "Keyboard Navigation": "Keyboard Navigation", - "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", - "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", - "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", - "Torrent health": "Torrent health", + "Keyboard Shortcuts": "Taustiņu kombinācijas", + "Cut": "Izgriezt", + "Copy": "Kopēt", + "Paste": "Ielīmēt", + "Help Section": "Palīdzības sadaļa", + "Did you know?": "Vai tu jau to zināji?", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Cilnē \"Seriāli\" kuru varat sasniegt, navigācijas joslā noklikšķinot uz \"Seriāli\" tiks parādītas visas mūsu kolekcijā pieejamie seriāli. Jūs varat arī lietot savus filtrus tāpat kā cilnē \"Filmas\" lai izlemtu, ko skatīties. Šajā kolekcijā arī vienkārši noklikšķiniet uz vāka. Parādīsies jauns logs kur Jūs varesiet izvēleties sava seriāla sezonu un epizodi. Kad esat izdomājis ko gribat skatīties tad vienkārši noklikšķiniet uz pogas \"Skatīties Tagad\".", + "Choose quality": "Izvēlēties kvalitāti", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Bultiņa kas atrodas blakus pogai \"Skatīties Tagad” ļaus jums izvēlēties straumes kvalitāti. Fiksētu kvalitāti var iestatīt arī cilnē Iestatījumi. Aceraties! labāka izšķirtspēja nozīmē vairāk lejupielādējamo datu.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Daļai no mūsu filmām un seriāliem ir subtitri latviski. Tos var iestatīt cilnē Iestatījumi. Filmas var iestatīt pat nolaižamajā izvēlnē, lapā Filmas detaļas.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Noklikšķinot uz sirds ikonas kas ir uz vāka, filma vai Seriāls tiks pievienots jūsu izlasei. Šī kolekcija ir sasniedzama,izmantojot sirds formas ikonu navigācijas joslā. Lai noņemtu vienumu no kolekcijas, vienkārši vēlreiz noklikšķiniet uz ikonas! Cik tas ir vienkārši?", + "Watched icon": "Skatīts ikona", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "External Players": "Ārējie atskaņotāji", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Lai pielāgotu Popcorn Time vel vairāk mēs piedāvājam jums plašu opciju paneli. Lai piekļūtu iestatījumiem navigācijas joslā noklikšķiniet uz zobrata formas ikonas.", + "Keyboard Navigation": "Klaviatūras navigācija", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Viss tastatūras īsinājumtaustiņu saraksts ir pieejams, nospiežot '?' uz tastatūras vai izmantojot tastatūras formas ikonu cilnē Iestatījumi.", + "Custom Torrents and Magnet Links": "Pielāgotas Torrentu un Magnet saites", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "Torrent health": "Torrenta veselība", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", - "How does Butter work?": "How does Butter work?", - "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", - "I found a bug, how do I report it?": "I found a bug, how do I report it?", - "No historics found...": "No historics found...", - "Error, database is probably corrupted. Try flushing the history in settings.": "Error, database is probably corrupted. Try flushing the history in settings.", - "You can paste magnet links anywhere in Butter with CTRL+V.": "You can paste magnet links anywhere in Butter with CTRL+V.", - "You can drag & drop a .torrent file into Butter.": "You can drag & drop a .torrent file into Butter.", - "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.": "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.", - "The rule n°10 applies here.": "The rule n°10 applies here.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "I found a bug, how do I report it?": "Es atradu kļūdu, kā man par to paziņot ?", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", - "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.": "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.", - "If you search \"1998\", you can see all the movies or TV series that came out that year.": "If you search \"1998\", you can see all the movies or TV series that came out that year.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", - "Clicking twice on a \"Sort By\" filter reverses the order of the list.": "Clicking twice on a \"Sort By\" filter reverses the order of the list.", - "Switch to next tab": "Switch to next tab", - "Switch to previous tab": "Switch to previous tab", + "Switch to next tab": "Pariet uz nākamo cilni", + "Switch to previous tab": "Pariet uz iepriekšējo cilni", "Switch to corresponding tab": "Switch to corresponding tab", - "through": "through", - "Enlarge Covers": "Enlarge Covers", - "Reduce Covers": "Reduce Covers", - "Open the Help Section": "Open the Help Section", - "Open Item Details": "Open Item Details", - "Add Item to Favorites": "Add Item to Favorites", - "Mark as Seen": "Mark as Seen", - "Open this screen": "Open this screen", - "Open Settings": "Open Settings", + "through": "cauri", + "Enlarge Covers": "Palielināt vākus", + "Reduce Covers": "Samazināt vākus", + "Open Item Details": "Atvērt filmu/seriālu informāciju", + "Add Item to Favorites": "Pievienot pie grāmatzīmēm", + "Mark as Seen": "Atzīmēt kā noskatīto", + "Open this screen": "Atvērt šo ekrānu", + "Open Settings": "Atvērt iestatījumus", "Posters Size": "Posters Size", "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.", "Last Open": "Last Open", "Exporting Database...": "Exporting Database...", - "Database Successfully Exported": "Database Successfully Exported", - "Display": "Display", + "Database Successfully Exported": "Datubāze veiksmīgi eksportēta", + "Display": "Displejs", "TV": "TV", - "Type": "Type", - "popularity": "popularity", - "date": "date", - "year": "year", - "rating": "rating", - "updated": "updated", - "name": "name", + "Type": "Veids", + "popularity": "popularitāte", + "date": "datums", + "year": "gads", + "rating": "reitings", + "updated": "atjaunots", + "name": "vārds", "OVA": "OVA", "ONA": "ONA", - "No anime found...": "No anime found...", - "Movie": "Movie", - "Special": "Special", - "No Watchlist found...": "No Watchlist found...", - "Watchlist": "Watchlist", + "Movie": "Filma", + "Special": "Speciāls", + "Watchlist": "Saraksts", "Resolving..": "Resolving..", - "About": "About", + "About": "Par", "Open Cache Directory": "Open Cache Directory", "Open Database Directory": "Open Database Directory", - "Mark as unseen": "Mark as unseen", + "Mark as unseen": "Atzīmēt kā neredzētu", "Playback rate": "Playback rate", "Increase playback rate by %s": "Increase playback rate by %s", "Decrease playback rate by %s": "Decrease playback rate by %s", "Set playback rate to %s": "Set playback rate to %s", "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", - "Color": "Color", - "With Shadows": "With Shadows", + "Color": "Krāsa", "Local IP Address": "Local IP Address", - "Japan": "Japan", - "Cars": "Cars", + "Japan": "Japāna", + "Cars": "Mašīnas", "Dementia": "Dementia", - "Demons": "Demons", + "Demons": "Demoni", "Ecchi": "Ecchi", - "Game": "Game", + "Game": "Spēle", "Harem": "Harem", - "Historical": "Historical", + "Historical": "Vēsturisks", "Josei": "Josei", - "Kids": "Kids", - "Magic": "Magic", + "Kids": "Bērnu", + "Magic": "Maģisks", "Martial Arts": "Martial Arts", "Mecha": "Mecha", "Military": "Military", - "Parody": "Parody", - "Police": "Police", + "Parody": "Parodija", + "Police": "Policija", "Psychological": "Psychological", "Samurai": "Samurai", - "School": "School", + "School": "Skola", "Seinen": "Seinen", "Shoujo": "Shoujo", "Shoujo Ai": "Shoujo Ai", "Shounen": "Shounen", "Shounen Ai": "Shounen Ai", - "Slice Of Life": "Slice Of Life", "Slice of Life": "Slice of Life", - "Space": "Space", + "Space": "Kosmoss", "Sports": "Sports", "Super Power": "Super Power", "Supernatural": "Supernatural", - "Vampire": "Vampire", - "Alphabet": "Alphabet", - "Automatically Sync on Start": "Automatically Sync on Start", - "Setup VPN": "Setup VPN", + "Vampire": "Vampīri", "VPN": "VPN", - "Install VPN Client": "Install VPN Client", - "More Details": "More Details", - "Don't show me this VPN option anymore": "Don't show me this VPN option anymore", - "Activate automatic updating": "Activate automatic updating", - "We are installing VPN client": "We are installing VPN client", - "VPN Client Installed": "VPN Client Installed", - "Please wait...": "Please wait...", - "VPN.ht client is installed": "VPN.ht client is installed", - "Install again": "Install again", - "Connect": "Connect", - "Create Account": "Create Account", - "Please, allow ~ 1 minute": "Please, allow ~ 1 minute", - "Status: Connecting to VPN...": "Status: Connecting to VPN...", - "Status: Monitoring connexion - ": "Status: Monitoring connexion -", - "Connect VPN": "Connect VPN", - "Disconnect VPN": "Disconnect VPN", + "Connect": "Pieslēgties", + "Create Account": "Izveidot profilu", "Celebrate various events": "Celebrate various events", - "ATTENTION! We need admin access to run this command.": "ATTENTION! We need admin access to run this command.", - "Your password is not saved": "Your password is not saved", - "Enter sudo password :": "Enter sudo password :", - "Status: Monitoring connection": "Status: Monitoring connection", - "Status: Connected": "Status: Connected", - "Secure connection": "Secure connection", - "Your IP:": "Your IP:", - "Disconnect": "Disconnect", - "Downloaded": "Downloaded", + "Disconnect": "Atslēgties", + "Downloaded": "Lejuplādēts", "Loading stuck ? Click here !": "Loading stuck ? Click here !", - "Torrent Collection": "Torrent Collection", - "Drop Magnet or .torrent": "Drop Magnet or .torrent", + "Torrent Collection": "Torrentu kolecija", "Remove this torrent": "Remove this torrent", "Rename this torrent": "Rename this torrent", - "Flush entire collection": "Flush entire collection", "Open Collection Directory": "Open Collection Directory", "Store this torrent": "Store this torrent", "Enter new name": "Enter new name", "This name is already taken": "This name is already taken", "Always start playing in fullscreen": "Always start playing in fullscreen", - "Allow torrents to be stored for further use": "Allow torrents to be stored for further use", - "Hide VPN from the filter bar": "Hide VPN from the filter bar", "Magnet link": "Magnet link", "Error resolving torrent.": "Error resolving torrent.", "%s hour(s) remaining": "%s hour(s) remaining", @@ -412,9 +322,6 @@ "Set player window to half of video resolution": "Set player window to half of video resolution", "Retry": "Retry", "Import a Torrent": "Import a Torrent", - "The remote movies API failed to respond, please check %s and try again later": "The remote movies API failed to respond, please check %s and try again later", - "The remote shows API failed to respond, please check %s and try again later": "The remote shows API failed to respond, please check %s and try again later", - "The remote anime API failed to respond, please check %s and try again later": "The remote anime API failed to respond, please check %s and try again later", "Not Seen": "Not Seen", "Seen": "Seen", "Title": "Title", @@ -426,73 +333,215 @@ "Opaque Background": "Opaque Background", "No thank you": "No thank you", "Report an issue": "Report an issue", - "Log in into your GitLab account": "Log in into your GitLab account", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Report anonymously", - "Note regarding anonymous reports:": "Note regarding anonymous reports:", - "You will not be able to edit or delete your report once sent.": "You will not be able to edit or delete your report once sent.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "If any additionnal information is required, the report might be closed, as you won't be able to provide them.", - "Step 1: Please look if the issue was already reported": "Step 1: Please look if the issue was already reported", - "Enter keywords": "Enter keywords", - "Already reported": "Already reported", - "I want to report a new issue": "I want to report a new issue", - "Step 2: Report a new issue": "Step 2: Report a new issue", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Note: please don't use this form to contact us. It is limited to bug reports only.", - "The title of the issue": "The title of the issue", - "Description": "Description", - "200 characters minimum": "200 characters minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "A short description of the issue. If suitable, include the steps required to reproduce the bug.", "Submit": "Submit", - "Step 3: Thank you !": "Step 3: Thank you !", - "Your issue has been reported.": "Your issue has been reported.", - "Open in your browser": "Open in your browser", - "No issues found...": "No issues found...", - "First method": "First method", - "Use the in-app reporter": "Use the in-app reporter", - "You can find it later on the About page": "You can find it later on the About page", - "Second method": "Second method", - "You can create an account on our %s repository, and click on %s.": "You can create an account on our %s repository, and click on %s.", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", - "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", - "Search on %s": "Search on %s", - "No results found": "No results found", - "Invalid credentials": "Invalid credentials", - "Open Favorites": "Open Favorites", - "Open About": "Open About", - "Minimize to Tray": "Minimize to Tray", - "Close": "Close", - "Restore": "Restore", - "Resume Playback": "Resume Playback", - "Features": "Features", - "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Big Picture Mode", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", - "Cannot be stored": "Cannot be stored", - "%s reported this torrent as fake": "%s reported this torrent as fake", - "%s could not verify this torrent": "%s could not verify this torrent", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", - "Overall Ratio": "Overall Ratio", - "Translate Synopsis": "Translate Synopsis", - "Returning Series": "Returning Series", - "In Production": "In Production", - "Canceled": "Canceled", + "Warning: Always use English when contacting us, or we might not understand you.": "Brīdinājums: Vienmēr izmanto angļu valodu lai sazinātos ar mums, savādāk mēs varbūt nevarēsim tevi saprast.", + "No results found": "Neko neatradu", + "Open Favorites": "Atvērt Favorītus", + "Open About": "Atvērt info", + "Minimize to Tray": "Samazināt uz stūti", + "Close": "Aizvērt", + "Restore": "Atstatīt", + "Features": "Fīčas", + "Connect To %s": "Savienojies Ar %s", + "Cannot be stored": "Nevar saglabāt", + "Overall Ratio": "Viss reitings", + "Translate Synopsis": "Tulkot kopsavilkumu", "N/A": "N/A", - "%s is not supposed to be run as administrator": "%s is not supposed to be run as administrator", - "Your disk is almost full.": "Your disk is almost full.", - "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", - "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", + "Your disk is almost full.": "Jūsu datu glabāšanas ierīce ir gandrīz pilna.", + "You need to make more space available on your disk by deleting files.": "Dzēsiet failus lai atbrīvotu nepieciešamo vietu uz datu diska.", + "Playing Next": "Atskaņot nākamo", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait..." + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Meklē iekš %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Lejuplādēju...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Meklēšanas rezultāti", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Oriģināls", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Nezināms", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Gaišums", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Pārbaudi atjauninājumu", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/mk.json b/src/app/language/mk.json index 65a9241693..ddbecbbe32 100644 --- a/src/app/language/mk.json +++ b/src/app/language/mk.json @@ -44,7 +44,6 @@ "Load More": "Вчитај повеќе", "Saved": "Зачувано", "Settings": "Опции", - "Show advanced settings": "Прикажи напредни опции", "User Interface": "Кориснички подесувања", "Default Language": "Стандарден јазик", "Theme": "Тема", @@ -61,10 +60,7 @@ "Disabled": "Оневозможено", "Size": "Големина", "Quality": "Квалитет", - "Only list movies in": "Само листа на филмови во", - "Show movie quality on list": "Прикажи квалитет на снимката во листа", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Корисничко име", "Password": "Лозинка", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API корисничко име", "HTTP API Password": "HTTP API лозинка", "Connection": "Конекција", - "TV Show API Endpoint": "API крајна точка до ТВ шоу", "Connection Limit": "Лимит на конекција", "DHT Limit": "DHT лимит", "Port to stream on": "Порта за движење кон", "0 = Random": "0 = Било кој", "Cache Directory": "Фолдер за зачувани податоци", - "Clear Tmp Folder after closing app?": "Исчисти Tmp фолдер по затворање на апликацијата?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "База со податоци", "Database Directory": "Фолдер за база со податоци", "Import Database": "Внеси база со податоци", "Export Database": "Изнеси база со податоци", "Flush bookmarks database": "Испушти база со податоци од обележувачи", - "Flush subtitles cache": "Испушти зачувани преводи", "Flush all databases": "Испушти ги сите бази со податоци", "Reset to Default Settings": "Ресетирај во стандардни опции", "Importing Database...": "Внесувам база со податоци...", @@ -131,8 +125,8 @@ "Ended": "Завршено", "Error loading data, try again later...": "Грешка при вчитување, обидете се подоцна...", "Miscellaneous": "Разно", - "First Unwatched Episode": "Прва не гледана епизода", - "Next Episode In Series": "Следна епизода од серијата", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Испуштање...", "Are you sure?": "Дали сте сигурни?", "We are flushing your databases": "Ги испуштаме сите бази со податоци", @@ -142,7 +136,7 @@ "Terms of Service": "Услови за користење", "I Accept": "Прифаќам", "Leave": "Напуштам", - "When Opening TV Series Detail Jump To": "Кога се отвораат детали за ТВ шоу, скокни до:", + "Series detail opens to": "Series detail opens to", "Playback": "Пушти повторно", "Play next episode automatically": "Пушти следна епизода автоматски", "Generate Pairing QR code": "Генерирај QR код за поврзување", @@ -152,23 +146,17 @@ "Seconds": "Секунди", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Исклучи го акаунтот", - "Sync With Trakt": "Синхронизирај со Trakt", "Syncing...": "Синхронизирање...", "Done": "Завршено", "Subtitles Offset": "Преместување преводи", "secs": "секунди", "We are flushing your database": "Ја испуштам Вашата базата со податоци", "Ratio": "Сооднос", - "Advanced Settings": "Напредни опции", - "Tmp Folder": "Tmp фолдер", - "URL of this stream was copied to the clipboard": "URL-то на овој приказ е ископиран во меморија", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Грешка, податочната базата веројатно е корумпирана. Обидете се со бришење на обележувањата во нагодувањата.", "Flushing bookmarks...": "Бришење на обележувањата...", "Resetting...": "Се ресетира...", "We are resetting the settings": "Ги ресетираме опциите", "Installed": "Инсталирано", - "We are flushing your subtitle cache": "Ги испуштам зачуваните преводи", - "Subtitle cache deleted": "Зачуваните преводи се избришани", "Please select a file to play": "Одберете фајл за пуштање", "Global shortcuts": "Глобални кратенки", "Video Player": "Видео плеер", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Излези од цел екран", "Seek Backward": "Оди наназад", "Decrease Volume": "Намали звук", - "Show Stream URL": "Покажи URL од стримот", "TV Show Detail": "Детали за ТВ шоу", "Toggle Watched": "Намести Гледано", "Select Next Episode": "Одбери следна епизода", @@ -309,10 +296,7 @@ "Super Power": "Супер моќи", "Supernatural": "Натприродно", "Vampire": "Вампирски", - "Automatically Sync on Start": "Автоматски синхронизирај при старт", "VPN": "VPN", - "Activate automatic updating": "Активирај автоматско надградување", - "Please wait...": "Ве молиме почекајте...", "Connect": "Поврзи", "Create Account": "Создади корисничка сметка", "Celebrate various events": "Славење разни настани", @@ -320,10 +304,8 @@ "Downloaded": "Превземено", "Loading stuck ? Click here !": "Заглавено вчитување ? Притиснете тука !", "Torrent Collection": "Колекција на Торент", - "Drop Magnet or .torrent": "Внеси Magnet или .torrent", "Remove this torrent": "Отстрани го овој торент", "Rename this torrent": "Преименувај го овој торент", - "Flush entire collection": "Избриши ја целата колекција", "Open Collection Directory": "Отвори го директориумот на колекцијата", "Store this torrent": "Складирај го овој торент", "Enter new name": "Внесете ново име", @@ -352,101 +334,214 @@ "No thank you": "Не, благодарам", "Report an issue": "Пријави грешка", "Email": "Email", - "Log in": "Логирај се", - "Report anonymously": "Пријави анонимно", - "Note regarding anonymous reports:": "Забелешка за анонимните пријави:", - "You will not be able to edit or delete your report once sent.": "Еднаш штом пријавата е испратена, таа нема да може да се измени.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Пријавата ќе виде затворена, доколку се потребни дополнителни информации, нема да бидете во можност да ги доставите.", - "Step 1: Please look if the issue was already reported": "Чекор 1: Провери дали проблемот е веќе пријавен", - "Enter keywords": "Внеси клучни зборови", - "Already reported": "Веќе пријавено", - "I want to report a new issue": "Сакам да пријавам нова грешка", - "Step 2: Report a new issue": "Чекор 2: Пријави нова грешка", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Забелешка: Ве молиме да не ја употребувате оваа форма за да нè контактирате. Таа е наменета исклучиво за пријава на грешки.", - "The title of the issue": "Наслов на проблемот", - "Description": "Опис", - "200 characters minimum": "минимум 200 карактери", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Краток опис на проблемот. Доколку можно, вклучи ги чекорите потребни за повторување на проблемот", "Submit": "Поднеси", - "Step 3: Thank you !": "Чекор 3: Благодариме !", - "Your issue has been reported.": "Проблемот е пријавен", - "Open in your browser": "Отвори во прелистувач", - "No issues found...": "Не се најдени проблеми...", - "First method": "Прва метода", - "Use the in-app reporter": "Употреби го дојавникот за проблеми вграден во апликацијата", - "You can find it later on the About page": "Може подоцна да се најде на страницата За", - "Second method": "Втор метод", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Употребете го %s филтерот за проблеми за пребарување и проверка за да се уверите дали проблемот претходно бил пријавен или решен.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Додадете скриншот доколку има потреба за тоа - Дали вашиот проблем се однесува на карактеристика во дизајнот или грешка во кодот?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Добрата дојава/пријава на грешка во кодот треба да ја сведе на минимум или елиминира потребата за дополнителни информации. Обезбедете максимум детали за околината во којашто работи апликацијата.", "Warning: Always use English when contacting us, or we might not understand you.": "Внимание: При Вашето обраќање до нас секогаш употребувајте англиски јазик, во спротивно може да се случи да не го разбереме вашето барање.", - "Search for torrent": "Search for torrent", "No results found": "No results found", - "Invalid credentials": "Invalid credentials", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimize to Tray", "Close": "Затвори", "Restore": "Restore", - "Resume Playback": "Продолжи со репродукција", "Features": "Можности", "Connect To %s": "Поврзи се со %s", - "The magnet link was copied to the clipboard": "magnet линкот е запомнет", - "Big Picture Mode": "Режим со големи слики", - "Big Picture Mode is unavailable on your current screen resolution": "Режимот со големи слики не е возможен на моменталната резолуција", "Cannot be stored": "Не може да се стави", - "%s reported this torrent as fake": "%s пријавено како лажен торент", - "Randomize": "Измешано", - "Randomize Button for Movies": "Копче за Измешани Филмови", "Overall Ratio": "Вкупниот сооднос", "Translate Synopsis": "Преведете Синопсис", "N/A": "Не достапно", "Your disk is almost full.": "Меморијата на вашиот диск е уште малце полн", "You need to make more space available on your disk by deleting files.": "Морате да на направите место на вашиот диск со бришење на фајлови", "Playing Next": "Пуштам Следно", - "Trending": "Популарно", - "Remember Filters": "Запамти Филтри", - "Automatic Subtitle Uploading": "Аплоудирање На Превод Автомацќи", "See-through Background": "Проѕирна Позадина", "Bold": "Подебели", "Currently watching": "Моментално Се Гледа", "No, it's not that": "Не,не е тоа ", "Correct": "Точно", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Локал", "Try another subtitle or drop one in the player": "Пробај друг превод или стави друг во медиа плејарот", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Конвертирање на превод не успешно", "No subtitles found": "Преводот не е пронајден", "Try again later or drop a subtitle in the player": "Пробај пак или стави друг превод во медија плејарот", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Search on %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Не успешно читање на времето на превод,фајлот изглеа е оштетен", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Превземам", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Оригинален приказ", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Светлост", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Провери за надградби", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ml.json b/src/app/language/ml.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/ml.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/ms.json b/src/app/language/ms.json index 2496207d06..b9cf8f6acc 100644 --- a/src/app/language/ms.json +++ b/src/app/language/ms.json @@ -1,9 +1,9 @@ { "External Player": "Pemain Luar", "Made with": "Diperbuat dengan", - "by a bunch of geeks from All Around The World": "sekumpulan gek dari Seluruh Dunia", - "Initializing %s. Please Wait...": "Mengawalkan %s. Tunggu Sebentar...", - "Movies": "Cereka", + "by a bunch of geeks from All Around The World": "sekumpulan geek dari Seluruh Dunia", + "Initializing %s. Please Wait...": "Memulakan %s. Tunggu Sebentar...", + "Movies": "Filem", "TV Series": "Siri TV", "Anime": "Anime", "Genre": "Genre", @@ -34,7 +34,7 @@ "Thriller": "Triller", "Western": "Barat", "Sort by": "Isih mengikut", - "Updated": "Dikemaskini", + "Updated": "Dikemas kini", "Year": "Tahun", "Name": "Nama", "Search": "Gelintar", @@ -44,8 +44,7 @@ "Load More": "Muat Lagi", "Saved": "Disimpan", "Settings": "Tetapan", - "Show advanced settings": "Tunjuk tetapan lanjutan", - "User Interface": "Antaramuka Pengguna", + "User Interface": "Antara Muka Pengguna", "Default Language": "Bahasa Lalai", "Theme": "Tema", "Start Screen": "Skrin Mula", @@ -56,15 +55,12 @@ "Show": "Tunjuk", "Fade": "Resap", "Hide": "Sembunyi", - "Subtitles": "Sarikata", - "Default Subtitle": "Sarikata Lalai", + "Subtitles": "Sari Kata", + "Default Subtitle": "Sari Kata Lalai", "Disabled": "Dilumpuhkan", "Size": "Saiz", "Quality": "Kualiti", - "Only list movies in": "Hanya senarai cereka dalam", - "Show movie quality on list": "Tunjuk kualiti cereka dalam senarai", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Sambung ke %s untuk 'scrobble' secara automatik episod yang anda tonton dalam %s", "Username": "Nama Pengguna", "Password": "Kata Laluan", "%s stores an encrypted hash of your password in your local database": " %s menyimpan satu cincangan tersulit kata laluan anda di dalam pangkalan data setempat anda", @@ -73,19 +69,17 @@ "HTTP API Username": "Nama Pengguna API HTTP", "HTTP API Password": "Kata Laluan API HTTP", "Connection": "Sambungan", - "TV Show API Endpoint": "Takat Akhir API Rancangan TV", "Connection Limit": "Had Sambungan", "DHT Limit": "Had DHT", "Port to stream on": "Port distrimkan", "0 = Random": "0 = Rawak", "Cache Directory": "Direktori Cache", - "Clear Tmp Folder after closing app?": "Kosongkan Folder Tmp selepas menutup apl?", + "Clear Cache Folder after closing the app?": "Kosongkan Folder Cache selepas menutup apl?", "Database": "Pangkalan Data", "Database Directory": "Direktori Pangkalan Data", "Import Database": "Import Pangkalan Data", "Export Database": "Eksport Pangkalan Data", "Flush bookmarks database": "Kosongkan pangkalan data tanda buku", - "Flush subtitles cache": "Kosongkan cache sarikata", "Flush all databases": "Kosongkan semua pangkalan data", "Reset to Default Settings": "Tetap Semula ke Tetapan Lalai", "Importing Database...": "Mengimport Pangkalan Data...", @@ -110,8 +104,8 @@ "Peers:": "Rakan:", "Remove from bookmarks": "Buang dari tanda buku", "Changelog": "Log&nbsp;Perubahan", - "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s merupakan hasil usaha ramai pembangun dan pereka yang menggabungkan sejumlah API untuk memastikan pengalaman tontonan cereka torrent menjadi lebih mudah dan ringkas.", - "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Kami merupakan projek sumber terbuka. Kami berasal dari seluruh dunia. Kami menyukai cereka. Dan semestinya, kami menyukai popcorn.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s merupakan hasil usaha ramai pembangun dan pereka yang menggabungkan sejumlah API untuk memastikan pengalaman tontonan filem torrent menjadi lebih mudah dan ringkas.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Kami merupakan projek sumber terbuka. Kami berasal dari seluruh dunia. Kami menyukai filem. Dan semestinya, kami juga menyukai popcorn atau bertih jagung.", "Health Unknown": "Hayat Tidak diketahui", "Episodes": "Episod", "Episode %s": "Episod %s", @@ -131,8 +125,8 @@ "Ended": "Tamat", "Error loading data, try again later...": "Ralat memuatkan data, cuba lagi kemudian...", "Miscellaneous": "Pelbagai", - "First Unwatched Episode": "Episod Belum Tonton Pertama", - "Next Episode In Series": "Episod Berikutnya Dalam Siri", + "First unwatched episode": "First unwatched episode", + "Next episode": "Episod berikutnya", "Flushing...": "Membersihkan...", "Are you sure?": "Anda pasti?", "We are flushing your databases": "Kami akan mengosongkan pangkalan data anda", @@ -142,33 +136,27 @@ "Terms of Service": "Terma Perkhidmatan", "I Accept": "Saya Terima", "Leave": "Keluar", - "When Opening TV Series Detail Jump To": "Bila Membuka Perincian Siri TV Lompat Ke", + "Series detail opens to": "Perincian siri dibuka ke", "Playback": "Mainbalik", "Play next episode automatically": "Main episod berikutnya secara automatik", "Generate Pairing QR code": "Jana kod QR Perpasangan", "Play": "Main", - "waitingForSubtitles": "Menunggu Sarikata", + "waitingForSubtitles": "Menunggu Sari Kata", "Play Now": "Main Sekarang", "Seconds": "Saat", "You are currently connected to %s": "Anda kini bersambung dengan %s", "Disconnect account": "Putuskan akaun", - "Sync With Trakt": "Segerak Dengan Trakt", "Syncing...": "Menyegerak...", "Done": "Selesai", - "Subtitles Offset": "Ofset Sarikata", + "Subtitles Offset": "Ofset Sari Kata", "secs": "saat", "We are flushing your database": "Kami sedang mengosongkan pangkalan data anda", "Ratio": "Nisbah", - "Advanced Settings": "Tetapan Lanjutan", - "Tmp Folder": "Folder Tmp", - "URL of this stream was copied to the clipboard": "URL strim ini telah disalin dalam papan keratan", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Ralat, pangkalan data berkemungkinan rosak. Cuba kosongkan tanda buku di dalam tetapan.", "Flushing bookmarks...": "Membersihkan tanda buku...", "Resetting...": "Menetap Semula...", "We are resetting the settings": "Kami sedang menetap semula tetapan", "Installed": "Dipasang", - "We are flushing your subtitle cache": "Kami sedang membersihkan cache sarikata anda", - "Subtitle cache deleted": "Cache sarikata dipadam", "Please select a file to play": "Sila pilih satu fail untuk dimainkan", "Global shortcuts": "Pintasan sejagat", "Video Player": "Pemain Video", @@ -177,15 +165,14 @@ "Seek Forward": "Jangkau Maju", "Increase Volume": "Tingkatkan Volum", "Set Volume to": "Tetapkan Volum ke", - "Offset Subtitles by": "Ofset Sarikata oleh", + "Offset Subtitles by": "Ofset Sari Kata oleh", "Toggle Mute": "Togol Senyap", - "Movie Detail": "Perincian Cereka", + "Movie Detail": "Perincian Filem", "Toggle Quality": "Togol Kualiti", - "Play Movie": "Main Cereka", + "Play Movie": "Main Filem", "Exit Fullscreen": "Keluar Dari Skrin Penuh", "Seek Backward": "Jangkau Undur", "Decrease Volume": "Rendahkan Volum", - "Show Stream URL": "Tunjuk URL Strim", "TV Show Detail": "Perincian Rancangan TV", "Toggle Watched": "Togol Ditonton", "Select Next Episode": "Pilih Episod Berikutnya", @@ -205,16 +192,16 @@ "Help Section": "Seksyen Bantuan", "Did you know?": "Tahukah anda?", "What does %s offer?": "Apa yang %s tawarkan?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Dengan %s, anda boleh menonton Cereka dan Rancangan TV dengan sangat mudah. Apa yang diperlukan ialah klik salah satu muka hadapan, kemudian klik 'Tonton Sekarang'. Namun begitu pengalaman anda boleh diubah suai:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Koleksi Cereka kami hanya mengandungi cereka-cereka Berdefinasi-Tinggi, tersedia dalam 720p dan 1080p. Untuk menonton sebuah cereka, hanya buka %s dan navigasi koleksi cereka, boleh dicapai dalam tab 'Cereka', pada palang navigasi. Pandangan lalai akan menunjukkan semua cereka yang diisih mengikut populariti. tetapi anda boleh buat tapisan anda sendiri, iaitu penapis 'Genre' dan 'Isih'. Setelah anda memilih satu cereka yang mahu ditonton, klik pada muka hadapannya. Kemudian, klik 'Tonton Sekarang'. Jangan lupa bertih jagung ketika menonton!", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Dengan %s, anda boleh menonton Filem dan Rancangan TV dengan sangat mudah. Apa yang diperlukan ialah klik salah satu muka hadapan, kemudian klik 'Tonton Sekarang'. Namun begitu pengalaman anda boleh diubah suai:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Koleksi Filem kami hanya mengandungi filem-filem Berdefinasi-Tinggi, tersedia dalam 720p dan 1080p. Untuk menonton sebuah filem, hanya buka %s dan navigasi koleksi filem, boleh dicapai dalam tab 'Filem', pada palang navigasi. Pandangan lalai akan menunjukkan semua cereka yang diisih mengikut populariti. tetapi anda boleh buat tapisan anda sendiri, iaitu penapis 'Genre' dan 'Isih'. Setelah anda memilih satu filem yang mahu ditonton, klik pada muka hadapannya. Kemudian, klik 'Tonton Sekarang'. Jangan lupa bertih jagung ketika menonton!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Tab Siri TV, anda boleh capai dengan mengklik 'Siri TV' di dalam palang navigasi, yang mana akan tunjukkan semua siri yang ada di dalam koleksi kami. Sepertimana tab cereka, anda juga boleh laksanakan penapis anda sendiri, untuk membantu anda mencari Siri TV yang dikehendaki. Di dalam koleks ini, klik pada muka hadapan Siri TV tersebut: satu tetingkap baharu akan muncul dan membolehkan anda menavigasi melalui Musim dan Episod. Apabila anda telah menemui episod yang dikehendaki, hanya klik pada butang 'Tonton Sekarang'.", "Choose quality": "Pilih kualiti", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Pelungsur disebelah butang 'Tonton Sekarang' membolehkan anda memilih kualiti strim. Anda boleh tetapkan kualiti secara tetap di dalam tab Tetapan. Amaran: kualiti yang lebih baik memerlukan lebih data untuk dimuat turun.", - "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Kebanyakan Cereka dan Siri TV kami disajikan dengan sarikata dalam bahasa anda. Anda boleh tetapkannya di dalam tab Tetapan. Bagi Cereka, anda juga dapat tetapkannya di dalam menu tarik-turun, iaitu di dalam laman Perincian Cereka.", - "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Mengklik ikon hati pada muka hadapan akan menambah cereka/rancangan ke dalam kegemaran anda. Koleksi ini boleh dicapai menerusi ikon berbentuk-hati, di dalam palang nanvigasi. Untuk membuang itam dari koleksi tersebut, hanya ikon sekali lagi pada ikon tersebut! Ianya sangat mudah?", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Kebanyakan Filem dan Siri TV kami disajikan dengan sari kata dalam bahasa anda. Anda boleh tetapkannya di dalam tab Tetapan. Bagi Filem, anda juga dapat tetapkannya di dalam menu tarik-turun, iaitu di dalam laman Perincian Filem.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Mengklik ikon hati pada muka hadapan akan menambah filem/rancangan ke dalam kegemaran anda. Koleksi ini boleh dicapai menerusi ikon berbentuk-hati, di dalam palang navigasi. Untuk membuang itam dari koleksi tersebut, hanya ikon sekali lagi pada ikon tersebut! Sangat mudah?", "Watched icon": "Ikon ditonton", "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s akan menyimpan rekod tontonan anda - ia tidak memberi apa-apa masalah kepada anda. Anda juga boleh tetapkan satu item sebagai sudah ditonton dengan mengklik ikon berbentuk-mata pada muka hadapan/ Anda juga boleh membina dan menyegerak koleksi anda dengan tapak sesawang Trakt.tv, melalui tab Tetapan.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "Dalam %s, anda boleh guna ikon pembesar untuk membuka medan gelintar. Taip satu Tajuk, seorang Pelakon, seorang Pengarah atau Tahun, kemudian tekan 'Enter' ia akan menunjukkan apa-apa yang menepati kehendak anda. Untuk menutup gelintar semasa, klik pada tanda 'X' yang betada disebelah masukan anda atau taip maklumat lain dalam medan tersebut.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "Dalam %s, anda boleh guna ikon pembesar untuk membuka medan gelintar. Taip satu Tajuk, seorang Pelakon, seorang Pengarah atau Tahun, kemudian tekan 'Enter' ia akan menunjukkan apa-apa yang menepati kehendak anda. Untuk menutup gelintar semasa, klik pada tanda 'X' yang betada di sebelah masukan anda atau taip maklumat lain dalam medan tersebut.", "External Players": "Pemain Luar", "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Jika anda mahu guna pemain suai berbanding yang terbina-dalam, anda boleh membuatnya dengan mengklik ikon yang berada pada butang 'Tonton Sekarang'. Satu senarai pemain terpasang anda akan ditunjukkan, pilih satu dan %s akan menghantar segalanya ke dalam pemain tersebut. Jika pemain anda tiada dalam senarai, sila laporkannya kepada kami.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Untuk membuat penyuaian lanjutan, kami sediakan satu panel pilihan. Pada Tetapan, klik ikon berbentuk-roda dalam palang navigasi.", @@ -223,20 +210,20 @@ "Custom Torrents and Magnet Links": "Torrent dan Pautan Magnet Suai", "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Anda boleh guna torrent dan pautan magnet suai di dalam %s. Hanya seret dan lepas fail .torrent ke dalam tetingkap aplikasi, dan/atau tampal mana-mana pautan magnet.", "Torrent health": "Hayat torrent", - "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "Pada perincian Cereka/Siri TV, anda dapati satu bulatan kecil, sama ada berwarna kelabu, merah, kuning atau hijau. Warna ini mewakili hayat torrent. Torrent berwarna hijau akan dimuat turun dengan pantas, manakala torrent berwarna merah mungkin tidak dapat dimuat turun langsung, atau secara sangat perlahan. Warna kelabu menunjukkan terdapat ralat dalam pengiraan hayat Cereka, dan perlu diklik dalam Siri TV untuk memaparkan hayatnya.", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "Pada perincian Filem/Siri TV, anda dapati ada satu bulatan kecil, sama ada berwarna kelabu, merah, kuning atau hijau. Warna ini mewakili hayat torrent. Torrent berwarna hijau akan dimuat turun dengan pantas, manakala torrent berwarna merah mungkin tidak dapat dimuat turun langsung, atau secara sangat perlahan. Warna kelabu menunjukkan terdapat ralat dalam pengiraan hayat Cereka, dan perlu diklik dalam Siri TV untuk memaparkan hayatnya.", "How does %s work?": "Bagaimana %s berfungsi?", - "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s menstrim kandungan video melalui torrent. Cereka kami disediakan oleh %s dan Siri TV oleh %s, dan semua metadata daripada %s. Kami tidak mengehos apa-apa kandungan tersebut.", - "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Penstriman torrent? yakni torrent menggunakan protokol Bittorrent pada asasnya anda memuat turun sebilangan kecil bahagian kandungan contohnya cereka daripada komputer pengguna lain. Ketika menghantar sebahagian cereka tersebut anda juga memuat naik kepada pengguna lain. Kemudian anda menonton bahagian tersebut, manakala bahagian seterusnya dimuat turun dibalik tabir. Pertukaran ini membolehkan kandungan cereka kekal sihat.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Setelah cereka sepenuhnya dimuat turun, anda boleh terus menghantar sebahagian darinya kepada pengguna lain. Dan segala cereka berkenaan akan dipadam dalam komputer anda seusai anda menutup %s. Mudahkan?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s menstrim kandungan video melalui torrent. Filem kami disediakan oleh %s dan Siri TV oleh %s, dan semua meta data daripada %s. Kami tidak mengehos apa-apa kandungan tersebut.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Penstriman torrent? yakni torrent menggunakan protokol Bittorrent pada asasnya anda memuat turun sebilangan kecil bahagian kandungan contohnya filem daripada komputer pengguna lain. Ketika menghantar sebahagian filem tersebut anda juga memuat naik kepada pengguna lain. Kemudian anda menonton bahagian tersebut, manakala bahagian seterusnya dimuat turun di balik tabir. Pertukaran ini membolehkan kandungan filem kekal sihat.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Setelah filem sepenuhnya dimuat turun, anda boleh terus menghantar sebahagian darinya kepada pengguna lain. Dan segala filem berkenaan akan dipadam dalam komputer anda seusai anda menutup %s. Mudahkan?", "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Aplikasi ini dibina dengan Node-Webkit, HTML, CSS dan Javascript. Ia berfungsi baik dengan pelayar Google Chrome, kecuali anda mengehos sebahagian besar kod dalam komputer anda. Benar, %s berfungsi seperti teknologi yang digunakan dalam tapak sesawang biasa, seperti... ", - "I found a bug, how do I report it?": "Saya menemui pepijar, bagaimana hendak melaporkannya?", + "I found a bug, how do I report it?": "Saya menemui pepijat, bagaimana hendak melaporkannya?", "You can paste magnet links anywhere in %s with CTRL+V.": "Anda boleh menampal pautan-pautan magnet di mana-mana sahaja dalam %s dengan CTRL+V.", "You can drag & drop a .torrent file into %s.": "Anda boleh seret & lepas satu fail .torrent ke dalam %s.", - "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Jika sarikata siri TV tiada, anda boleh menambahnya dalam %s. Dan cara yang serupa dilakukan pada cereka, tetapi dalam %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Jika sarikata siri TV tiada, anda boleh menambahnya dalam %s. Dan cara yang serupa dilakukan pada flem, tetapi dalam %s.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Anda boleh daftar masuk ke Trakt.tv untuk menyimpan semua item ditonton, dan segerakkannya merentasi berbilang peranti.", "Clicking on the rating stars will display a number instead.": "Mengklik pada bintang penarafan akan dipaparkan dalam bentuk nombor.", "This application is entirely written in HTML5, CSS3 and Javascript.": "Aplikasi ini ditulis seluruhnya dalam HTML5, CSS3 dan Skrip Java.", - "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Anda boleh mengetahui lebih lanjut mengenai sesebuah cereka atau TV siri? Hanya klik pada ikon IMDb.", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Anda boleh mengetahui lebih lanjut mengenai sesebuah filem atau siri TV? Hanya klik pada ikon IMDb.", "Switch to next tab": "Tukar ke tab berikutnya", "Switch to previous tab": "Tukar ke tab terdahulu", "Switch to corresponding tab": "Tukar ke tab berkaitan", @@ -249,7 +236,7 @@ "Open this screen": "Buka skrin ini", "Open Settings": "Buka Tetapan", "Posters Size": "Saiz Poster", - "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Fitur ini hanya berfungsi jika anda mempunyai akaun TraktTv yang telah disegerakkan. Sila pergi ke Tetapan dan masukkan kelayakan anda.", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Ciri ini hanya berfungsi jika anda mempunyai akaun TraktTv yang telah disegerakkan. Sila pergi ke Tetapan dan masukkan kelayakan anda.", "Last Open": "Terakhir Buka", "Exporting Database...": "Mengeksport Pangkalan Data...", "Database Successfully Exported": "Pangkalan Data Berjaya Dieksport", @@ -260,7 +247,7 @@ "date": "tarikh", "year": "tahun", "rating": "penarafan", - "updated": "dikemaskini", + "updated": "dikemas kini", "name": "nama", "OVA": "OVA", "ONA": "ONA", @@ -309,10 +296,7 @@ "Super Power": "Adiwira", "Supernatural": "Alam Ghaib", "Vampire": "Pontianak", - "Automatically Sync on Start": "Segerak secara Automatik ketika Mula", "VPN": "VPN", - "Activate automatic updating": "Aktifkan mengemaskini berautomatik", - "Please wait...": "Tunggu sebentar...", "Connect": "Sambung", "Create Account": "Cipta Akaun", "Celebrate various events": "Raikan pelbagai peristiwa", @@ -320,10 +304,8 @@ "Downloaded": "Dimuat turun", "Loading stuck ? Click here !": "Masalah memuatkan ? Klik di sini !", "Torrent Collection": "Koleksi Torrent", - "Drop Magnet or .torrent": "Lepas Magnet atau .torrent", "Remove this torrent": "Buang torrent ini", "Rename this torrent": "Nama semula torrent ini", - "Flush entire collection": "Kosongkan keseluruhan koleksi", "Open Collection Directory": "Buka Direktori Koleksi", "Store this torrent": "Simpan torrent ini", "Enter new name": "Masukkan nama baharu", @@ -331,9 +313,9 @@ "Always start playing in fullscreen": "Sentiasa mula bermain dalam skrin penuh", "Magnet link": "Pautan magnet", "Error resolving torrent.": "Ralat melerai torrent.", - "%s hour(s) remaining": "%s jam(s) berbaki", - "%s minute(s) remaining": "%s minit(s) berbaki", - "%s second(s) remaining": "%s saat(s) berbaki", + "%s hour(s) remaining": "%s jam berbaki", + "%s minute(s) remaining": "%s minit berbaki", + "%s second(s) remaining": "%s saat berbaki", "Unknown time remaining": "Baki masa tidak diketahui", "Set player window to video resolution": "Tetapkan tetingkap pemain mengikut resolusi video", "Set player window to double of video resolution": "Tetapkan tetingkap pemain dua kali ganda resolusi video", @@ -352,101 +334,214 @@ "No thank you": "Tidak terima kasih", "Report an issue": "Laporkan masalah", "Email": "Emel", - "Log in": "Daftar masuk", - "Report anonymously": "Laporkan secara awanama", - "Note regarding anonymous reports:": "Perhatian berkenaan laporan awanama:", - "You will not be able to edit or delete your report once sent.": "Anda tidak dapat sunting atau padam laporan anda bilamana ia telah dihantar.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Jika ada mana-mana maklumat diperlukan, laporan akan ditutup, dan anda tidak dapat menyediakannya.", - "Step 1: Please look if the issue was already reported": "Langkah 1: Sila cari sama ada masalah tersebut sudah dilaporkan", - "Enter keywords": "Masukkan kata kunci", - "Already reported": "Sudah dilaporkan", - "I want to report a new issue": "Saya mahu laporkan masalah baharu", - "Step 2: Report a new issue": "Langkah 2: Laporkan masalah baharu", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Perhatian: jangan guna borang ini untuk menghubungi kami. Ia terhad untuk laporan pepijat sahaja.", - "The title of the issue": "Tajuk masalah", - "Description": "Keterangan", - "200 characters minimum": "200 karakter mininum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Keterangan pendek masalah. Jika sesuai, sertakan langkah diperlukan untuk menghasilkan semula pepijat tersebut.", "Submit": "Serah", - "Step 3: Thank you !": "Langkah 3: Terima kasih !", - "Your issue has been reported.": "Masalah anda telah dilaporkan.", - "Open in your browser": "Buka dalam pelayar anda", - "No issues found...": "Tiada masalah ditemui...", - "First method": "Kaedah pertama", - "Use the in-app reporter": "Guna pelapor dalam-aplikasi", - "You can find it later on the About page": "Anda boleh cari ia kemudian di dalam laman Perihal", - "Second method": "Kaedah kedua", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Guna penapis masalah %s untuk menggelintar dan memeriksa sama ada masalah tersebut sudah dilaporkan atau sudah dibaiki.", - "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Sertakan cekupan skrin jika perlu - Adakah masalah anda berkenaan fitur rekabentuk atau pepijat?", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Sertakan tangkap layar jika perlu - Adakah masalah anda berkenaan ciri reka bentuk atau pepijat?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Laporan pepijat yang baik tidak memerlukan anda lagi untuk mendapatkan maklumat. Pastikan perincian persekitaran anda disertakan.", "Warning: Always use English when contacting us, or we might not understand you.": "Amaran: Guna bahasa Inggeris bila menghubungi kami, jika tidak kami tidak memahaminya.", - "Search for torrent": "Gelintar torrent", "No results found": "Tiada keputusan ditemui", - "Invalid credentials": "Kelayakan tidak sah", "Open Favorites": "Buka Kegemaran", "Open About": "Buka Perihal", "Minimize to Tray": "Minimumkan ke Talam", "Close": "Tutup", "Restore": "Pulih", - "Resume Playback": "Sambung Semula Mainbalik", - "Features": "Fitur", + "Features": "Ciri-ciri", "Connect To %s": "Sambung Ke %s", - "The magnet link was copied to the clipboard": "Pautan magnet telah disalin dalam papan keratan", - "Big Picture Mode": "Mod Gambar Besar", - "Big Picture Mode is unavailable on your current screen resolution": "Mod Gambar Besar tidak tersedia dalam resolusi skrin semasa anda", "Cannot be stored": "Tidak dapat disimpan", - "%s reported this torrent as fake": "%s melaporkan torrent ini adalah palsu", - "Randomize": "Rawak", - "Randomize Button for Movies": "Butang Rawak untuk Cereka", "Overall Ratio": "Nisbah Keseluruhan", "Translate Synopsis": "Terjemah Sinopsis", "N/A": "T/A", "Your disk is almost full.": "Cakera anda hampir penuh.", "You need to make more space available on your disk by deleting files.": "Anda perlukan lagi ruang kosong dalam cakera anda dengan memadam fail.", "Playing Next": "Main Berikutnya", - "Trending": "Trending", - "Remember Filters": "Ingat Penapis", - "Automatic Subtitle Uploading": "Muat Naik Sarikata Berautomatik", "See-through Background": "Latar Belakang Lut-sinar", "Bold": "Tebal", "Currently watching": "Kini ditonton", "No, it's not that": "Tidak, bukan begitu", "Correct": "Betul", - "Indie": "Indie", "Init Database": "Pangkalan Data Init", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Cipta Folder Sementara", "Set System Theme": "Tetapkan Tema Sistem", "Disclaimer": "Penafian", "Series": "Siri", - "Finished": "Selesai", "Event": "Peristiwa", - "action": "aksi", - "war": "perang", "Local": "Setempat", - "Try another subtitle or drop one in the player": "Cuba lain-lain sarikata atau lepaskan satu ke dalam pemain", - "animation": "animasi", - "family": "keluarga", + "Try another subtitle or drop one in the player": "Cuba lain-lain sari kata atau lepaskan satu ke dalam pemain", "show": "rancangan", - "movie": "cereka", + "movie": "filem", "Something went wrong downloading the update": "Ada masalah berlaku ketika memuat turun kemas kini", - "Activate Update seeding": "Aktifkan penyemaian Kemas Kini", - "Disable Anime Tab": "Lumpuhkan Tab Anime", - "Disable Indie Tab": "Lumpuhkan Tab Indie", - "Error converting subtitle": "Ralat menukar sarikata", - "No subtitles found": "Tiada sarikata ditemui", - "Try again later or drop a subtitle in the player": "Cuba lagi kemudian atau lepaskan sarikata ke dalam pemain", + "Error converting subtitle": "Ralat menukar sari kata", + "No subtitles found": "Tiada sari kata ditemui", + "Try again later or drop a subtitle in the player": "Cuba lagi kemudian atau lepaskan sari kata ke dalam pemain", "You should save the content of the old directory, then delete it": "Anda sepatutnya menyimpan kandungan direktori lama, kemudian memadamnya", "Search on %s": "Gelintar %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Anda pasti mahu mengosongkan keseluruhan Koleksi Torrent ?", "Audio Language": "Bahasa Audio", "Subtitle": "Sari Kata", "Code:": "Kod:", - "Error reading subtitle timings, file seems corrupted": "Ralat membaca pemasaan sarikata, fail kelihatan sudah rosak", - "Connection Not Secured": "Sambungan Tidak Selamat", + "Error reading subtitle timings, file seems corrupted": "Ralat membaca pemasaan sari kata, fail ini nampaknya sudah rosak", "Open File to Import": "Buka Fail untuk Diimport", - "Browse Directoy to save to": "Layar Direktori untuk disimpankan", + "Browse Directory to save to": "Layar Direktori untuk disimpankan", "Cancel and use VPN": "Batal dan guna VPN", - "Continue seeding torrents after restart app?": "Terus menyemai torrent selepas memulakan semula apl?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Sambung semula penyemaian setelah memulakan semula apl?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Nama fail", + "Stream Url": "Url strim", + "Show playback controls": "Tunjuk kawalan mainbalik", + "Downloading": "Memuat turun", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Keputusan Gelintar", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Asal", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Tidak diketahui", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ya", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Kecerahan", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Periksa kemaskini", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/nb.json b/src/app/language/nb.json index 396f412918..6cf6fb8805 100644 --- a/src/app/language/nb.json +++ b/src/app/language/nb.json @@ -44,7 +44,6 @@ "Load More": "Last inn flere", "Saved": "Lagret", "Settings": "Innstillinger", - "Show advanced settings": "Vis avanserte innstillinger", "User Interface": "Brukergrensesnitt", "Default Language": "Standard språk", "Theme": "Utseende", @@ -61,10 +60,7 @@ "Disabled": "Slått av", "Size": "Størrelse", "Quality": "Kvalitet", - "Only list movies in": "Vis kun filmer i", - "Show movie quality on list": "Vis filmkvalitet i listen", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Koble til %s for å automatisk 'scrobble' episoder du ser i %s", "Username": "Brukernavn", "Password": "Passord", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API brukernavn", "HTTP API Password": "HTTP API passord", "Connection": "Tilkobling", - "TV Show API Endpoint": "TV-serie API Endpoint", "Connection Limit": "Tilkoblingsbegrensing", "DHT Limit": "DHT-begrensing", "Port to stream on": "Port det skal streames til", "0 = Random": "0 = Tilfeldig", "Cache Directory": "Cache Mappe", - "Clear Tmp Folder after closing app?": "Slett den midlertidige mappen når applikasjonen avsluttes?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Database", "Database Directory": "Database Mappe", "Import Database": "Importér databasen", "Export Database": "Eksportér databasen", "Flush bookmarks database": "Slett bokmerker", - "Flush subtitles cache": "Slett underteksts cache", "Flush all databases": "Slett alle data", "Reset to Default Settings": "Gå tilbake til standardoppsett", "Importing Database...": "Importerer databasen...", @@ -131,8 +125,8 @@ "Ended": "Avsluttet", "Error loading data, try again later...": "Feil ved innlasting av data, prøv igjen senere...", "Miscellaneous": "Ymse", - "First Unwatched Episode": "Første usette episode", - "Next Episode In Series": "Neste episode i serien", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Tømmer...", "Are you sure?": "Er du sikker?", "We are flushing your databases": "Vi tømmer databasene dine", @@ -142,7 +136,7 @@ "Terms of Service": "Tjenestevilkår", "I Accept": "Jeg aksepterer", "Leave": "Tilbake", - "When Opening TV Series Detail Jump To": "Ved åpning av detaljer for TV-serier, hopp til", + "Series detail opens to": "Series detail opens to", "Playback": "Avspilling", "Play next episode automatically": "Spill av neste episode automatisk", "Generate Pairing QR code": "Generer QR-parringskode", @@ -152,23 +146,17 @@ "Seconds": "sekunder", "You are currently connected to %s": "Du er koblet til %s", "Disconnect account": "Koble fra konto", - "Sync With Trakt": "Synkronisér med Trakt.tv", "Syncing...": "Synkroniserer...", "Done": "Ferdig", "Subtitles Offset": "Tidsjustering av undertekster", "secs": "sek", "We are flushing your database": "Vi tømmer din database", "Ratio": "Forhold", - "Advanced Settings": "Avanserte innstillinger", - "Tmp Folder": "Midlertidig mappe", - "URL of this stream was copied to the clipboard": "URL-en til denne streamen ble kopiert til utklippstavlen", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Feil, databasen er antagelig korrupt. Gå til innstillinger og prøv å slette bokmerkene dine!", "Flushing bookmarks...": "Sletter bokmerker...", "Resetting...": "Tilbakestiller...", "We are resetting the settings": "Vi tilbakestiller innstillingene", "Installed": "Installert", - "We are flushing your subtitle cache": "Sletter undertekts cache", - "Subtitle cache deleted": "Undertekst-cache slettet", "Please select a file to play": "Velg en fil å spille av", "Global shortcuts": "Globale snarveier", "Video Player": "Videospiller", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Gå ut av fullskjermsmodus", "Seek Backward": "Spol tilbake", "Decrease Volume": "Demp lydnivå", - "Show Stream URL": "Vis nettadressen til streamen", "TV Show Detail": "Detaljer om TV-programmet", "Toggle Watched": "Merk som sett", "Select Next Episode": "Velg neste episode", @@ -309,10 +296,7 @@ "Super Power": "Superkrefter", "Supernatural": "Overnaturlig", "Vampire": "Vampyr", - "Automatically Sync on Start": "Synkronisér automatisk ved oppstart", "VPN": "VPN", - "Activate automatic updating": "Aktiver automatisk oppdatering", - "Please wait...": "Vennligst vent...", "Connect": "Koble til", "Create Account": "Opprett bruker", "Celebrate various events": "Feire spesielle anledninger", @@ -320,10 +304,8 @@ "Downloaded": "Nedlastet", "Loading stuck ? Click here !": "Problemer med lasting? Trykk her!", "Torrent Collection": "Torrentkolleksjon", - "Drop Magnet or .torrent": "Slipp Magnet-link eller .torrent-fil", "Remove this torrent": "Fjern denne torrenten", "Rename this torrent": "Gi denne torrenten nytt navn", - "Flush entire collection": "Tøm hele kolleksjonen", "Open Collection Directory": "Åpne Kolleksjon-Mappen", "Store this torrent": "Lagre denne torrenten", "Enter new name": "Legg inn nytt navn", @@ -352,101 +334,214 @@ "No thank you": "Nei takk", "Report an issue": "Rapporter en feil", "Email": "Epost", - "Log in": "Logg inn", - "Report anonymously": "Rapporter annonymt", - "Note regarding anonymous reports:": "Notat angående annonyme rapporter:", - "You will not be able to edit or delete your report once sent.": "Du vil ikke kunne redigere eller slette raporten din når den er sendt.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Vist mer informasjon er påkrevd kan feilrapporten bli stengt, ettersom du ikke vil ha noen muligheter til og legge dem til i ettertid.", - "Step 1: Please look if the issue was already reported": "Steg 1: Vennligst sjekk om problemet allerede er rapportert", - "Enter keywords": "Legg til nøkkelord", - "Already reported": "Allerede rapportert", - "I want to report a new issue": "Jeg ønsker og rapportere et nytt problem", - "Step 2: Report a new issue": "Steg 2: Rapporter et nytt problem", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Viktig: Ikke bruk denne formen for og kontakte oss. Den er begrenset til feil-rapporter.", - "The title of the issue": "Emne på problemet", - "Description": "Beskrivelse", - "200 characters minimum": "Minimum 200 karakterer", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "En kort beskrivelse av problemet. Vist mulig, inkluder stegene påkrevd for og gjenskape feilen.", "Submit": "Send inn", - "Step 3: Thank you !": "Steg 3: Takk !", - "Your issue has been reported.": "Din feil har blitt rapportert.", - "Open in your browser": "Åpne i nettleser", - "No issues found...": "Ingen feil funnet...", - "First method": "Første metode", - "Use the in-app reporter": "Rapporter i applikasjonen", - "You can find it later on the About page": "Du kan finne det senere på Om oss siden", - "Second method": "Andre metode", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Bruk %s feilsøkings filteret for og sjekke om feilen allerede har blitt rapportert eller reparert.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Inkludert et skjermbilde vist relevant - Angår problemet ditt nytt utseende eller en feil?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "En god feil rapport gjør at andre ikke må jage etter deg for mer informasjon. Vær nøye på og være så detaljert som mulig i dene beskrivelser.", "Warning: Always use English when contacting us, or we might not understand you.": "Advarsel: Alltid bruk Engelsk når du kontakter oss, ellers kan det hende vi ikke forstår deg.", - "Search for torrent": "Søk på torrent", "No results found": "Ingen resultater funnet", - "Invalid credentials": "Ugyldig verifisering", "Open Favorites": "Åpne favoritter", "Open About": "Åpne om", "Minimize to Tray": "Minimer", "Close": "Lukk", "Restore": "Gjenopprett", - "Resume Playback": "Gjenoppta avspilling", "Features": "Funksjoner", "Connect To %s": "Koble til %s", - "The magnet link was copied to the clipboard": "Magnetlenken ble kopiert til utklippstavlen", - "Big Picture Mode": "Storskjermmodus", - "Big Picture Mode is unavailable on your current screen resolution": "Storskjermmodus er ikke mulig med din nåværende skjermoppløsning", "Cannot be stored": "Kan ikke lagres", - "%s reported this torrent as fake": "%s rapporterte denne torrenten som falsk", - "Randomize": "Randomiser", - "Randomize Button for Movies": "Randomiser-knapp for filmer", "Overall Ratio": "Din gjennomsnittlige ratio", "Translate Synopsis": "Oversett synopsis", "N/A": "Ingenting tilgjengelig", "Your disk is almost full.": "Harddisken din er nesten full", "You need to make more space available on your disk by deleting files.": "Du må skaffe mer plass på harddisken din med å slette filer", "Playing Next": "Spiller neste", - "Trending": "Trender", - "Remember Filters": "Husk filtre", - "Automatic Subtitle Uploading": "Automatisk opplasting av undertekst", "See-through Background": "Gjennomsiktig Bakgrunn", "Bold": "Fet skrift", "Currently watching": "Ser på nå", "No, it's not that": "Nei, det er ikke det", "Correct": "Riktig", - "Indie": "Indiefilm", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Lag midlertidig mappe", "Set System Theme": "Velg systemtema", "Disclaimer": "Ansvarsfraskrivelse", "Series": "Serier", - "Finished": "Ferdig", "Event": "hendelse", - "action": "handling", - "war": "krig", "Local": "Lokal", "Try another subtitle or drop one in the player": "Prøv en annen undertekst eller slipp en i spilleren", - "animation": "animasjon", - "family": "familie", "show": "show", "movie": "film", "Something went wrong downloading the update": "Noe gikk galt for nedlastingen av oppdateringen", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Feil ved konvertering av undertekst", "No subtitles found": "Ingen undertekster funnet", "Try again later or drop a subtitle in the player": "Prøv igjen senere eller slipp en undertekst i spilleren", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Søk på %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Er du sikker på at du vil slette hele Torrent-kolleksjonen?", "Audio Language": "Lydspråk", "Subtitle": "Undertekst", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Feil ved lesing av undertekst timing, virker som at filen er ødelagt", - "Connection Not Secured": "Tilkoblingen er ikke sikret", "Open File to Import": "Åpne fil for å importere", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Avbryt og bruk VPN", - "Continue seeding torrents after restart app?": "Fortsette med å seede torrents etter at appen er restartet?", - "Enable VPN": "Aktiver VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Laster ned...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Søkeresultater", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Ukjent", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Ja", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Lysstyrke", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Se etter oppdateringer", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/nl.json b/src/app/language/nl.json index 6f5ea70eda..e8715a03ee 100644 --- a/src/app/language/nl.json +++ b/src/app/language/nl.json @@ -44,7 +44,6 @@ "Load More": "Meer resultaten laden", "Saved": "Opgeslagen", "Settings": "Instellingen", - "Show advanced settings": "Geavanceerde instellingen tonen", "User Interface": "Gebruikersinterface", "Default Language": "Standaardtaal", "Theme": "Thema", @@ -61,9 +60,7 @@ "Disabled": "Uitgeschakeld", "Size": "Grootte", "Quality": "Kwaliteit", - "Show movie quality on list": "Filmkwaliteit in lijst tonen", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Verbind met %s om automatisch afleveringen te 'scrobblen' die je bekijkt in %s", "Username": "Gebruikersnaam", "Password": "Wachtwoord", "%s stores an encrypted hash of your password in your local database": "%s slaat een versleutelde hash van uw wachtwoord op in uw lokale database", @@ -72,7 +69,6 @@ "HTTP API Username": "HTTP API-gebruikersnaam", "HTTP API Password": "HTTP API-wachtwoord", "Connection": "Verbinding", - "TV Show API Endpoint": "Tv-serie-API eindpunt", "Connection Limit": "Verbindingslimiet", "DHT Limit": "DHT-limiet", "Port to stream on": "Poort om op te streamen", @@ -84,7 +80,6 @@ "Import Database": "Database importeren", "Export Database": "Database exporteren", "Flush bookmarks database": "Favorietendatabase legen", - "Flush subtitles cache": "Ondertitelgeheugen legen", "Flush all databases": "Alle databases legen", "Reset to Default Settings": "Standaardinstellingen herstellen", "Importing Database...": "Database importeren...", @@ -151,23 +146,17 @@ "Seconds": "Seconden", "You are currently connected to %s": "Je bent momenteel verbonden met %s", "Disconnect account": "Account ontkoppelen", - "Sync With Trakt": "Synchroniseren met Trakt", "Syncing...": "Synchroniseren...", "Done": "Klaar", "Subtitles Offset": "Ondertiteling verschuiven", "secs": "seconden", "We are flushing your database": "Database legen...", "Ratio": "Verhouding", - "Advanced Settings": "Geavanceerde instellingen", - "Tmp Folder": "Tijdelijke map", - "URL of this stream was copied to the clipboard": "De URL van deze stream is gekopieerd naar het klembord", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fout, database is waarschijnlijk corrupt. Probeer bij instellingen de favorietendatabase te legen.", "Flushing bookmarks...": "Favorieten verwijderen...", "Resetting...": "Herstellen...", "We are resetting the settings": "Instellingen herstellen...", "Installed": "Geïnstalleerd", - "We are flushing your subtitle cache": "Ondertitelgeheugen legen...", - "Subtitle cache deleted": "Ondertitelgeheugen verwijderd", "Please select a file to play": "Selecteer een bestand om af te spelen", "Global shortcuts": "Algemene sneltoetsen", "Video Player": "Videospeler", @@ -184,7 +173,6 @@ "Exit Fullscreen": "Volledig scherm sluiten", "Seek Backward": "Achteruitspoelen", "Decrease Volume": "Volume verlagen", - "Show Stream URL": "Stream-URL tonen", "TV Show Detail": "Detailpagina tv-series", "Toggle Watched": "Toevoegen aan 'gezien'-lijst", "Select Next Episode": "Volgende aflevering selecteren", @@ -308,10 +296,7 @@ "Super Power": "Superkracht", "Supernatural": "Bovennatuurlijk", "Vampire": "Vampier", - "Automatically Sync on Start": "Automatisch synchroniseren bij starten", "VPN": "VPN", - "Activate automatic updating": "Automatisch updaten activeren", - "Please wait...": "Even geduld...", "Connect": "Verbinden", "Create Account": "Account aanmaken", "Celebrate various events": "Diverse feestdagen vieren", @@ -319,10 +304,8 @@ "Downloaded": "Gedownload", "Loading stuck ? Click here !": "Loopt het laden vast? Klik hier!", "Torrent Collection": "Torrentcollectie", - "Drop Magnet or .torrent": "Sleep Magnet of .torrent", "Remove this torrent": "Deze torrent verwijderen", "Rename this torrent": "Deze torrent hernoemen", - "Flush entire collection": "Gehele collectie leegmaken", "Open Collection Directory": "Collectiemap openen", "Store this torrent": "Deze torrent opslaan", "Enter new name": "Voer nieuwe naam in", @@ -351,108 +334,59 @@ "No thank you": "Nee, bedankt", "Report an issue": "Een probleem melden", "Email": "E-mail", - "Log in": "Inloggen", - "Report anonymously": "Anoniem melden", - "Note regarding anonymous reports:": "Opmerking over anonieme meldingen:", - "You will not be able to edit or delete your report once sent.": "Je kunt je melding niet bewerken of verwijderen zodra deze is verzonden.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Als er bijkomstige informatie vereist is, kan de melding gesloten worden, omdat je deze informatie niet zal kunnen geven.", - "Step 1: Please look if the issue was already reported": "Stap 1: kijk alsjeblieft eerst of het probleem al gemeld is", - "Enter keywords": "Sleutelwoorden invoeren", - "Already reported": "Reeds gemeld", - "I want to report a new issue": "Ik wil een nieuw probleem melden", - "Step 2: Report a new issue": "Stap 2: een nieuw probleem melden", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Let op: gebruik dit formulier niet om contact met ons op te nemen. Het beperkt zich enkel tot foutmeldingen.", - "The title of the issue": "De titel van het probleem", - "Description": "Beschrijving", - "200 characters minimum": "Minimaal 200 tekens", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Een korte omschrijving van het probleem. Voeg, indien nodig, de benodigde stappen toe om de fout te reproduceren.", "Submit": "Verzenden", - "Step 3: Thank you !": "Stap 3: dank je wel!", - "Your issue has been reported.": "Je probleem is gemeld.", - "Open in your browser": "In je browser openen", - "No issues found...": "Geen problemen gevonden...", - "First method": "Eerste mogelijkheid", - "Use the in-app reporter": "Gebruik de ingebouwde rapporteeroptie", - "You can find it later on the About page": "Je kunt het later op de Over-pagina vinden", - "Second method": "Tweede mogelijkheid", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Gebruik het %s-probleemfilter om te zoeken en te controleren of het probleem al is gemeld of zelfs al is opgelost.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Voeg een schermafbeelding toe als het nodig is; gaat jouw probleem over een ontwerpfunctie of een fout?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Bij een goede foutrapportage hoeven anderen geen contact met je op te nemen voor meer informatie. Zorg ervoor dat je zo veel mogelijk details in je rapportage opneemt.", "Warning: Always use English when contacting us, or we might not understand you.": "Let op: gebruik altijd Engels wanneer je contact met ons opneemt, anders begrijpen wij je mogelijk niet.", - "Search for torrent": "Zoek een torrent", "No results found": "Geen resultaten gevonden", - "Invalid credentials": "Ongeldige gegevens", "Open Favorites": "Favorieten openen", "Open About": "Over openen", "Minimize to Tray": "Minimaliseren naar systeemvak", "Close": "Sluiten", "Restore": "Herstellen", - "Resume Playback": "Afspelen hervatten", "Features": "Kenmerken", "Connect To %s": "Verbinden met %s", - "The magnet link was copied to the clipboard": "De magnetlink is naar het klembord gekopieerd", - "Big Picture Mode": "Big Picture-modus", - "Big Picture Mode is unavailable on your current screen resolution": "De Big Picture-modus is niet beschikbaar op je huidige schermresolutie", "Cannot be stored": "Kan niet worden opgeslagen", - "%s reported this torrent as fake": "%s meldden deze torrent als nep", - "Randomize": "Willekeurig", - "Randomize Button for Movies": "Knop voor willekeurige film", "Overall Ratio": "Algehele verhouding", "Translate Synopsis": "Samenvatting vertalen", "N/A": "n.v.t.", "Your disk is almost full.": "Je harde schijf is bijna vol.", "You need to make more space available on your disk by deleting files.": "Maak ruimte vrij op je harde schijf door bestanden te verwijderen.", "Playing Next": "Volgende aflevering", - "Trending": "Trending", - "Remember Filters": "Onthoud filters", - "Automatic Subtitle Uploading": "Automatisch ondertiteling uploaden", "See-through Background": "Doorzichtige achtergrond", "Bold": "Vet", "Currently watching": "Momenteel aan het bekijken", "No, it's not that": "Nee, dit is het niet", "Correct": "Correct", - "Indie": "Indie", "Init Database": "Database Initialiseren", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Tijdelijke map aanmaken", "Set System Theme": "Kies Systeem Thema", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Klaar", "Event": "Event", "Local": "Lokaal", "Try another subtitle or drop one in the player": "Probeer een andere ondertiteling of plaats er een in de speler", "show": "Tonen", "movie": "film", "Something went wrong downloading the update": "Er ging iets mis met het downloaden van de update", - "Activate Update seeding": "Activeer Update seeden", "Error converting subtitle": "Fout bij het omzetten van de ondertiteling", "No subtitles found": "Geen ondertiteling gevonden", "Try again later or drop a subtitle in the player": "Probeer het later opnieuw of plaats een ondertitel in de speler", "You should save the content of the old directory, then delete it": "Sla eerst de content in de oude map op, daarna kun je verwijderen.", "Search on %s": "Zoeken op %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Weet je zeker dat je de gehele torrent collectie wilt verwijderen?", "Audio Language": "Audio taal", "Subtitle": "Ondertitel", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Fout bij het uitlezen van de ondertitelingstijdcode, bestand lijkt beschadigd", - "Connection Not Secured": "Verbinding Niet Veilig", "Open File to Import": "Open bestand om te importeren", "Browse Directory to save to": "Blader naar map om in op te slaan", "Cancel and use VPN": "Annuleer en gebruik VPN", "Resume seeding after restarting the app?": "Verder gaan met seeden na opnieuw opstarten?", - "Enable VPN": "Zet VPN aan", - "Popularity": "Populariteit", - "Last Added": "Laatst toegevoegd", "Seedbox": "Seedbox", "Cache Folder": "Tijdelijke map", - "Science-fiction": "Science-fiction", - "Superhero": "Superhelden", "Show cast": "Rolverdeling", - "Health Good": "Goede gezondheid", - "Health Medium": "Matige gezondheid", - "Health Excellent": "Perfecte gezondheid", - "Right click to copy": "Rechtermuisknop om te kopiëren ", "Filename": "Bestandsnaam", "Stream Url": "Stream Url", "Show playback controls": "Show playback controls", @@ -469,17 +403,9 @@ "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", "Update Now": "Nu bijwerken", "Database Exported": "Database Geëxporteerd", - "Slice Of Life": "Slice of life", - "Home And Garden": "Huis en tuin", - "Returning Series": "Terugkerende serie", - "Finished Airing": "Klaar met uitzenden", - "No Favorites found...": "Geen favorieten gevonden...", - "No Watchlist found...": "Geen watchlist gevonden...", - "Health Bad": "Slechte gezondheid", "ThePirateBay": "ThePirateBay", "1337x": "1337x", "RARBG": "RARBG", - "OMGTorrent": "OMGTorrent", "Saved Torrents": "Opgeslagen Torrents", "Search Results": "Zoekresultaten", "Paste a Magnet link": "Plak een Magnet link", @@ -490,39 +416,27 @@ "Bookmarked items": "Opgeslagen items", "Download list is empty...": "De download lijst is leeg...", "Active Torrents Limit": "Actieve torrents limiet", - "Currently Airing": "Nu op televisie", "Toggle Subtitles": "Ondertiteling wisselen", "Toggle Crop to Fit screen": "Zet schermvullend aan", "Original": "Centreren", "Fit screen": "Vul scherm", "Video already fits screen": "De video vult het scherm al", - "Copied to clipboard": "Gekopieerd naar klembord", "The filename was copied to the clipboard": "De bestandsnaam is gekopieerd naar het klembord", "The stream url was copied to the clipboard": "De URL van deze stream is gekopieerd naar het klembord", - "Create account": "Account aanmaken", "* %s stores an encrypted hash of your password in your local database": "%s slaat een versleutelde hash van uw wachtwoord op in uw lokale database", - "Device can't play the video": "Apparaat kan video niet afspelen", "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Het apparaat kan het videoformaat/codec niet afspelen.
Probeer een andere resolutie of cast met VLC", "Hide cast": "Verberg cast", "Tabs": "Tabbladen", - "No movies found...": "Geen films gevonden...", - "Holiday": "Vakantie", "Native window frame": "Originele venster", "Open Cache Folder": "Open tijdelijke map", "Restart Popcorn Time": "Herstart Popcorn Time", "Developer Tools": "Developer Tools", - "No shows found...": "Geen tv-series gevonden...", - "No anime found...": "Geen anime gevonden...", - "Search in %s": "Zoeken in %s", - "Show 'Search on Torrent Collection' in search": "Show 'Search on Torrent Collection' in search", "Movies API Server": "Movies API Server", "Series API Server": "Series API Server", "Anime API Server": "Anime API Server", "The image url was copied to the clipboard": "De URL van de afbeelding is gekopieerd naar het klembord", "Popcorn Time currently supports": "Popcorn Time currently supports", "There is also support for Chromecast, AirPlay & DLNA devices.": "Er is ook ondersteuning voor Chromecast, AirPlay & DLNA apparaten.", - "Right click for supported players": "Right click for supported players", - "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.": "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.", "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", "Default Filters": "Standaard filters", @@ -548,16 +462,13 @@ "Cache files deleted": "Tijdelijke bestanden verwijderd", "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", "Always": "Altijd", - "Never": "Nooit", "Ask me every time": "Vraag met het iedere keer", "Enable Protocol Encryption": "Enable Protocol Encryption", "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", "Download added": "Download toegevoegd", "Change API Server": "Change API Server", - "Localisation": "Vertaling", "Default Content Language": "Standaardtaal", - "Same as interface": "Zelfde als interface", "Title translation": "Titel vertaling", "Translated - Original": "Vertaald - Origineel", "Original - Translated": "Origineel - Vertaald", @@ -568,7 +479,6 @@ "Only show content available in this language": "Only show content available in this language", "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", "added": "toegevoegd", - "The source link was copied to the clipboard": "De bronlink is gekopieerd naar het klembord", "Max. Down / Up Speed": "Max. Down / Up Snelheid", "Show Release Info": "Show Release Info", "Parental Guide": "Parental Guide", @@ -577,8 +487,6 @@ "Submit metadata & translations": "Submit metadata & translations", "Not available": "Niet beschikbaar", "Cast not available": "Cast not available", - "Show an 'Undo' button when a bookmark is removed": "Show an 'Undo' button when a bookmark is removed", - "was added to bookmarks": "was added to bookmarks", "was removed from bookmarks": "was removed from bookmarks", "Bookmark restored": "Bookmark restored", "Undo": "Ongedaan maken", @@ -606,7 +514,6 @@ "Updating the API Server URLs": "Updating the API Server URLs", "API Server URLs updated": "API Server URLs updated", "API Server URLs already updated": "API Server URLs already updated", - "Change API server(s) to the new URLs?": "Change API server(s) to the new URLs?", "API Server URLs could not be updated": "API Server URLs could not be updated", "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", "The API Server URL(s) was copied to the clipboard": "De API Server URL(s) is gekopieerd naar het klembord", @@ -629,5 +536,12 @@ "IMDb page link": "IMDb pagina link", "submit metadata & translations link": "submit metadata & translations link", "episode title": "episode title", - "full cast & crew link": "full cast & crew link" + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/nn.json b/src/app/language/nn.json index d5a6582676..ba9212c027 100644 --- a/src/app/language/nn.json +++ b/src/app/language/nn.json @@ -2,8 +2,7 @@ "External Player": "Ekstern avspelar", "Made with": "Laga med", "by a bunch of geeks from All Around The World": "av ei rekke kloke hovud verda over", - "Initializing Butter. Please Wait...": "Startar Butter. Vær venleg vent...", - "Status: Checking Database...": "Status: Sjekker database...", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", "Movies": "Filmar", "TV Series": "TV-seriar", "Anime": "Anime", @@ -20,7 +19,6 @@ "Family": "Familie", "Fantasy": "Fantasi", "Game Show": "Game Show", - "Home And Garden": "Hus og hage", "Horror": "Skrekkfilm", "Mini Series": "Miniseriar", "Mystery": "Mysterier", @@ -36,7 +34,6 @@ "Thriller": "Thriller", "Western": "Western", "Sort by": "Sortér etter", - "Popularity": "Popularitet", "Updated": "Oppdatert", "Year": "År", "Name": "Namn", @@ -47,7 +44,6 @@ "Load More": "Last inn fleire", "Saved": "Lagra", "Settings": "Innstillingar", - "Show advanced settings": "Vis avanserte innstillingar", "User Interface": "Brukargrensesnitt", "Default Language": "Standardspråk", "Theme": "Tema", @@ -64,33 +60,26 @@ "Disabled": "Deaktivert", "Size": "Storleik", "Quality": "Kvalitet", - "Only list movies in": "Berre vis filmar i", - "Show movie quality on list": "Vis filmkvalitet i lista", "Trakt.tv": "Trakt.tv", - "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter": "Legg inn dine detaljar hjå Trakt.tv her for å automatisk registrere episodar du ser i Butter", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Brukarnamn", "Password": "Passord", - "Butter stores an encrypted hash of your password in your local database": "Butter lagrar ein kryptert streng av passordet ditt i di lokale database", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", "Remote Control": "Fjernkontroll", "HTTP API Port": "HTTP API Port", "HTTP API Username": "HTTP API Brukarnamn", "HTTP API Password": "HTTP API Passord", "Connection": "Forbindelse", - "TV Show API Endpoint": "TV Show API Endepunkt", - "Movies API Endpoint": "Filmar API Endepunkt", "Connection Limit": "Grense for forbindelse", "DHT Limit": "DHT Grense", "Port to stream on": "Port å strømme på", "0 = Random": "0 = Tilfeldig", "Cache Directory": "Mappe for mellomlagring", - "Clear Tmp Folder after closing app?": "Fjerne mellomlager når du lukker tenaren?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Database", "Database Directory": "Databasemappe", "Import Database": "Importér Database", "Export Database": "Eksportér Database", "Flush bookmarks database": "Tøm Databasebokmerker", - "Flush subtitles cache": "Tøm midlertidig undertekstlager", "Flush all databases": "Tøm alle databaser", "Reset to Default Settings": "Tilbakestill alle innstillingar", "Importing Database...": "Importerer Database...", @@ -104,22 +93,19 @@ "Sci-Fi": "Sci-Fi", "Short": "Kortfilm", "War": "Krig", - "Last Added": "Last Added", "Rating": "Bedømming", "Open IMDb page": "Åpne IMDb-side", "Health false": "Dårleg helse", "Add to bookmarks": "Legg til i bokmerke", "Watch Trailer": "Sjå trailer", "Watch Now": "Sjå no", - "Health Good": "God helse", "Ratio:": "Forhold:", "Seeds:": "Seeds:", "Peers:": "Peers:", "Remove from bookmarks": "Fjern frå bokmerke", "Changelog": "Endringslogg", - "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "Butter! er resultatet av at mange utviklarar og designarar har pusla saman ein haug med API'ar, for å gjere opplevinga av å sjå torrents så enkel som mogleg.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Vi er eit Open kildekode-prosjekt. Vi er frå heile verda. Vi elskar fimane våre. Og visst elskar vi popcorn.", - "Invalid PCT Database File Selected": "Ugyldig PCT databasefil vald", "Health Unknown": "Ukjend helse", "Episodes": "Episodar", "Episode %s": "Episode %s", @@ -139,10 +125,8 @@ "Ended": "Slutta", "Error loading data, try again later...": "Feil ved lasting av data, prøv att seinare...", "Miscellaneous": "Diverse", - "When opening TV Show Detail Jump to:": "Ved opning av TV Show-detaljar, gå til:", - "First Unwatched Episode": "Fyrste ikkje sette episode", - "Next Episode In Series": "Neste episode i serien", - "When Opening TV Show Detail Jump To": "Ved opning av TV-seriedetaljar, gå til", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Tømmer...", "Are you sure?": "Er du sikker?", "We are flushing your databases": "Vi tømmer databasene dine", @@ -152,61 +136,28 @@ "Terms of Service": "Vilkår for bruk", "I Accept": "Eg godkjenner", "Leave": "Forlat", - "When Opening TV Series Detail Jump To": "Ved opning av TV-seriedetaljar, gå til", - "Health Medium": "Mellomgod helse", + "Series detail opens to": "Series detail opens to", "Playback": "Avspeling", "Play next episode automatically": "Spel av neste episode automatisk", "Generate Pairing QR code": "Lag QR-kode for paring", - "Playing Next Episode in": "Speler av neste episode om", "Play": "Spel av", - "Dismiss": "Avvis", "waitingForSubtitles": "Ventar på undertekstar", "Play Now": "Spel av no", "Seconds": "Sekund", - "You are currently authenticated to Trakt.tv as": "Du er no autentisert til å nytte Trakt.tv as", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Koble frå kontoen", - "Sync With Trakt": "Synkronisér med Trakt", "Syncing...": "Synkroniserer...", "Done": "Ferdig", "Subtitles Offset": "Flytte undertekster", "secs": "sekund", "We are flushing your database": "Vi tømmer databasen din", - "We are rebuilding the TV Show Database. Do not close the application.": "Vi bygger opp att databasen din. Ikkje lukk tenaren.", - "No shows found...": "Fant ingen seriar...", - "No Favorites found...": "Fant ingen favorittar...", - "Rebuild TV Shows Database": "Bygg opp at databasen over TV-seriar", - "No movies found...": "Fant ingen filmar...", "Ratio": "Forhold", - "Health Excellent": "Glimrande helse", - "Health Bad": "Dårleg helse", - "Status: Creating Database...": "Status: Lager database", - "Status: Updating database...": "Status: Oppdaterer database", - "Status: Skipping synchronization TTL not met": "Status: Hopper over synkronisering TTL ikkje oppfylt", - "Advanced Settings": "Avanserte innstillingar", - "Clear Cache directory after closing app?": "Tømme mellomlager når du lukker tenaren?", - "Tmp Folder": "Mappe for mellomlager", - "Status: Downloading API archive...": "Status: Lastar ned API-arkiv", - "Status: Archive downloaded successfully...": "Status: Nedlasting av arkiv vellukka...", - "Status: Importing file": "Status: Importerer fil", - "Status: Imported successfully": "Status: Import vellukka", - "Status: Launching applicaion... ": "Status: Startar applikasjonen...", - "URL of this stream was copied to the clipboard": "URL'en til denne strømmen vart kopiert til utklippstavla", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Feil, databasen er sannsynligvis korrupt. Prøv å tømme bokmerker i innstillingar.", "Flushing bookmarks...": "Tømmer bokmerker...", "Resetting...": "Tilbakestiller...", "We are resetting the settings": "Vi gjenoppretter innstillingane", - "New version downloaded": "Ny versjon lasta ned", "Installed": "Installert", - "Install Now": "Installér no", - "Restart Now": "Start om no", - "We are flushing your subtitle cache": "Vi tømmer no midlertidige filer for undertekstar", - "Subtitle cache deleted": "Midlertidige filer for undertekstar er sletta", "Please select a file to play": "Vær venleg å velge ei fil å spele av", - "Test Login": "Test innlogging", - "Testing...": "Testar...", - "Success!": "Suksess!", - "Failed!": "Feila!", "Global shortcuts": "Globale snarvegar", "Video Player": "Videospelar", "Toggle Fullscreen": "Fullskjerm av/på", @@ -222,7 +173,6 @@ "Exit Fullscreen": "Gå ut av fullskjermmodus", "Seek Backward": "Søk bakover", "Decrease Volume": "Senk lydstyrke", - "Show Stream URL": "Vis strøm-URL", "TV Show Detail": "TV-serie detaljar", "Toggle Watched": "Merk som sett", "Select Next Episode": "Velg neste episode", @@ -241,53 +191,45 @@ "Paste": "Lim inn", "Help Section": "Hjelpeseksjon", "Did you know?": "Visste du?", - "What does Butter offer?": "Kva kan Butter tiby?", - "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Med Butter kan du sjå film og seriar verkeleg enkelt. Alt du treng å gjere er å klikke på eitt av omslaga, og trykke 'Sjå No'. Men opplevinga di er og særs formbar:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Vårt filmutvalg inneheld berre høgdefinisjonsfilm, tilgjengeleg i 720p og 1080p. For å sjå ein film, berre opne Butter og bla deg gjennom filmsamlinga som du finn under fana 'Filmar' i navigasjonslinja. Standardvisninga vil liste filmar ut frå popularitet, men du kan velge di eiga sortering, takka vere filtra 'Sjanger' og 'Sorter etter'. Når du så har vald ein film du vil sjå, klikker du berre på omslaget. Så klikker du 'Sjå no'. Ikkje gløym popcorn!", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Fana 'TV-seriar', som du finn i navigasjonslinja, viser deg alle tilgjengelege TV-seriar i vår samling. Her og kan du legge til dine egne filtre for å sortere, akkurat som med filmar, for å lettare finne ut kva du vil sjå. I denne samlinga klikkar du også berre på omslaget, og i det nye vindauga vil du kunne navigere enkelt mellom sesongar, og finne alle episodar lista opp. Når du har funne ut kva du vil sjå, klikkar du 'Sjå no'.", "Choose quality": "Vel kvalitet", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Ein glidebrytar ved sida av 'Sjå no'-knappen vil la deg velje kvaliteten på strømminga. Du kan og setje ein fast verdi i innstillingar. Åtvaring: betre kvalitet tyder at du lastar ned meir data.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Dei fleste av våre filmar og seriar har undertekstar på ditt språk. Du kan velje dette i innstillingar. For filmar kan du endåtil velje undertekstar i rullegardinmenyen når du har klikka deg inn til detaljane om ein film.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Når du klikkar eit hjarte på eit omslag, vil filmen/serien verte lagd ti i dine favorittar. Denne samlinga finn du ved hjelp at det hjarteforma ikonet i navigasjonslinja. For å fjerne eit element frå samlinga di, klikkar du berre hjartet på omslaget igjen. Kor enkelt er ikkje det?", "Watched icon": "Sett-ikon", - "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "Butter vil hugse kva du allereie har sett - ei lita hjelp for å hugse skadar vel ingen. Du kan og merke eit element som sett ved å klikke det augeforma ikonet på omslaga. Og du kan endåtil bygge og synkronisere samlinga di med Trakt.tv si webside via innstillingar.", - "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "I Butter kan du nytte forstørringsglaset for å opne søkefunksjonen. Skriv inn ein Tittel, ein Skodespelar, ein Regissør, eller endåtil eit Årstal, trykk 'Enter' og la oss få vise deg kva vi kan finne for å oppfylle ynskja dine. For å lukke ditt noverande søk klikker du X ved sida av det du skreiv inn, eller skriv noko nytt i søkefeltet.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", "External Players": "Eksterne avspelarar", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.": "Om du ynskjer å nytte ein eigen avspelar i staden for den innebygde, klikker du den vetle knappen som heng fast i 'Sjå no'-knappen. Ei liste over dei spelarane du har installert vil vise. Vel ein av dei, og Butter vil sende alt til denne spelaren. Om spelaren din ikkje er i lista, vær venleg og sei ifrå til oss.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "For å trekke tilpassinga endå lenger, tilbyr vi deg eit omfattande panel med val du kan gjere. For å gå til innstillingar, klikker du det tannhjulliknande ikonet i navigasjonslinja.", "Keyboard Navigation": "Tastatursnarvegar", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Heile lista over tastatursnarvegar er tilgjengeleg om du trykker '?' på tastaturet, eller klikker det tastaturforma ikonet i fana for innstillingar.", "Custom Torrents and Magnet Links": "Tilpassa torrents og Magnet-lenkjer", - "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Du kan nytte tilpassa torrents og magnet-lenkjer i Butter. Berre dra inn og slepp .torrent-filer i applikasjonen, og/eller lim inn ei kva som helst magnet-lenkje.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", "Torrent health": "Torrent-helse", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "I detaljar for filmar/seriar, finn du ein liten sirkel som er anten grå, raud, gul eller grøn. Dette fortel deg noko om helsa til torrenten. Ein grøn torrent vil bli nedlasta svært fort, medan ein raud kanskje ikkje kjem ned i det heile, eller særs sakte. Gråfargen fortel at det er noko gale som gjer at helsa ikkje kan vurderast i Filmar, og må klikkast i TV-seriar for å vise helsa.", - "How does Butter work?": "Korleis virkar Butter?", - "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent-strømming? Vel, torrents nyttar Bittorrent-protokoll, som enkelt forkart lastar ned små bitar av innhaldet frå ein annan brukar sin pc, medan du sjølv sender dei bitane du sjølv har lasta ned vidare til neste brukar. Du ser på dei bitane du har lasta ned, medan dei neste lastar ned i bakgrunnen. På denne måten held innhaldet seg ved god helse.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.": "Når filmen er ferdig nedlasta, fortsetjer du å sende bitar til dei andre brukarane. Og når du så lukker Butter, vil alt som har vore lagra hjå deg verte sletta. Så enkelt er det.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Sjølve applikasjonen er bygd med Node-Webkit, HTML, CSS og Javascript. Den fungerer omtrent som Google Chrome-nettlesaren, sett bort frå at det meste at koden er lagra hjå deg på di maskin. Ja, Butter nyttar den same teknoogien som ei vanleg webside... la oss sei Wikipedia, eller Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", "I found a bug, how do I report it?": "Eg fann ein feil, korleis varslar eg om dette?", - "No historics found...": "Ingen historikk funnen...", - "Error, database is probably corrupted. Try flushing the history in settings.": "Feil, databasen er sannsynligvis korrupt. Prøv å tømme historikken i innstillingar.", - "You can paste magnet links anywhere in Butter with CTRL+V.": "Du kan lime inn magnet-lenkjer kvar som helst i Butter med CTRL+V", - "You can drag & drop a .torrent file into Butter.": "Du kan dra & sleppe ei .torrent-fil i Butter", - "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.": "Butter-prosjektet starta i februar 2014 og har hatt med seg 150 bidragsytarar som har gav over 3000 timar til utviklinga i august 2014.", - "The rule n°10 applies here.": "Regelen n°10 gjeld her.", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Om ein undertekst for ein serie manglar, kan du legge den til på %s. Det samme gjeld film, men på %s.", - "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.": "Om du får probem med små brot i sambandet, prøv å redusere DHT Grense i innstillingar.", - "If you search \"1998\", you can see all the movies or TV series that came out that year.": "Om du søkjer \"1998\", får du opp alle filmar og seriar som kom ut det året.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Du kan logge inn hjå Trakt.tv og lagre kva element du har sett, og synkronisere over fleire einingar.", "Clicking on the rating stars will display a number instead.": "Når du klikker stjernerangeringa vil det vise eit tal i staden.", "This application is entirely written in HTML5, CSS3 and Javascript.": "Denne applikasjonen er fullt og heilt bygd i HTML5, CSS3 og Javascript.", "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Vil du vete meir om ein film eller serie? Berre klikk IMDB-ikonet.", - "Clicking twice on a \"Sort By\" filter reverses the order of the list.": "Dobbeltklikk på eit 'Sorter etter'-filter, snur rekkefølga på lista.", "Switch to next tab": "Bytt til neste fane", "Switch to previous tab": "Bytt til førre fane", "Switch to corresponding tab": "Bytt til tilhøyrande fane", "through": "gjennom", "Enlarge Covers": "Gjer omslaga større", "Reduce Covers": "Gjer omslaga mindre", - "Open the Help Section": "Opne hjelpeseksjonen", "Open Item Details": "Opne elementdetaljar", "Add Item to Favorites": "Legg element i favorittar", "Mark as Seen": "Merk som sett", @@ -309,10 +251,8 @@ "name": "namn", "OVA": "OVA", "ONA": "ONA", - "No anime found...": "Ingen anime funnen...", "Movie": "Film", "Special": "Spesiell", - "No Watchlist found...": "Inga kikkeliste vart funnen...", "Watchlist": "Kikkeliste", "Resolving..": "Løyser...", "About": "Om", @@ -325,7 +265,6 @@ "Set playback rate to %s": "Sett avspeingsfart til %s", "Playback rate adjustment is not available for this video!": "Justering av avspelingsfart er ikkje tilgjengeleg for denne videoen!", "Color": "Farge", - "With Shadows": "Med skugge", "Local IP Address": "Lokal IP-adresse", "Japan": "Japan", "Cars": "Biler", @@ -351,56 +290,27 @@ "Shoujo Ai": "Shoujo Ai", "Shounen": "Shounen", "Shounen Ai": "Shounen Ai", - "Slice Of Life": "Kvardagsleg", "Slice of Life": "Slice of Life", "Space": "Verdensrommet", "Sports": "Sport", "Super Power": "Superkrefter", "Supernatural": "Overnaturlig", "Vampire": "Vampyr", - "Alphabet": "Alfabet", - "Automatically Sync on Start": "Synkroniser automatisk ved start", - "Setup VPN": "Sett opp VPN", "VPN": "VPN", - "Install VPN Client": "Installer VPN-klient", - "More Details": "Fleire detaljar", - "Don't show me this VPN option anymore": "Ikkje vis meg VPN-valet fleire gongar", - "Activate automatic updating": "Aktiver automatisk oppdatering", - "We are installing VPN client": "Vi installerer no VPN-klient", - "VPN Client Installed": "VPN-klient installert", - "Please wait...": "Vær venleg vent...", - "VPN.ht client is installed": "VPN.ht-klient installert", - "Install again": "Installer på nytt", "Connect": "Koble til", "Create Account": "Opprett konto", - "Please, allow ~ 1 minute": "Vær venleg, tillat ~ 1 minutt", - "Status: Connecting to VPN...": "Status: Kobler til VPN...", - "Status: Monitoring connexion - ": "Status: Overvåker tilkobling -", - "Connect VPN": "Koble til VPN", - "Disconnect VPN": "Koble frå VPN", "Celebrate various events": "Feire spesielle dagar i året", - "ATTENTION! We need admin access to run this command.": "MERK! Vi treng administratortilgong for å køyre denne kommandoen.", - "Your password is not saved": "Passordet ditt er ikkje lagra", - "Enter sudo password :": "Skriv inn sudo/superbruker-passord", - "Status: Monitoring connection": "Status: Overvåker tilkobling", - "Status: Connected": "Status: Tilkobla", - "Secure connection": "Sikker tilkobling", - "Your IP:": "Di IP-adresse:", "Disconnect": "Koble frå", "Downloaded": "Nedlasta", "Loading stuck ? Click here !": "Lastinga står fast? Klikk her !", "Torrent Collection": "Torrent-samling", - "Drop Magnet or .torrent": "Slepp magnet-lenkje eller .torrent", "Remove this torrent": "Fjern denne torrenten", "Rename this torrent": "Gje torrenten nytt namn", - "Flush entire collection": "Slett heile samlinga", "Open Collection Directory": "Opne mappe for samling", "Store this torrent": "Lagre denne torrenten", "Enter new name": "Skriv nytt namn", "This name is already taken": "Dette namnet er allereie nytta", "Always start playing in fullscreen": "Start alltid avspeling i fullskjermvisning", - "Allow torrents to be stored for further use": "Tillat torrents å verte lagra for framtidig bruk", - "Hide VPN from the filter bar": "Skjul VPN frå navigeringslinja", "Magnet link": "Magnet-lenkje", "Error resolving torrent.": "Feil ved lesing av torrent.", "%s hour(s) remaining": "%s time(r) gjenstår", @@ -412,9 +322,6 @@ "Set player window to half of video resolution": "Tilpass avspelingsvindauga til halvparten av videooppløysinga", "Retry": "Prøv igjen", "Import a Torrent": "Importer ein Torrent", - "The remote movies API failed to respond, please check %s and try again later": "The remote movies API failed to respond, please check %s and try again later", - "The remote shows API failed to respond, please check %s and try again later": "The remote shows API failed to respond, please check %s and try again later", - "The remote anime API failed to respond, please check %s and try again later": "The remote anime API failed to respond, please check %s and try again later", "Not Seen": "Not Seen", "Seen": "Seen", "Title": "Title", @@ -426,73 +333,215 @@ "Opaque Background": "Opaque Background", "No thank you": "No thank you", "Report an issue": "Report an issue", - "Log in into your GitLab account": "Log in into your GitLab account", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Report anonymously", - "Note regarding anonymous reports:": "Note regarding anonymous reports:", - "You will not be able to edit or delete your report once sent.": "You will not be able to edit or delete your report once sent.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "If any additionnal information is required, the report might be closed, as you won't be able to provide them.", - "Step 1: Please look if the issue was already reported": "Step 1: Please look if the issue was already reported", - "Enter keywords": "Enter keywords", - "Already reported": "Already reported", - "I want to report a new issue": "I want to report a new issue", - "Step 2: Report a new issue": "Step 2: Report a new issue", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Note: please don't use this form to contact us. It is limited to bug reports only.", - "The title of the issue": "The title of the issue", - "Description": "Description", - "200 characters minimum": "200 characters minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "A short description of the issue. If suitable, include the steps required to reproduce the bug.", "Submit": "Submit", - "Step 3: Thank you !": "Step 3: Thank you !", - "Your issue has been reported.": "Your issue has been reported.", - "Open in your browser": "Open in your browser", - "No issues found...": "No issues found...", - "First method": "First method", - "Use the in-app reporter": "Use the in-app reporter", - "You can find it later on the About page": "You can find it later on the About page", - "Second method": "Second method", - "You can create an account on our %s repository, and click on %s.": "You can create an account on our %s repository, and click on %s.", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", - "Search on %s": "Search on %s", "No results found": "No results found", - "Invalid credentials": "Invalid credentials", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimize to Tray", "Close": "Lukk", "Restore": "Restore", - "Resume Playback": "Resume Playback", "Features": "Features", "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Big Picture Mode", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", "Cannot be stored": "Cannot be stored", - "%s reported this torrent as fake": "%s reported this torrent as fake", - "%s could not verify this torrent": "%s could not verify this torrent", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", "Translate Synopsis": "Translate Synopsis", - "Returning Series": "Returning Series", - "In Production": "In Production", - "Canceled": "Canceled", "N/A": "N/A", - "%s is not supposed to be run as administrator": "%s is not supposed to be run as administrator", "Your disk is almost full.": "Your disk is almost full.", "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait..." + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Lastar ned", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Opprinneleg", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Lysstyrke", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Sjå etter oppdateringar", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/no.json b/src/app/language/no.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/no.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/pl.json b/src/app/language/pl.json index 61e0cdac0c..66ab1fb621 100644 --- a/src/app/language/pl.json +++ b/src/app/language/pl.json @@ -44,7 +44,6 @@ "Load More": "Więcej", "Saved": "Zapisano", "Settings": "Ustawienia", - "Show advanced settings": "Pokaż ustawienia zaawansowane", "User Interface": "Interfejs", "Default Language": "Język", "Theme": "Motyw", @@ -61,10 +60,7 @@ "Disabled": "Wyłączone", "Size": "Rozmiar", "Quality": "Jakość", - "Only list movies in": "Wyświetlane filmy", - "Show movie quality on list": "Informuj o jakości", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Podłącz się do %s aby automatycznie 'scrobble' odcinki, które oglądasz w %s", "Username": "Nazwa użytkownika", "Password": "Hasło", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Użytkownik", "HTTP API Password": "HTTP API Hasło", "Connection": "Połączenie", - "TV Show API Endpoint": "API seriali", "Connection Limit": "Limit połączeń", "DHT Limit": "Limit DHT", "Port to stream on": "Port", "0 = Random": "0 = losowy", "Cache Directory": "Pamięć podręczna", - "Clear Tmp Folder after closing app?": "Wyczyścić pamięć podręczną po zamknięciu aplikacji?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Baza danych", "Database Directory": "Katalog bazy danych", "Import Database": "Importuj bazę danych", "Export Database": "Eksportuj bazę danych", "Flush bookmarks database": "Wyczyść zapisane zakładki", - "Flush subtitles cache": "Wyczyść pamięć podręczną napisów", "Flush all databases": "Wyczyść wszystkie bazy danych", "Reset to Default Settings": "Przywróć ustawienia domyślne", "Importing Database...": "Importowanie bazy danych...", @@ -131,8 +125,8 @@ "Ended": "Zakończony", "Error loading data, try again later...": "Wystąpił błąd podczas ładowania danych, spróbuj ponownie później...", "Miscellaneous": "Różne", - "First Unwatched Episode": "Pierwszego nieobejrzanego odcinka", - "Next Episode In Series": "Następnego odcinka", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Usuwanie...", "Are you sure?": "Na pewno?", "We are flushing your databases": "Trwa czyszczenie baz danych", @@ -142,7 +136,7 @@ "Terms of Service": "Warunki korzystania z usług", "I Accept": "Akceptuję", "Leave": "Wyjdź", - "When Opening TV Series Detail Jump To": "Po otwarciu widoku serialu, automatycznie przejdź do", + "Series detail opens to": "Series detail opens to", "Playback": "Odtwarzanie", "Play next episode automatically": "Odtwarzaj kolejny odcinek automatycznie", "Generate Pairing QR code": "Wygeneruj kod QR", @@ -152,23 +146,17 @@ "Seconds": "Sekund", "You are currently connected to %s": "Jesteś obecnie połączony z %s", "Disconnect account": "Odłącz konto", - "Sync With Trakt": "Synchronizuj z Trakt", "Syncing...": "Synchronizowanie...", "Done": "Gotowe", "Subtitles Offset": "Przesunięcie napisów", "secs": "sek", "We are flushing your database": "Trwa czyszczenie Twojej bazy danych", "Ratio": "Ratio", - "Advanced Settings": "Ustawienia zaawansowane", - "Tmp Folder": "Katalog pamięci podr.", - "URL of this stream was copied to the clipboard": "Adres URL tego streamu został skopiowany do schowka", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Błąd - baza danych jest prawdopodobnie uszkodzona. Spróbuj wyczyścić zakładki w ustawieniach.", "Flushing bookmarks...": "Czyszczenie zakładek...", "Resetting...": "Resetowanie...", "We are resetting the settings": "Przywracanie domyślnych ustawienień", "Installed": "Zainstalowana", - "We are flushing your subtitle cache": "Czyszczenie pamięci podręcznej napisów", - "Subtitle cache deleted": "Pamięć podręczna napisów wyczyszczona", "Please select a file to play": "Wybierz plik do odtworzenia", "Global shortcuts": "Ogólne", "Video Player": "Odtwarzacz", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Wyjdź z pełnego ekranu", "Seek Backward": "Przewiń do tyłu", "Decrease Volume": "Zmniejsz głośność", - "Show Stream URL": "Pokaż URL streamu", "TV Show Detail": "Seriale", "Toggle Watched": "Obejrzane", "Select Next Episode": "Zaznacz następny odcinek", @@ -309,10 +296,7 @@ "Super Power": "Super Power", "Supernatural": "Supernatural", "Vampire": "Wampir", - "Automatically Sync on Start": "Automatycznie synchronizuj po uruchomieniu", "VPN": "VPN", - "Activate automatic updating": "Automatyczne aktualizacje", - "Please wait...": "Proszę czekać...", "Connect": "Połącz", "Create Account": "Utwórz konto", "Celebrate various events": "Świętuj różne wydarzenia", @@ -320,10 +304,8 @@ "Downloaded": "Pobrane", "Loading stuck ? Click here !": "Ładowanie utknęło z miejscu? Kliknij tutaj!", "Torrent Collection": "Kolekcja", - "Drop Magnet or .torrent": "Upuść link magnet lub plik torrent", "Remove this torrent": "Usuń", "Rename this torrent": "Zmień nazwę", - "Flush entire collection": "Usuń całą kolekcję", "Open Collection Directory": "Otwórz katalog kolekcji", "Store this torrent": "Zachowaj ten torrent", "Enter new name": "Wprowadź nową nazwę", @@ -352,101 +334,214 @@ "No thank you": "Nie, dziękuję", "Report an issue": "Zgłoś problem", "Email": "Email", - "Log in": "Zaloguj", - "Report anonymously": "Zgłoś anonimowo", - "Note regarding anonymous reports:": "Uwaga dotycząca anonimowych zgłoszeń:", - "You will not be able to edit or delete your report once sent.": "Nie będzie możliwa późniejsza edycja lub usunięcie zgłoszenia po wysłaniu.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Jeżeli będą wymagane dodatkowe informacje, zgłoszenie może zostać zamknięte gdyż nie będzie możliwe dostarczenie tych informacji.", - "Step 1: Please look if the issue was already reported": "Krok 1: Sprawdź czy problem został już zgłoszony", - "Enter keywords": "Wpisz słowa kluczowe", - "Already reported": "Już zgłoszone", - "I want to report a new issue": "Chcę zgłosić problem", - "Step 2: Report a new issue": "Krok 2: Zgłoś problem", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Uwaga: nie używaj tego formularza do kontaktu z nami - służy tylko do zgłaszania błędów.", - "The title of the issue": "Tytuł zgłoszenia", - "Description": "Opis", - "200 characters minimum": "minimum 200 znaków", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Krótki opis problemu. Jeśli to możliwe, zamieść kroki wymagane do odtworzenia błędu.", "Submit": "Wyślij", - "Step 3: Thank you !": "Krok 3: Dziękujemy!", - "Your issue has been reported.": "Twój problem został zgłoszony.", - "Open in your browser": "Otwórz w przeglądarce", - "No issues found...": "Nie znaleziono problemów...", - "First method": "Pierwsza metoda", - "Use the in-app reporter": "Użyj wbudowanego narzędzia do zgłaszania błędów", - "You can find it later on the About page": "Możesz to później znaleźć w zakładce O programie", - "Second method": "Druga metoda", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Użyj filtrowania wyszukiwania błędów i sprawdź czy nie został on wcześniej zgłoszony lub nie jest już naprawiony.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Zamieść zrzut ekranu jeśli to konieczne - problem dotyczy błędu pracy aplikacji czy błędu interfejsu?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Dobre zgłoszenie błędu nie powinno zawierać niepotrzebnych informacji. Upewnij się jeszcze czy dodałeś informację na temat Twojego systemu operacyjnego, sprzętu, ...", "Warning: Always use English when contacting us, or we might not understand you.": "Uwaga: Zawsze używaj języka angielskiego jeśli się z nami komunikujesz.", - "Search for torrent": "Search for torrent", "No results found": "Nic nie znaleziono", - "Invalid credentials": "Nieprawidłowe uwierzytelnienie", "Open Favorites": "Otwórz Ulubione", "Open About": "Otwórz o programie", "Minimize to Tray": "Zminimalizuj", "Close": "Zamknij", "Restore": "Przywróć", - "Resume Playback": "Wznów odtwarzanie", "Features": "Cechy", "Connect To %s": "Podłącz do %s", - "The magnet link was copied to the clipboard": "Link został skopiowany do schowka", - "Big Picture Mode": "Tryb dużego obrazka", - "Big Picture Mode is unavailable on your current screen resolution": "Tryb dużego obrazka jest niedostępny dla twojej rozdzielczości ekranu", "Cannot be stored": "Nie może być przechowane", - "%s reported this torrent as fake": "%s zgłosił zły torrent", - "Randomize": "Losowo", - "Randomize Button for Movies": "Przycisk losowania dla Filmów", "Overall Ratio": "Ogólny wskaźnik", "Translate Synopsis": "Streszczenie tłumaczenia", "N/A": "N/A", "Your disk is almost full.": "Twój dysk jest prawie pełny.", "You need to make more space available on your disk by deleting files.": "Musisz zrobić więcej dostępnego miejsca na dysku poprzez usunięcie plików.", "Playing Next": "Następny odcinek", - "Trending": "Zyskujące popularność", - "Remember Filters": "Pamiętaj filtry", - "Automatic Subtitle Uploading": "Automatyczne wysyłanie napisów", "See-through Background": "Przezroczyste tło", "Bold": "Pogrubiony", "Currently watching": "Obecnie oglądane", "No, it's not that": "Nie, to jest to", "Correct": "Prawidłowy", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Lokalny", "Try another subtitle or drop one in the player": "Wypróbuj inne napisy albo upuść plik napisów na okno odtwarzacza", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Błąd konwertowania napisów", "No subtitles found": "Nie znaleziono napisów", "Try again later or drop a subtitle in the player": "Spróbuj ponownie później lub upuść plik napisów na okno odtwarzacza", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Wyszukaj w %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Czasy napisów są uszkodzone.", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Pobieranie...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Wyniki wyszukiwania", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Oryginalny rozmiar", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Nieznany stan", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Tak", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Jasność", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Sprawdź aktualizacje", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/pt-PT.json b/src/app/language/pt-PT.json index f352c8ce02..c66c870b00 100644 --- a/src/app/language/pt-PT.json +++ b/src/app/language/pt-PT.json @@ -44,7 +44,6 @@ "Load More": "Carregar mais", "Saved": "Guardado", "Settings": "Definições", - "Show advanced settings": "Mostrar definições avançadas", "User Interface": "Interface do Utilizador", "Default Language": "Idioma predefinido", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Desativado", "Size": "Tamanho", "Quality": "Qualidade", - "Only list movies in": "Listar filmes exclusivamente em", - "Show movie quality on list": "Mostrar qualidade do filme na lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Ligar a %s para \"capturar\" automaticamente os episódios vistos em %s", "Username": "Nome de utilizador", "Password": "Palavra-passe", "%s stores an encrypted hash of your password in your local database": "O %s guarda uma hash encriptada da tua palavra-passe na base de dados local", @@ -73,19 +69,17 @@ "HTTP API Username": "Nome de utilizador da API HTTP", "HTTP API Password": "Palavra-passe da APPI HTTP", "Connection": "Ligação", - "TV Show API Endpoint": "Ponto de saída da API das Séries de TV", "Connection Limit": "Limite de ligação", "DHT Limit": "Limite DHT", "Port to stream on": "Porta para transmissão", "0 = Random": "0 = Aleatório", "Cache Directory": "Diretório de Cache", - "Clear Tmp Folder after closing app?": "Limpar a pasta de cache depois de fechar a aplicação?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Base de dados", "Database Directory": "Diretório da base de dados", "Import Database": "Importar base de dados", "Export Database": "Exportar base de dados", "Flush bookmarks database": "Limpar base de dados dos favoritos", - "Flush subtitles cache": "Limpar cache de legendas", "Flush all databases": "Limpar todas as bases de dados", "Reset to Default Settings": "Restaurar as definições predefinidas", "Importing Database...": "A importar base de dados...", @@ -131,8 +125,8 @@ "Ended": "Terminado", "Error loading data, try again later...": "Erro ao carregar os dados, tenta mais tarde...", "Miscellaneous": "Outros", - "First Unwatched Episode": "Primeiro episódio não assistido", - "Next Episode In Series": "Próximo episódio da Série", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "A limpar...", "Are you sure?": "Tens a certeza?", "We are flushing your databases": "Estamos a limpar as tuas bases de dados", @@ -142,7 +136,7 @@ "Terms of Service": "Termos de serviço", "I Accept": "Eu aceito", "Leave": "Sair", - "When Opening TV Series Detail Jump To": "Ao abrir detalhes da Série de TV, ir para", + "Series detail opens to": "Series detail opens to", "Playback": "Reprodução", "Play next episode automatically": "Reproduzir o próximo episódio automaticamente", "Generate Pairing QR code": "Gerar código QR de emparelhamento", @@ -152,23 +146,17 @@ "Seconds": "Segundos", "You are currently connected to %s": "Estás atualmente ligado a %s", "Disconnect account": "Desligar conta", - "Sync With Trakt": "Sincronizar com Trakt", "Syncing...": "A sincronizar...", "Done": "Terminado", "Subtitles Offset": "Desfasamento de legendas", "secs": "segs", "We are flushing your database": "Estamos a limpar a tua base de dados", "Ratio": "Rácio", - "Advanced Settings": "Definições avançadas", - "Tmp Folder": "Pasta Temporária", - "URL of this stream was copied to the clipboard": "O URL desta transmissão foi copiado para a área de transferência", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Erro, é provável que a base de dados esteja corrompida. Tenta limpar os favoritos nas definições.", "Flushing bookmarks...": "A limpar os favoritos...", "Resetting...": "A restaurar...", "We are resetting the settings": "Estamos a restaurar as definições", "Installed": "Instalado", - "We are flushing your subtitle cache": "Estamos a limpar as legendas em cache", - "Subtitle cache deleted": "Legendas em cache eliminadas", "Please select a file to play": "Por favor, escolhe o ficheiro a reproduzir", "Global shortcuts": "Atalhos globais", "Video Player": "Reprodutor de vídeo", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Sair do Ecrã Completo", "Seek Backward": "Retroceder", "Decrease Volume": "Diminuir volume", - "Show Stream URL": "Mostrar URL da Transmissão", "TV Show Detail": "Detalhes da Série", "Toggle Watched": "Marcar como Visto", "Select Next Episode": "Selecionar Episódio Seguinte", @@ -309,10 +296,7 @@ "Super Power": "Superpoder", "Supernatural": "Sobrenatural", "Vampire": "Vampiros", - "Automatically Sync on Start": "Sincronizar automaticamente ao iniciar", "VPN": "VPN", - "Activate automatic updating": "Ativar atualização automática", - "Please wait...": "Por favor, aguarde...", "Connect": "Ligar", "Create Account": "Criar conta", "Celebrate various events": "Celebrar vários eventos", @@ -320,10 +304,8 @@ "Downloaded": "Transferido", "Loading stuck ? Click here !": "Carregamento parado? Clica aqui!", "Torrent Collection": "Coleção de torrents", - "Drop Magnet or .torrent": "Arrasta para aqui um Magnet ou .torrent", "Remove this torrent": "Remover este torrent", "Rename this torrent": "Mudar o nome deste torrent", - "Flush entire collection": "Limpar coleção inteira", "Open Collection Directory": "Abrir pasta da coleção", "Store this torrent": "Guardar este torrent", "Enter new name": "Introduzir novo nome", @@ -352,101 +334,214 @@ "No thank you": "Não obrigado", "Report an issue": "Denunciar um problema", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Denunciar anonimamente", - "Note regarding anonymous reports:": "Nota a respeito das denúncias anónimas:", - "You will not be able to edit or delete your report once sent.": "Não poderás editar ou eliminar a tua denúncia depois de enviada.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Se alguma informação adicional for necessária, a denúncia poderá ser fechada, uma vez que não consigas disponibilizá-la.", - "Step 1: Please look if the issue was already reported": "Passo 1: Verifica se o problema já foi denunciado", - "Enter keywords": "Introduzir palavras-chave", - "Already reported": "Já denunciado", - "I want to report a new issue": "Quero denunciar um novo problema", - "Step 2: Report a new issue": "Passo 2: Denunciar um novo problema", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: Por favor, não uses este formulário para nos contactares. Está limitado apenas a denuncia de erros.", - "The title of the issue": "O título do problema", - "Description": "Descrição", - "200 characters minimum": "Mínimo de 200 caracteres", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Uma pequena descrição do problema. Se for conveniente, inclui os passos necessários para reproduzir o erro.", "Submit": "Submeter", - "Step 3: Thank you !": "Passo 3: Obrigado!", - "Your issue has been reported.": "O problema foi denunciado.", - "Open in your browser": "Abrir no teu navegador", - "No issues found...": "Nenhum problema encontrado...", - "First method": "Primeiro método", - "Use the in-app reporter": "Utiliza o formulário da app", - "You can find it later on the About page": "Podes encontrar isto mais tarde na página Sobre", - "Second method": "Segundo método", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Utiliza o filtro %s para procurar e verificar se o problema foi denunciado ou se já está resolvido.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Inclui uma captura de ecrã se for relevante - O teu problema é sobre uma característica de design ou um erro?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Uma boa denúncia de erro não deve deixar as coisas em aberto. Certifica que incluis detalhes do teu ambiente.", "Warning: Always use English when contacting us, or we might not understand you.": "Aviso: Usa sempre o Inglês quando nos contactares, podemos não te compreender.", - "Search for torrent": "Procurar torrent", "No results found": "Nenhum resultado encontrado", - "Invalid credentials": "Credenciais inválidas", "Open Favorites": "Abrir Favoritos", "Open About": "Abrir página Sobre", "Minimize to Tray": "Minimizar para a Barra de Tarefas", "Close": "Fechar", "Restore": "Restabelecer", - "Resume Playback": "Retomar a reprodução", "Features": "Características", "Connect To %s": "Ligar a %s", - "The magnet link was copied to the clipboard": "A ligação magnet foi copiada para a área de transferência", - "Big Picture Mode": "Modo Big Picture", - "Big Picture Mode is unavailable on your current screen resolution": "O modo Big Picture está indisponível na resolução atual de ecrã", "Cannot be stored": "Não pode ser guardado", - "%s reported this torrent as fake": "%s denunciou este torrent como falso", - "Randomize": "Aleatorizar", - "Randomize Button for Movies": "Botão de Aleatorizar para Filmes", "Overall Ratio": "Rácio geral", "Translate Synopsis": "Traduzir Sinopse", "N/A": "N/A", "Your disk is almost full.": "O teu disco está quase cheio.", "You need to make more space available on your disk by deleting files.": "Elimina ficheiros para disponibilizar mais espaço livre no disco.", "Playing Next": "Reproduzir a seguir", - "Trending": "Tendências", - "Remember Filters": "Lembrar Filtros", - "Automatic Subtitle Uploading": "Carregamento automático de legendas", "See-through Background": "Fundo transparente", "Bold": "Negrito", "Currently watching": "Atualmente a ver", "No, it's not that": "Não, não é isso", "Correct": "Correcto", - "Indie": "Indie", "Init Database": "Inicializar Base de Dados", "Status: %s ...": "Estado: %s ...", "Create Temp Folder": "Criar Pasta Temporária", "Set System Theme": "Definir tema do sistema", "Disclaimer": "Aviso Legal", "Series": "Séries", - "Finished": "Terminada", "Event": "Evento", - "action": "ação", - "war": "guerra", "Local": "Local", "Try another subtitle or drop one in the player": "Tenta outra legenda ou arrasta uma para o reprodutor", - "animation": "animação", - "family": "familiar", "show": "programa", "movie": "filme", "Something went wrong downloading the update": "Ocorreu um erro ao transferir a atualização", - "Activate Update seeding": "Ativar atualização de semeio", - "Disable Anime Tab": "Desativar separador Anime", - "Disable Indie Tab": "Desativar separador Indie", "Error converting subtitle": "Erro ao converter a legenda", "No subtitles found": "Nenhuma legenda encontrada", "Try again later or drop a subtitle in the player": "Tenta novamente mais tarde ou arrasta uma legenda para o reprodutor", "You should save the content of the old directory, then delete it": "Devias guardar o conteúdo do diretório antigo e depois eliminá-lo", "Search on %s": "Pesquisa em %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Tens a certeza de que queres limpar a Coleção de Torrents na totalidade?", "Audio Language": "Idioma do áudio", "Subtitle": "Legenda", "Code:": "Código:", "Error reading subtitle timings, file seems corrupted": "Erro ao ler a sincronia da legenda, ficheiro aparentemente corrompido", - "Connection Not Secured": "Ligação não segura", "Open File to Import": "Abrir ficheiro para importar", - "Browse Directoy to save to": "Navegar pelo diretório para guardar", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancelar e usar VPN", - "Continue seeding torrents after restart app?": "Continuar a semear torrents depois de reiniciar a aplicação?", - "Enable VPN": "Ativar VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "A transferir...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Resultados da procura", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Desconhecido", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Sim", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brilho", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Verificar atualizações", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/pt-br.json b/src/app/language/pt-br.json index fb9be90003..b83d6f95d6 100644 --- a/src/app/language/pt-br.json +++ b/src/app/language/pt-br.json @@ -44,7 +44,6 @@ "Load More": "Carregar mais", "Saved": "Salvo", "Settings": "Configurações", - "Show advanced settings": "Mostrar configurações avançadas", "User Interface": "Interface do Usuário", "Default Language": "Idioma Padrão", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Desativado", "Size": "Tamanho", "Quality": "Qualidade", - "Only list movies in": "Mostrar apenas filmes em", - "Show movie quality on list": "Mostrar qualidade dos filmes na lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Conecte ao %s para fazer o 'scrobble' dos episódios que você assiste automaticamente em %s", "Username": "Nome de Usuário", "Password": "Senha", "%s stores an encrypted hash of your password in your local database": "%sarmazenando um \"hash\" criptografado da sua senha no banco de dados local", @@ -73,19 +69,17 @@ "HTTP API Username": "Nome de usuário HTTP API", "HTTP API Password": "Senha HTTP API", "Connection": "Conexão", - "TV Show API Endpoint": "Endpoint da API de Séries", "Connection Limit": "Limite de Conexão", "DHT Limit": "Limite DHT", "Port to stream on": "Porta para Transmissão", "0 = Random": "0 = Aleatório", "Cache Directory": "Diretório do Cache", - "Clear Tmp Folder after closing app?": "Limpar cache depois de fechar o aplicativo?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Banco de Dados", "Database Directory": "Diretório do Banco de Dados", "Import Database": "Importar Banco de Dados", "Export Database": "Exportar Banco de Dados", "Flush bookmarks database": "Limpar o banco de dados dos favoritos", - "Flush subtitles cache": "Limpar as legendas em cache", "Flush all databases": "Limpar todos os bancos de dados", "Reset to Default Settings": "Voltar às configurações inicias", "Importing Database...": "Importando Banco de Dados...", @@ -131,8 +125,8 @@ "Ended": "Concluído", "Error loading data, try again later...": "Erro ao carregar os dados, tente mais tarde...", "Miscellaneous": "Vários", - "First Unwatched Episode": "Primeiro Episódio Não Assistido", - "Next Episode In Series": "Próximo Episódio Da Série", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Apagando..", "Are you sure?": "Você tem certeza?", "We are flushing your databases": "Estamos apagando os seus banco de dados", @@ -142,7 +136,7 @@ "Terms of Service": "Termos de Serviço", "I Accept": "Eu Aceito", "Leave": "Sair", - "When Opening TV Series Detail Jump To": "Ao Abrir os Detalhes de uma Série Pular Para", + "Series detail opens to": "Series detail opens to", "Playback": "Reprodução", "Play next episode automatically": "Reproduzir o próximo episódio automaticamente", "Generate Pairing QR code": "Gerar código QR de pareamento", @@ -152,23 +146,17 @@ "Seconds": "Segundos", "You are currently connected to %s": "Você está atualmente conectado a %s", "Disconnect account": "Desconectar conta", - "Sync With Trakt": "Sincronizar com o Trakt", "Syncing...": "Sincronizando...", "Done": "Pronto", "Subtitles Offset": "Deslocamento da legenda", "secs": "segs", "We are flushing your database": "Nós estamos apagando seu banco de dados", "Ratio": "Rácio", - "Advanced Settings": "Configurações Avançadas", - "Tmp Folder": "Pasta Temporária", - "URL of this stream was copied to the clipboard": "URL da transmissão foi copiado para a área de transferência", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Erro, o banco de dados está provavelmente corrompido. Tente limpar os favoritos nas configurações.", "Flushing bookmarks...": "Limpando favoritos...", "Resetting...": "Resetando...", "We are resetting the settings": "Nós estamos redefinindo as configurações", "Installed": "Instalado", - "We are flushing your subtitle cache": "Estamos limpando as legendas em cache", - "Subtitle cache deleted": "Legendas em cache deletadas", "Please select a file to play": "Por favor, selecione um arquivo para reproduzir", "Global shortcuts": "Atalhos Globais", "Video Player": "Reprodutor de Video", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Sair da Tela Cheia", "Seek Backward": "Retroceder", "Decrease Volume": "Diminuir o Volume em", - "Show Stream URL": "Mostrar URL da Transmissão", "TV Show Detail": "Detalhes da Série", "Toggle Watched": "Marcar como Visto", "Select Next Episode": "Selecionar próximo episódio", @@ -309,10 +296,7 @@ "Super Power": "Super Poder", "Supernatural": "Sobrenatural", "Vampire": "Vampiro", - "Automatically Sync on Start": "Sincronizar automaticamente na inicialização", "VPN": "VPN", - "Activate automatic updating": "Ativar atualização automática", - "Please wait...": "Por favor, aguarde...", "Connect": "Conectar-se", "Create Account": "Criar Conta", "Celebrate various events": "Festejar vários eventos", @@ -320,10 +304,8 @@ "Downloaded": "Download concluído", "Loading stuck ? Click here !": "Carregamento travou ? Clique aqui !", "Torrent Collection": "Coleção de Torrent", - "Drop Magnet or .torrent": "Solte um Magnet ou .torrent", "Remove this torrent": "Remover este torrent", "Rename this torrent": "Renomear este torrent", - "Flush entire collection": "Apagar coleção inteira", "Open Collection Directory": "Abrir diretório da coleção", "Store this torrent": "Armazenar este torrent", "Enter new name": "Insira um novo nome", @@ -352,101 +334,214 @@ "No thank you": "Não, obrigado", "Report an issue": "Relatar um problema", "Email": "Email", - "Log in": "Entrar", - "Report anonymously": "Relatar anonimamente", - "Note regarding anonymous reports:": "Nota acerca de relatos anônimos:", - "You will not be able to edit or delete your report once sent.": "Você não poderá editar ou delatar seu relato uma vez que ele tenha sido enviado.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Se qualquer informação adicional for necessária, o relato pode ser fechado, já que você não poderá fornecê-los.", - "Step 1: Please look if the issue was already reported": "Passo 1: Por favor, verifique se o problema já foi relatado", - "Enter keywords": "Fornecer palavras chaves", - "Already reported": "Já relatado", - "I want to report a new issue": "Eu quero relatar um novo problema", - "Step 2: Report a new issue": "Passo 2: Relatar um novo problema", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: por favor, não use esse formulário para nos contatar. Ele é limitado apenas a relatos de bug.", - "The title of the issue": "O título do problema", - "Description": "Descrição", - "200 characters minimum": "200 caracteres no mínimo", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Uma pequena descrição do problema. Se conveniente, inclua os passos necessários para reproduzir o bug.", "Submit": "Enviar", - "Step 3: Thank you !": "Passo 3: Obrigado!", - "Your issue has been reported.": "Seu problema foi relatado.", - "Open in your browser": "Abra no seu navegador", - "No issues found...": "Nenhum problema encontrado...", - "First method": "Primeiro método", - "Use the in-app reporter": "Usar ferramenta de relatos do app", - "You can find it later on the About page": "Você pode encontrá-lo depois na página Sobre", - "Second method": "Segundo método", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use o filtro %s de problemas para procurar e verificar se o problema já foi relatado ou consertado.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Incluir uma captura da tela se relevante - Seu problema é sobre uma característica do design ou um bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Um bom relato de bug não deve fazer com que os outros precisem ir atrás de você por mais informações. Tenha certeza de incluir os detalhes do seu ambiente.", "Warning: Always use English when contacting us, or we might not understand you.": "Atenção: Sempre utilize o inglês quando nos contatar, ou nós poderemos não entendê-lo.", - "Search for torrent": "Procurar por torrent", "No results found": "Nenhum resultado encontrado", - "Invalid credentials": "Credenciais inválidas", "Open Favorites": "Abrir Favoritos", "Open About": "Abrir Sobre", "Minimize to Tray": "Minimizar para a bandeja", "Close": "Fechar", "Restore": "Restaurar", - "Resume Playback": "Continuar Reprodução", "Features": "Recursos", "Connect To %s": "Conectar A %s", - "The magnet link was copied to the clipboard": "O link magnético foi copiado para a área de transferência", - "Big Picture Mode": "Modo Tela Grande", - "Big Picture Mode is unavailable on your current screen resolution": "O Modo Tela Grande está indisponível para a sua resolução de tela atual", "Cannot be stored": "Não pode ser armazenado", - "%s reported this torrent as fake": "%s reportou esse torrent como falso", - "Randomize": "Aleatório", - "Randomize Button for Movies": "Botão de modo aleatório para Filmes", "Overall Ratio": "Taxa Geral", "Translate Synopsis": "Traduzir Sinopse", "N/A": "N/D", "Your disk is almost full.": "Seu disco está quase cheio.", "You need to make more space available on your disk by deleting files.": "Você precisa precisa deletar arquivos do seu disco para ter mais espaço disponível.", "Playing Next": "A seguir", - "Trending": "Tendência", - "Remember Filters": "Lembrar Filtros", - "Automatic Subtitle Uploading": "Upload Automático de Legenda", "See-through Background": "Fundo transparente", "Bold": "Negrito", "Currently watching": "Assistindo no momento", "No, it's not that": "Não, não é isso", "Correct": "Correto", - "Indie": "Indie", "Init Database": "Iniciar Banco de Dados", "Status: %s ...": "Status: %s...", "Create Temp Folder": "Criar pasta temporária", "Set System Theme": "Definir Tema do Sistema", "Disclaimer": "Aviso Legal", "Series": "Séries", - "Finished": "Finalizado", "Event": "Evento", - "action": "ação", - "war": "guerra", "Local": "Local", "Try another subtitle or drop one in the player": "Tente uma outra legenda ou solte uma no player", - "animation": "animação", - "family": "família", "show": "série", "movie": "filme", "Something went wrong downloading the update": "Algo deu errado ao baixar a atualização", - "Activate Update seeding": "Ativar atualização de semeadura", - "Disable Anime Tab": "Desativar Aba de Animes", - "Disable Indie Tab": "Desativar Aba Indie", "Error converting subtitle": "Erro ao converter legenda", "No subtitles found": "Nenhuma legenda foi encontrada", "Try again later or drop a subtitle in the player": "Tente novamente mais tarde ou solte uma legenda no player", "You should save the content of the old directory, then delete it": "Você deve salvar o conteúdo do antigo diretório, e depois excluí-lo", "Search on %s": "Procurar em %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Tem certeza de que deseja limpar toda a coleção do Torrent?", "Audio Language": "Áudio", "Subtitle": "Legenda", "Code:": "Código", "Error reading subtitle timings, file seems corrupted": "Erro na leitura de tempo da legenda, o arquivo aparenta estar corrompido", - "Connection Not Secured": "Conexão não protegida", "Open File to Import": "Abrir arquivo para importar", - "Browse Directoy to save to": "Escolha Diretório no qual salvar", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancelar e usar VPN", - "Continue seeding torrents after restart app?": "Continuar semeando torrents depois de reiniciar a aplicação?", - "Enable VPN": "Habilitar VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Transferindo", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Resultados da Busca", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Desconhecida", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Sim", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Traduzido - Original", + "Original - Translated": "Original - Traduzido", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brilho", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Verificar atualizações", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/pt.json b/src/app/language/pt.json index 98f7552724..4c49c47ab6 100644 --- a/src/app/language/pt.json +++ b/src/app/language/pt.json @@ -44,7 +44,6 @@ "Load More": "Carregar mais", "Saved": "Guardado", "Settings": "Definições", - "Show advanced settings": "Mostrar definições avançadas", "User Interface": "Interface", "Default Language": "Idioma predefinido", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Desativadas", "Size": "Tamanho", "Quality": "Qualidade", - "Only list movies in": "Mostrar apenas filmes em", - "Show movie quality on list": "Mostrar qualidade dos filmes na lista", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Liga-te a %s para sincronizar automaticamente os episódios vistos no %s", "Username": "Nome de utilizador", "Password": "Palavra-passe", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "Utilizador da API HTTP", "HTTP API Password": "Palavra-passe da API HTTP", "Connection": "Ligação", - "TV Show API Endpoint": "Endereço da API de séries", "Connection Limit": "Limite de ligações", "DHT Limit": "Limite DHT", "Port to stream on": "Porta para transmissão", "0 = Random": "0 = Aleatória", "Cache Directory": "Pasta de cache", - "Clear Tmp Folder after closing app?": "Limpar pasta de cache depois de fechar a aplicação?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Base de dados", "Database Directory": "Localização da base de dados", "Import Database": "Importar base de dados", "Export Database": "Exportar base de dados", "Flush bookmarks database": "Limpar base de dados dos favoritos", - "Flush subtitles cache": "Limpar cache de legendas", "Flush all databases": "Limpar todas as bases de dados", "Reset to Default Settings": "Repor predefinições", "Importing Database...": "A importar a base de dados...", @@ -131,8 +125,8 @@ "Ended": "Terminou", "Error loading data, try again later...": "Erro ao carregar. Tenta mais tarde...", "Miscellaneous": "Outros", - "First Unwatched Episode": "primeiro episódio por ver", - "Next Episode In Series": "próximo episódio da série", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "A limpar...", "Are you sure?": "Tens a certeza?", "We are flushing your databases": "Estamos a limpar as tuas bases de dados", @@ -142,7 +136,7 @@ "Terms of Service": "Termos de serviço", "I Accept": "Aceito", "Leave": "Sair", - "When Opening TV Series Detail Jump To": "Ao abrir os detalhes das séries ir para", + "Series detail opens to": "Series detail opens to", "Playback": "Reprodução", "Play next episode automatically": "Reproduzir o próximo episódio automaticamente", "Generate Pairing QR code": "Gerar código QR de emparelhamento", @@ -152,23 +146,17 @@ "Seconds": "Segundos", "You are currently connected to %s": "Estás ligado a %s", "Disconnect account": "Desligar conta", - "Sync With Trakt": "Sincronizar com Trakt", "Syncing...": "A sincronizar...", "Done": "Terminado", "Subtitles Offset": "Desfasamento das legendas", "secs": "segs", "We are flushing your database": "Estamos a limpar a tua base de dados", "Ratio": "Rácio", - "Advanced Settings": "Definições avançadas", - "Tmp Folder": "Pasta tmp", - "URL of this stream was copied to the clipboard": "O URL desta transmissão foi copiado para a área de transferência", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Erro, provavelmente a base de dados está corrompida. Tenta eliminar os favoritos nas definições.", "Flushing bookmarks...": "A apagar os favoritos...", "Resetting...": "A restaurar...", "We are resetting the settings": "Estamos a restaurar as definições", "Installed": "Instalado", - "We are flushing your subtitle cache": "Estamos a limpar as legendas em cache", - "Subtitle cache deleted": "Cache de legendas eliminado", "Please select a file to play": "Por favor, escolhe o ficheiro a reproduzir", "Global shortcuts": "Atalhos globais", "Video Player": "Leitor de vídeo", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Sair do ecrã completo", "Seek Backward": "Retroceder", "Decrease Volume": "Diminuir volume", - "Show Stream URL": "Mostrar URL da transmissão", "TV Show Detail": "Detalhes da série", "Toggle Watched": "Marcar como visto", "Select Next Episode": "Selecionar próximo episódio", @@ -309,10 +296,7 @@ "Super Power": "Superpoder", "Supernatural": "Sobrenatural", "Vampire": "Vampiro", - "Automatically Sync on Start": "Sincronizar automaticamente ao iniciar", "VPN": "VPN", - "Activate automatic updating": "Ativar atualizações automáticas", - "Please wait...": "Por favor, aguarda…", "Connect": "Ligar", "Create Account": "Criar conta", "Celebrate various events": "Comemorar datas especiais", @@ -320,10 +304,8 @@ "Downloaded": "Descarregado", "Loading stuck ? Click here !": "Carregamento bloqueado? Clica aqui!", "Torrent Collection": "Biblioteca de torrents", - "Drop Magnet or .torrent": "Arrasta para aqui a ligação magnet ou o ficheiro .torrent", "Remove this torrent": "Apagar este torrent", "Rename this torrent": "Mudar o nome deste torrent", - "Flush entire collection": "Limpar a biblioteca", "Open Collection Directory": "Abrir pasta da biblioteca", "Store this torrent": "Guardar este torrent", "Enter new name": "Digita um novo nome", @@ -352,101 +334,214 @@ "No thank you": "Não, obrigado", "Report an issue": "Comunicar um problema", "Email": "Email", - "Log in": "Iniciar sessão", - "Report anonymously": "Enviar relatório anonimamente", - "Note regarding anonymous reports:": "Nota sobre relatórios anónimos:", - "You will not be able to edit or delete your report once sent.": "Não poderás editar ou eliminar o teu relatório após o envio.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Se for necessário acrescentar informação adicional, o relatório poderá ter sido fechado e não permitirá submetê-la.", - "Step 1: Please look if the issue was already reported": "Passo 1: Por favor, verifica se o problema já foi comunicado", - "Enter keywords": "Digita palavras-chave", - "Already reported": "Já foi comunicado", - "I want to report a new issue": "Quero comunicar um novo problema", - "Step 2: Report a new issue": "Passo 2: Comunica um novo problema", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Nota: Por favor, não uses este formulário para nos contactar. Serve apenas para comunicar problemas.", - "The title of the issue": "Título do problema", - "Description": "Descrição", - "200 characters minimum": "Mínimo de 200 caracteres", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Uma curta descrição do problema. Se for possível, inclui os passos necessários para repetir o problema.", "Submit": "Submeter", - "Step 3: Thank you !": "Passo 3: Obrigado!", - "Your issue has been reported.": "O teu problema foi comunicado.", - "Open in your browser": "Abrir no navegador", - "No issues found...": "Nenhum problema encontrado...", - "First method": "Primeiro método", - "Use the in-app reporter": "Usa o sistema de relatório da aplicação", - "You can find it later on the About page": "Poderás encontrá-lo na página \"Informações\"", - "Second method": "Segundo método", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Usa o filtro de problemas do %s para pesquisar e verificar se o problema já foi relatado ou resolvido.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Inclui uma captura de ecrã de for relevante - o teu problema é relacionado com o visual da aplicação ou com a funcionalidade?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Um bom relatório deve apresentar toda a informação necessária. Certifica-te que isso inclui os detalhes do teu sistema.", "Warning: Always use English when contacting us, or we might not understand you.": "Aviso: Escreve sempre em Inglês quando nos contactas, ou corres o risco de não te conseguirmos perceber.", - "Search for torrent": "Search for torrent", "No results found": "Nenhum resultado encontrado", - "Invalid credentials": "Credenciais inválidas", "Open Favorites": "Abrir Favoritos", "Open About": "Abrir Informações", "Minimize to Tray": "Minimizar para a barra de tarefas", "Close": "Fechar", "Restore": "Restaurar", - "Resume Playback": "Retomar reprodução anterior", "Features": "Funcionalidades", "Connect To %s": "Ligar a %s", - "The magnet link was copied to the clipboard": "A ligação magnet foi copiada para a área de transferência", - "Big Picture Mode": "Modo de ecrã grande", - "Big Picture Mode is unavailable on your current screen resolution": "O modo de ecrã grande não está disponível para a resolução atual do teu ecrã", "Cannot be stored": "Não pode ser guardado", - "%s reported this torrent as fake": "%s marcou este torrent como falso", - "Randomize": "Aleatório", - "Randomize Button for Movies": "Botão Aleatório para Filmes", "Overall Ratio": "Taxa de transferências", "Translate Synopsis": "Traduzir sinopse", "N/A": "Indisponível", "Your disk is almost full.": "O teu disco está quase cheio.", "You need to make more space available on your disk by deleting files.": "Precisas de apagar ficheiros do disco para libertar espaço.", "Playing Next": "Próximo episódio", - "Trending": "Tendências", - "Remember Filters": "Manter filtros", - "Automatic Subtitle Uploading": "Enviar legendas automaticamente", "See-through Background": "Fundo transparente", "Bold": "Negrito", "Currently watching": "A ver agora", "No, it's not that": "Não, não é isso", "Correct": "Correto", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Local", "Try another subtitle or drop one in the player": "Tenta outra legenda ou arrasta uma para o leitor", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Erro ao converter legendas", "No subtitles found": "Nenhuma legenda encontrada", "Try again later or drop a subtitle in the player": "Volta a tentar mais tarde ou arrasta uma legenda para o leitor", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Pesquisar em %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Erro ao ler os tempos da legenda, o ficheiro parece estar corrompido", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Downloading", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Resultados de Pesquisa", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Desconhecida", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Sim", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brilho", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Procurar atualizações", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ro.json b/src/app/language/ro.json index 7c686ed2d1..af9ae1a714 100644 --- a/src/app/language/ro.json +++ b/src/app/language/ro.json @@ -44,7 +44,6 @@ "Load More": "Încarcă mai mult", "Saved": "Salvat", "Settings": "Setări", - "Show advanced settings": "Arată setările avansate", "User Interface": "Interfață utilizator", "Default Language": "Limba implicită", "Theme": "Temă", @@ -61,10 +60,7 @@ "Disabled": "Dezactivat", "Size": "Mărime", "Quality": "Calitate", - "Only list movies in": "Arată doar filmele", - "Show movie quality on list": "Arată calitatea filmului în listă", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Conectați-vă la %s pentru a primi episoadele pe care la urmăriți în %s", "Username": "Nume utilizator", "Password": "Parolă", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "Nume utilizator API HTTP", "HTTP API Password": "Parolă utilizator API HTTP", "Connection": "Conexiune", - "TV Show API Endpoint": "Adresa API pentru seriale", "Connection Limit": "Limită conexiune", "DHT Limit": "Limită DHT", "Port to stream on": "Port pentru emitere flux", "0 = Random": "0 = Aleator", "Cache Directory": "Director temporar", - "Clear Tmp Folder after closing app?": "Se șterge directorul temporar la închiderea aplicației?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Bază de date", "Database Directory": "Director bază de date", "Import Database": "Importă baza de date", "Export Database": "Exportă baza de date", "Flush bookmarks database": "Șterge baza de date a favoritelor", - "Flush subtitles cache": "Șterge memoria subtitrărilor", "Flush all databases": "Șterge toate bazele de date", "Reset to Default Settings": "Resetare la setările implicite", "Importing Database...": "Se importă baza de date...", @@ -131,8 +125,8 @@ "Ended": "Terminat", "Error loading data, try again later...": "A apărut o eroare la încărcarea datelor, încercați mai târziu...", "Miscellaneous": "Diverse", - "First Unwatched Episode": "Primul episod nevizionat", - "Next Episode In Series": "Următorul episod în serie", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Se șterge...", "Are you sure?": "Confirmați?", "We are flushing your databases": "Se șterg bazele de date", @@ -142,7 +136,7 @@ "Terms of Service": "Condiții de utilizare", "I Accept": "Accept", "Leave": "Închide", - "When Opening TV Series Detail Jump To": "Când se deschid detaliile serialului TV se sare la", + "Series detail opens to": "Series detail opens to", "Playback": "Redare", "Play next episode automatically": "Redă automat următorul episod", "Generate Pairing QR code": "Generează cod QR de împerechere", @@ -152,23 +146,17 @@ "Seconds": "Secunde", "You are currently connected to %s": "Sunteți conectat acum la %s", "Disconnect account": "Deconectează contul", - "Sync With Trakt": "Sincronizează cu Trakt", "Syncing...": "Se sincronizează...", "Done": "Gata", "Subtitles Offset": "Decalaj subtitrare", "secs": "sec", "We are flushing your database": "Se șterge baza de date", "Ratio": "Raport", - "Advanced Settings": "Setări avansate", - "Tmp Folder": "Director temporar", - "URL of this stream was copied to the clipboard": "Adresa acestui flux s-a copiat în memoria clipboard", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Eroare, baza de date este probabil coruptă. Încercați să ștergeți favoritele în setări.", "Flushing bookmarks...": "Se șterg favoritele...", "Resetting...": "Se resetează...", "We are resetting the settings": "Se reinițializează setările", "Installed": "S-a instalat", - "We are flushing your subtitle cache": "Se șterge memoria subtitrărilor", - "Subtitle cache deleted": "Memoria subtitrărilor a fost ștearsă", "Please select a file to play": "Vă rugăm să selectați un fișier pentru vizionare", "Global shortcuts": "Scurtături globale", "Video Player": "Player Video", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Ieșire din ecran complet", "Seek Backward": "Deplasează înapoi", "Decrease Volume": "Diminuează volumul", - "Show Stream URL": "Arată adresa fluxului", "TV Show Detail": "Detaliile serialului TV", "Toggle Watched": "Comutare stare vizionare", "Select Next Episode": "Selectează sezonul următor", @@ -309,10 +296,7 @@ "Super Power": "Super putere", "Supernatural": "Supranatural", "Vampire": "Vampir", - "Automatically Sync on Start": "Sincronizare automată la start", "VPN": "VPN", - "Activate automatic updating": "Activează actualizarea automată", - "Please wait...": "Vă rugăm așteptați...", "Connect": "Conectează", "Create Account": "Crează cont", "Celebrate various events": "Celebrează diverse sărbători", @@ -320,10 +304,8 @@ "Downloaded": "Descărcat", "Loading stuck ? Click here !": "Încărcare blocată? Apasă aici!", "Torrent Collection": "Colecție torrente", - "Drop Magnet or .torrent": "Trageți aici un Magnet sau un .torrent", "Remove this torrent": "Elimină torrent", "Rename this torrent": "Redenumește torrent", - "Flush entire collection": "Golește întreaga colecție", "Open Collection Directory": "Deschide directorul colecției", "Store this torrent": "Stochează acest torrent", "Enter new name": "Introduceți numele nou", @@ -352,101 +334,214 @@ "No thank you": "Nu, mulțumesc", "Report an issue": "Raportați o problemă", "Email": "Email", - "Log in": "Autentificare", - "Report anonymously": "Raportare anonimă", - "Note regarding anonymous reports:": "Observație referitoare la raportările anonime", - "You will not be able to edit or delete your report once sent.": "Nu veți putea edita sau șterge raportarea Dumneavoastră, odată trimisă.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Dacă sunt necesare orice alte informații, raportarea ar putea fi închisă, deoarece nu le veți putea furniza.", - "Step 1: Please look if the issue was already reported": "Pasul 1: Vă rugăm să verificați dacă problema nu a mai fost deja raportată", - "Enter keywords": "Introduceți cuvinte cheie", - "Already reported": "Deja raportată", - "I want to report a new issue": "Vreau să raportez o problemă nouă", - "Step 2: Report a new issue": "Pasul 2: Raportează o problemă nouă", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Notă: vă rugăm să nu folosiți acest formular pentru a ne contacta. Este limitat doar pentru raportarea de erori.", - "The title of the issue": "Titlul problemei", - "Description": "Descriere", - "200 characters minimum": "200 caractere minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "O scurtă descriere a problemei. Dacă este adecvat, includeți pașii necesari pentru a reproduce eroarea.", "Submit": "Trimite", - "Step 3: Thank you !": "Pasul 3: Mulțumim!", - "Your issue has been reported.": "Problema Dumneavoastră a fost raportată.", - "Open in your browser": "Deschideți în browserul Dumneavoastră", - "No issues found...": "Nu s-au găsit probleme...", - "First method": "Prima metodă", - "Use the in-app reporter": "Folosiți raportarea din aplicație", - "You can find it later on the About page": "O puteți găsi în pagina Despre", - "Second method": "A doua metodă", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Folosiți filtrul de probleme %s pentru a căuta și verifica dacă problema nu a fost deja raportată sau rezolvată.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Includeți o captură de ecran dacă este relevant - Este problema Dvs. despre o caracteristică a programului sau este o eroare de funcționare?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "O raportare eficientă de probleme nu ar trebui să-i implice pe ceilalți să vă mai ceară informații. Fiți siguri că includeți detaliile sistemului de operare.", "Warning: Always use English when contacting us, or we might not understand you.": "Observație: Folosiți întotdeauna limba engleză când ne contactați, altfel nu vă vom putea înțelege.", - "Search for torrent": "Search for torrent", "No results found": "Nu s-au găsit rezultate", - "Invalid credentials": "Date de autentificare invalide", "Open Favorites": "Deschide Favorite", "Open About": "Deschide Despre", "Minimize to Tray": "Minimizare în zona de notificare", "Close": "Închide", "Restore": "Restabilește", - "Resume Playback": "Continuă redarea", "Features": "Caracteristici", "Connect To %s": "Conectează la %s", - "The magnet link was copied to the clipboard": "Link-ul magnet a fost copiat în memoria clipboard.", - "Big Picture Mode": "Mod ecran mărit", - "Big Picture Mode is unavailable on your current screen resolution": "Modul ecran mărit nu este disponibil în rezoluția curentă", "Cannot be stored": "Nu poate fi stocat", - "%s reported this torrent as fake": "%s a raportat fals acest torrent", - "Randomize": "Aleator", - "Randomize Button for Movies": "Buton pentru film aleator", "Overall Ratio": "Raport global", "Translate Synopsis": "Traducere rezumat", "N/A": "N/A", "Your disk is almost full.": "Spațiul Dumneavoastră de stocare este aproape plin.", "You need to make more space available on your disk by deleting files.": "Trebuie să creați mai mult spațiu disponibil prin ștergerea fișierelor.", "Playing Next": "Se rulează următorul", - "Trending": "Trend", - "Remember Filters": "Reține filtrele", - "Automatic Subtitle Uploading": "Încărcare automată subtitrare", "See-through Background": "Fundal transparent", "Bold": "Aldin", "Currently watching": "În vizionare", "No, it's not that": "Nu, nu e asta", "Correct": "Corect", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Local", "Try another subtitle or drop one in the player": "Încercați altă subtitrare sau trageți una în player", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Eroare la conversia subtitrării", "No subtitles found": "Nu s-au găsit subtitrări", "Try again later or drop a subtitle in the player": "Încercați din nou mai târziu sau trageți o subtitrare în player", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Caută %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Eroare la citirea timpilor subtitrării, fișierul pare a fi deteriorat", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Se descarcă", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Rezultatele căutarii", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Stare necunoscută", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Da", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Luminozitate", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Verificare pentru actualizări", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ru.json b/src/app/language/ru.json index 6373fad917..5f9826e7d5 100644 --- a/src/app/language/ru.json +++ b/src/app/language/ru.json @@ -1,627 +1,576 @@ { - "External Player": "Внешний проигрыватель", - "Made with": "Сделано", - "by a bunch of geeks from All Around The World": "группой гиков со всего мира", - "Initializing %s. Please Wait...": "Инициализация %s. Пожалуйста, подождите...", - "Movies": "Фильмы", - "TV Series": "Сериалы", - "Anime": "Аниме", - "Genre": "Жанр", - "All": "Все", - "Action": "Боевик", - "Adventure": "Приключения", - "Animation": "Анимационный", - "Children": "Детское", - "Comedy": "Комедия", - "Crime": "Криминальный", - "Documentary": "Документальный", - "Drama": "Драма", - "Family": "Семейный", - "Fantasy": "Фантастика", - "Game Show": "Игровое шоу", - "Horror": "Ужасы", - "Mini Series": "Мини-сериалы", - "Mystery": "Мистика", - "News": "Новости", - "Reality": "Реалити-шоу", - "Romance": "Романтический", - "Science Fiction": "Научная фантастика", - "Soap": "Мыльная опера", - "Special Interest": "Специальные интересы", - "Sport": "Спортивный", - "Suspense": "Саспенс", - "Talk Show": "Ток-шоу", - "Thriller": "Триллер", - "Western": "Вестерн", - "Sort by": "Упорядочить по", - "Updated": "Времени обновления", - "Year": "Году", - "Name": "Названию", - "Search": "Поиск", - "Season": "Сезон", - "Seasons": "Сезоны", - "Season %s": "Сезон %s", - "Load More": "Загрузить ещё", - "Saved": "Сохранено", - "Settings": "Настройки", - "Show advanced settings": "Показать дополнительные настройки", - "User Interface": "Интерфейс", - "Default Language": "Язык по умолчанию", - "Theme": "Цветовая схема", - "Start Screen": "Начальный экран", - "Favorites": "Избранное", - "Show rating over covers": "Показывать рейтинг поверх обложек", - "Always On Top": "Поверх всех окон", - "Watched Items": "Просмотренное", - "Show": "Показать", - "Fade": "Затемнить", - "Hide": "Скрыть", - "Subtitles": "Субтитры", - "Default Subtitle": "Субтитры по умолчанию", - "Disabled": "Отключено", - "Size": "Размер", - "Quality": "Качество", - "Show movie quality on list": "Показывать качество в каталоге фильмов", - "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Подключитесь к %s дня автоматического «скробблинга» эпизодов которые вы смотрите в %s", - "Username": "Имя пользователя", - "Password": "Пароль", - "%s stores an encrypted hash of your password in your local database": "%s пароль хранится в зашифрованном виде в локальной базе данных", - "Remote Control": "Дистанционное управление", - "HTTP API Port": "Порт HTTP API", - "HTTP API Username": "Имя пользователя HTTP API", - "HTTP API Password": "Пароль HTTP API", - "Connection": "Соединение", - "TV Show API Endpoint": "API для сериалов", - "Connection Limit": "Лимит соединений", - "DHT Limit": "Лимит DHT", - "Port to stream on": "Порт для трансляции", - "0 = Random": "0 = Случайный", - "Cache Directory": "Место хранения кэша", - "Clear Cache Folder after closing the app?": "Очистить временную директорию после закрытия приложения?", - "Database": "База данных", - "Database Directory": "Место хранения кэша базы данных", - "Import Database": "Импорт базы данных", - "Export Database": "Экспорт базы данных", - "Flush bookmarks database": "Сбросить базу данных закладок", - "Flush subtitles cache": "Сбросить базу данных субтитров", - "Flush all databases": "Сбросить все базы данных", - "Reset to Default Settings": "Восстановить настройки по умолчанию", - "Importing Database...": "Импорт базы данных…", - "Please wait": "Пожалуйста, подождите", - "Error": "Ошибка", - "Biography": "Биография", - "Film-Noir": "Нуар", - "History": "Исторический", - "Music": "Музыкальный", - "Musical": "Мюзикл", - "Sci-Fi": "Научная фантастика", - "Short": "Короткометражный", - "War": "Военный", - "Rating": "Рейтингу", - "Open IMDb page": "Открыть страницу IMDb", - "Health false": "Статус false", - "Add to bookmarks": "Добавить в избранное", - "Watch Trailer": "Смотреть трейлер", - "Watch Now": "Смотреть", - "Ratio:": "Рейтинг:", - "Seeds:": "Сиды:", - "Peers:": "Пиры:", - "Remove from bookmarks": "Удалить из избранного", - "Changelog": "Список изменений", - "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s это результат сбора многими разработчиками и дизайнерами многих API в одно целое, чтобы сделать просмотр фильмов через торренты как можно проще.", - "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Мы Open Source проект. Мы со всего мира. Мы любим наши фильмы. И само собой мы любим попкорн.", - "Health Unknown": "Проверить статус", - "Episodes": "Эпизоды", - "Episode %s": "Эпизод %s", - "Aired Date": "Дата выхода в эфир", - "Streaming to": "Транслирую на", - "connecting": "Соединение…", - "Download": "Загрузка", - "Upload": "Отдача", - "Active Peers": "Активные пиры", - "Cancel": "Отмена", - "startingDownload": "Начинается загрузка…", - "downloading": "Загружается", - "ready": "Готово", - "playingExternally": "Воспроизведение во внешнем источнике", - "Custom...": "Пользовательские…", - "Volume": "Громкость", - "Ended": "Завершён", - "Error loading data, try again later...": "Ошибка загрузки данных, повторите попытку позже…", - "Miscellaneous": "Прочее", - "First unwatched episode": "Первый не просмотренный эпизод", - "Next episode": "Следующий эпизод", - "Flushing...": "Очистка…", - "Are you sure?": "Вы уверены?", - "We are flushing your databases": "Мы очищаем ваши базы данных", - "Success": "Успешно", - "Please restart your application": "Пожалуйста, перезапустите приложение", - "Restart": "Перезапуск", - "Terms of Service": "Пользовательское соглашение", - "I Accept": "Я согласен", - "Leave": "Выйти", - "Series detail opens to": "При просмотре деталей сериала перейти к", - "Playback": "Воспроизведение", - "Play next episode automatically": "Воспроизводить следующий эпизод автоматически", - "Generate Pairing QR code": "Сгенерировать QR код для сопряжения", - "Play": "Воспроизвести", - "waitingForSubtitles": "Ожидание субтитров", - "Play Now": "Воспроизвести сейчас", - "Seconds": "Секунд", - "You are currently connected to %s": "На данный момент вы подключены к %s", - "Disconnect account": "Отключить аккаунт", - "Sync With Trakt": "Синхронизировать с Trakt.tv", - "Syncing...": "Синхронизация…", - "Done": "Готово", - "Subtitles Offset": "Сдвиг субтитров", - "secs": "сек", - "We are flushing your database": "Мы очищаем вашу базу данных", - "Ratio": "Рейтинг", - "Advanced Settings": "Расширенные настройки", - "Tmp Folder": "Временная директория", - "URL of this stream was copied to the clipboard": "URL этого потока был скопирован в буфер обмена", - "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Ошибка, возможно база данных повреждена. Попробуйте очистить Избранное в Настройках программы.", - "Flushing bookmarks...": "Очистка избранного…", - "Resetting...": "Сброс…", - "We are resetting the settings": "Мы сбрасываем настройки…", - "Installed": "Установлено", - "We are flushing your subtitle cache": "Мы очищаем ваш кэш субтитров", - "Subtitle cache deleted": "Кэш субтитров удалён", - "Please select a file to play": "Выберите файл для воспроизведения", - "Global shortcuts": "Глобальные горячие клавиши", - "Video Player": "Видеопроигрыватель", - "Toggle Fullscreen": "Перейти в полноэкранный режим", - "Play/Pause": "Воспроизведение/Пауза", - "Seek Forward": "Перемотка вперед", - "Increase Volume": "Увеличить громкость на", - "Set Volume to": "Уровень громкости", - "Offset Subtitles by": "Сдвинуть субтитры на", - "Toggle Mute": "Отключить звук", - "Movie Detail": "Детали фильма", - "Toggle Quality": "Сменить качество", - "Play Movie": "Воспроизвести фильм", - "Exit Fullscreen": "Покинуть полноэкранный режим", - "Seek Backward": "Перемотка назад", - "Decrease Volume": "Уменьшить громкость", - "Show Stream URL": "Показать URL потока", - "TV Show Detail": "Детали сериала", - "Toggle Watched": "Отметить как «Просмотренное»", - "Select Next Episode": "Выбрать следующий эпизод", - "Select Previous Episode": "Выбрать предыдущий эпизод", - "Select Next Season": "Выбрать следующий сезон", - "Select Previous Season": "Выбрать предыдущий сезон", - "Play Episode": "Воспроизвести эпизод", - "space": "Space", - "shift": "Shift", - "ctrl": "Ctrl", - "enter": "Enter", - "esc": "Esc", - "Keyboard Shortcuts": "Горячие клавиши", - "Cut": "Вырезать", - "Copy": "Скопировать", - "Paste": "Вставить", - "Help Section": "Раздел помощи", - "Did you know?": "А вы знали?", - "What does %s offer?": "Что предлагает %s?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "С помощью %s, вы с лёгкостью можете смотреть ваши любимые фильмы и сериалы. Для этого достаточно нажать на понравившуюся обложку, а затем нажать «Смотреть». Вы также можете настроить программу по вашему вкусу:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Наша коллекция фильмов содержит только контент HD-качества 720р и 1080p. Для начала просмотра, просто запустите %s и пройдитесь по нашей коллекции фильмов, которая находится во вкладке «Фильмы». Изначально коллекция сортируется по популярности, но благодаря фильтрам «Жанр» и «Упорядочить по» вы можете отсортировать фильмы так, как вам больше нравится. После того, как вы выбрали фильм, просто нажмите на его обложку, а затем нажмите «Смотреть». И не забудьте запастись попкорном!", - "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Во вкладке «Сериалы», которая находится на панели навигации, вы можете посмотреть все сериалы, которые есть в нашей коллекции. Здесь вы точно так же с помощью фильтров можете отсортировать сериалы по вашему вкусу. Для просмотра сериалов, просто нажмите на обложку, а в открывшемся окне выберите желаемый сезон и эпизод. Как определитесь с выбором, просто нажмите на кнопку «Смотреть».", - "Choose quality": "Выберите качество", - "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Ползунок, который находится рядом с кнопкой «Смотреть», позволит вам выбрать качество потока. Вы также можете установить желаемое качество по умолчанию в Настройках программы. Внимание: чем лучше качество, тем больше будет использовано интернет-трафика.", - "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "У большинства фильмов и сериалов из нашей коллекции есть субтитры на вашем родном языке. Вы можете выбрать их в Настройках программы. Для фильмов, субтитры можно выбрать в выпадающем меню на странице с деталями фильма.", - "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Нажав на иконку сердца на обложке, вы добавите фильм/сериал в список избранного. Просмотреть этот список можно нажав на иконку сердечка на панели навигации. Чтобы удалить предмет из списка избранного, просто нажмите на сердечко еще раз! Проще не бывает!", - "Watched icon": "Иконка «Просмотренное»", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s автоматически запомнит всё, что вы уже посмотрели — небольшая помощь с запоминанием просмотренного никогда не будет лишней. Вы также можете отметить предмет как просмотренный просто кликнув на иконку в виде глаза, которая находится на обложке фильма или сериала. А ещё вы можете собрать и синхронизировать свою коллекцию с сайтом Trakt.tv с помощью Настроек программы.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "В %s, нажатием на иконку лупы вы можете открыть поисковую панель. Введите Название фильма, Имя актёра, Режиссёра или просто год выхода в прокат, нажмите «Enter» и мы покажем вам всё, что найдём в нашей коллекции. Чтобы закрыть поисковую панель, просто нажмите на «Х» рядом с вашим запросом или просто поищите что-нибудь другое.", - "External Players": "Внешние проигрыватели", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Если вам не понравился наш встроенный плеер, вы можете использовать любой другой просто нажав на стрелочку возле кнопки «Смотреть». После нажатия, появится список установленных плееров. Просто выберите любимый плеер и %s сделает всё остальное за вас. Если вашего плеера нет в списке, пожалуйста, сообщите нам об этом.", - "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "На этом настройки не заканчиваются, у нас ещё есть много всего. Для того, чтобы зайти в Настройки программы, нажмите на иконку в виде шестерёнки на панели навигации.", - "Keyboard Navigation": "Навигация с клавиатуры", - "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Список всех горячих клавиш можно вызвать нажатием <?> на вашей клавиатуре или нажав на иконку в виде клавиатуры в разделе «Настройки».", - "Custom Torrents and Magnet Links": "Пользовательские торренты и magnet-ссылки", - "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Вы можете просматривать сериалы и фильмы в %s с помощью пользовательских торрент-файлов или magnet-ссылок. Просто перетащите .torrent файл на окно программы или просто скопируйте и вставьте magnet-ссылку на окно Popcorn Time.", - "Torrent health": "Статус торрента", - "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "На странице с деталями фильма/сериала, вы можете обнаружить маленький кружок серого, красного, жёлтого или зелёного цвета. Эти цвета отображают состояние торрента. Зеленый означает, что торрент загрузиться быстро, а красный значит что торрент может либо вообще не загрузиться, либо загружаться очень медленно. Серый цвет означает ошибку в расчете состояния торрента для фильмов, а для сериалов нужно самостоятельно кликнуть на серый кружок, чтобы показать состояние отдельного эпизода", - "How does %s work?": "Как работает %s?", - "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s транслирует видео через торренты. Фильмы предоставлены %s, а сериалы предоставлены %s, все данные мы берём от %s. Мы не храним у себя никаких фильмов, сериалов или данных о них.", - "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Трансляция через торрент? Да, торренты используют протокол BitTorrent, а это значит, что вы скачиваете кусочки контента с компьютеров других пользователей, в то же время отправляя загруженные кусочки другим пользователям. А пока вы смотрите те кусочки, которые уже загрузили, следующие загружаются в фоновом режиме. Такой обмен позволяет поддерживать торренты в хорошем состоянии.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "После того, как фильм будет полностью загружен, вы продолжаете отсылать его кусочки другим пользователям. А когда вы закрываете %s, то все данные этого фильма удаляются с вашего ПК. Всё настолько просто.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Программа собрана с помощью Node-Webkit, HTML, CSS и JavaScript. Принцип работы похож на браузер Google Chrome, только бо́льшая часть кода хранится на вашем ПК. Да, %s работает на такой же технологии, как и обычный веб-сайт, например Wikipedia или YouTube!", - "I found a bug, how do I report it?": "Я обнаружил баг, как сообщить о нём?", - "You can paste magnet links anywhere in %s with CTRL+V.": "Вы можете вставить magnet-ссылку с помощью CTRL+V в любое место в окне %s.", - "You can drag & drop a .torrent file into %s.": "Вы можете перетащить .torrent файл в окно %s.", - "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Если субтитры для сериала отсутствуют, вы можете добавить их здесь: %s. А для фильмов здесь: %s", - "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Вы можете войти на Trakt.tv чтобы сохранить ваш список просмотренного и синхронизировать его с несколькими устройствами.", - "Clicking on the rating stars will display a number instead.": "Нажав на звёздочки, рейтинг отобразится в виде числа.", - "This application is entirely written in HTML5, CSS3 and Javascript.": "Эта программа полностью написана на HTML5, CSS3 и JavaScript", - "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Хотите узнать больше о фильме или сериале? Просто нажмите на иконку IMDb.", - "Switch to next tab": "Перейти на следующую вкладку", - "Switch to previous tab": "Перейти на предыдущую вкладку", - "Switch to corresponding tab": "Перейти на соответствующую вкладку", - "through": "через", - "Enlarge Covers": "Увеличить обложки", - "Reduce Covers": "Уменьшить обложки", - "Open Item Details": "Показать детальное описание", - "Add Item to Favorites": "Добавить в избранное", - "Mark as Seen": "Отметить как «Просмотренное»", - "Open this screen": "Открыть этот раздел", - "Open Settings": "Открыть настройки", - "Posters Size": "Размер постеров", - "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Эта функция работает только если ваш аккаунт Trakt.tv синхронизирован с программой. Пожалуйста, перейдите в настройки программы и введите данные вашего аккаунта.", - "Last Open": "Последний открытый", - "Exporting Database...": "Экспорт базы данных…", - "Database Successfully Exported": "База данных экспортирована успешно", - "Display": "Показать", - "TV": "ТВ", - "Type": "Тип", - "popularity": "популярность", - "date": "дата", - "year": "год", - "rating": "рейтинг", - "updated": "обновлено", - "name": "название", - "OVA": "OVA", - "ONA": "ONA", - "Movie": "Фильм", - "Special": "Спешл", - "Watchlist": "Тебе смотреть", - "Resolving..": "Получение..", - "About": "О проекте", - "Open Cache Directory": "Открыть каталог кэша", - "Open Database Directory": "Открыть каталог базы", - "Mark as unseen": "Отметить как не просмотренное", - "Playback rate": "Скорость видео", - "Increase playback rate by %s": "Ускорять видео %s", - "Decrease playback rate by %s": "Замедлять видео %s", - "Set playback rate to %s": "Установить скорость видео на %s", - "Playback rate adjustment is not available for this video!": "Установления скорости недоступно в этом видео", - "Color": "Цвет", - "Local IP Address": "Локальный IP-адрес", - "Japan": "Япония", - "Cars": "Автомобили", - "Dementia": "Слабоумие", - "Demons": "Демоны", - "Ecchi": "Этти", - "Game": "Игра", - "Harem": "Гарем", - "Historical": "Исторический", - "Josei": "Дзёсэй", - "Kids": "Дети", - "Magic": "Волшебство", - "Martial Arts": "Боевые искусства", - "Mecha": "Меха", - "Military": "Военный", - "Parody": "Пародия", - "Police": "Полиция", - "Psychological": "Психологический", - "Samurai": "Самурай", - "School": "Школа", - "Seinen": "Сэйнэн", - "Shoujo": "Сёдзё", - "Shoujo Ai": "Сёдзё-Ай", - "Shounen": "Сёнэн", - "Shounen Ai": "Сёнэн-Ай", - "Slice of Life": "Повседневность", - "Space": "Космос", - "Sports": "Спортивные игры", - "Super Power": "Супер Сила", - "Supernatural": "Сверхъестественное", - "Vampire": "Вампир", - "Automatically Sync on Start": "Автоматически синхронизировать при запуске", - "VPN": "VPN", - "Activate automatic updating": "Включить автоматическое обновление", - "Please wait...": "Пожалуйста, подождите…", - "Connect": "Соединиться", - "Create Account": "Создать учётную запись", - "Celebrate various events": "Отмечать различные праздники", - "Disconnect": "Разъединить", - "Downloaded": "Загружено", - "Loading stuck ? Click here !": "Загрузка остановилась? Жми сюда!", - "Torrent Collection": "Коллекция торрентов", - "Drop Magnet or .torrent": "Удалить Magnet-ссылку или файл .torrent", - "Remove this torrent": "Удалить этот торрент", - "Rename this torrent": "Переименовать этот торрент", - "Flush entire collection": "Очистить всю коллекцию", - "Open Collection Directory": "Открыть каталог с коллекцией", - "Store this torrent": "Сохранить этот торрент", - "Enter new name": "Введите новое имя", - "This name is already taken": "Это имя уже занято", - "Always start playing in fullscreen": "Всегда проигрывать в полноэкранном режиме", - "Magnet link": "Magnet-ссылка", - "Error resolving torrent.": "Ошибка при загрузке торрента.", - "%s hour(s) remaining": "Осталось %s часов", - "%s minute(s) remaining": "Осталось %s минут", - "%s second(s) remaining": "Осталось %s секунд", - "Unknown time remaining": "Оставшееся время неизвестно", - "Set player window to video resolution": "Установить размер окна равный разрешению видео", - "Set player window to double of video resolution": "Установить размер окна в два раза больше разрешения видео", - "Set player window to half of video resolution": "Установить размер окна в половину разрешения видео", - "Retry": "Попробовать снова", - "Import a Torrent": "Импортировать торрент", - "Not Seen": "Не был просмотрен", - "Seen": "Просмотрен", - "Title": "Название", - "The video playback encountered an issue. Please try an external player like %s to view this content.": "Произошла ошибка во время проигрывания видео. Вы можете использовать сторонний плеер, например %s, для просмотра этого видео.", - "Font": "шрифт", - "Decoration": "Оформление", - "None": "Ни один", - "Outline": "Обводка", - "Opaque Background": "Матовый фон", - "No thank you": "Нет, спасибо", - "Report an issue": "Сообщить о проблеме", - "Email": "Электронная почта", - "Log in": "Войти", - "Report anonymously": "Сообщить анонимно", - "Note regarding anonymous reports:": "Пояснение для авторов анонимных отзывов:", - "You will not be able to edit or delete your report once sent.": "Вам не удастся изменить или удалить ваше сообщение после его отправки", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ваш отзыв может быть закрыт, если потребуется дополнительная информация, так как вы не сможете её предоставить.", - "Step 1: Please look if the issue was already reported": "Шаг 1: Пожалуйста, проверьте если проблема уже была сообщена", - "Enter keywords": "Введите ключевые слова", - "Already reported": "Уже сообщена", - "I want to report a new issue": "Я желаю сообщить о новой проблеме", - "Step 2: Report a new issue": "Шаг 2: Сообщить о новой проблеме", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Внимание: пожалуйста, не используйте эту форму чтобы связаться с нами. Это исключительно для сообщений об ошибках.", - "The title of the issue": "Заголовок вопроса", - "Description": "Описание", - "200 characters minimum": "200 символов минимум", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Краткое описание проблемы. Если есть возможность, добавьте пошаговое описание действий, которые могут воспроизвести проблему.", - "Submit": "Подтвердить", - "Step 3: Thank you !": "Шаг 3: Спасибо !", - "Your issue has been reported.": "Ваша проблема была сообщена", - "Open in your browser": "Откройте ваш браузер", - "No issues found...": "Проблем не найдено…", - "First method": "Первый метод", - "Use the in-app reporter": "Использовать встроенное средство для сообщения об ошибках", - "You can find it later on the About page": "Вы можете найти это позже в разделе «О программе»", - "Second method": "Второй метод", - "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Используйте %s фильтр ошибок для поиска и проверки на то, что ошибка уже сообщена или уже решена.", - "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Приложите скриншот при необходимости — если Вы хотите предложить новую функцию или сообщить об ошибке?", - "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Хороший отчёт об ошибке не должен предлагать другим разыскивать вас для получения дополнительной информации. Убедитесь, что указали информацию о вашем окружении.", - "Warning: Always use English when contacting us, or we might not understand you.": "Внимание: всегда пишите нам по-английски, иначе мы не сможем вас понять.", - "Search for torrent": "Поиск торрента", - "No results found": "Ничего не найдено", - "Invalid credentials": "Недействительные учётные данные", - "Open Favorites": "Открыть избранное", - "Open About": "О приложении", - "Minimize to Tray": "Спрятать на панель задач", - "Close": "Закрыть", - "Restore": "Восстановить", - "Resume Playback": "Продолжить воспроизведение", - "Features": "Характеристики", - "Connect To %s": "Соединиться с %s", - "The magnet link was copied to the clipboard": "Магнет-ссылка была скопирована в буфер обмена", - "Big Picture Mode": "Режим широкоэкранного просмотра", - "Big Picture Mode is unavailable on your current screen resolution": "Режим широкоэкранного просмотра недоступен при текущем разрешении экрана", - "Cannot be stored": "Нет возможности это сохранить", - "%s reported this torrent as fake": "%s назвал этот торрент ненастоящим", - "Randomize": "Перемешать", - "Randomize Button for Movies": "Кнопка «Перемешать» для списка фильмов", - "Overall Ratio": "Общее соотношение", - "Translate Synopsis": "Перевести синопсис", - "N/A": "Сведений нет", - "Your disk is almost full.": "Ваш диск почти заполнен.", - "You need to make more space available on your disk by deleting files.": "Необходимо освободить место на диске, удалив ненужные файлы.", - "Playing Next": "Воспроизвести следующую", - "Trending": "Трендовые", - "Remember Filters": "Запомнить фильтры", - "Automatic Subtitle Uploading": "Автоматическая загрузка субтитров", - "See-through Background": "Прозрачный фон", - "Bold": "Жирный", - "Currently watching": "Текущий просмотр", - "No, it's not that": "Нет, это не то", - "Correct": "Правильно", - "Indie": "Инди", - "Init Database": "Инициализация База данных", - "Status: %s ...": "Статус: %s ...", - "Create Temp Folder": "Создать временную директорию", - "Set System Theme": "Установить тему системы", - "Disclaimer": "Письменный отказ от ответственности", - "Series": "Серии", - "Finished": "Завершено", - "Event": "Событие", - "Local": "Локальные", - "Try another subtitle or drop one in the player": "Попробуйте другие субтитры или бросьте их в плеер", - "show": "показать", - "movie": "фильм", - "Something went wrong downloading the update": "Что-то пошло не так при загрузке обновления", - "Activate Update seeding": "Включить автоматическую раздачу файлов", - "Error converting subtitle": "Ошибка преобразования субтитров", - "No subtitles found": "Субтитры не найдены", - "Try again later or drop a subtitle in the player": "Попробуйте еще или бросьте субтитры в плеер", - "You should save the content of the old directory, then delete it": "Вы должны сохранить содержимое старого каталога, а затем удалить его", - "Search on %s": "Поиск %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Вы уверены, что хотите очистить всю коллекцию?", - "Audio Language": "Язык аудио", - "Subtitle": "Субтитр", - "Code:": "Код:", - "Error reading subtitle timings, file seems corrupted": "Ошибка чтения тайминга субтитров, файл кажется испорчен", - "Connection Not Secured": "Соединение не защищено", - "Open File to Import": "Открыть файл для импорта", - "Browse Directory to save to": "Открыть директорию для сохранения в", - "Cancel and use VPN": "Отменить и использовать VPN", - "Resume seeding after restarting the app?": "Продолжить раздавать торренты после перезапуска приложения?", - "Enable VPN": "Включить VPN", - "Popularity": "Popularity", - "Last Added": "Last Added", - "Seedbox": "Сиидбокс", - "Cache Folder": "Папка кэша", - "Science-fiction": "Научная фантастика", - "Superhero": "Супергерои", - "Show cast": "Показ состава", - "Health Good": "Хорошее состояние", - "Health Medium": "Среднее состояние", - "Health Excellent": "Отличное состояние", - "Right click to copy": "Нажмите правой кнопкой мыши для копирования", - "Filename": "Название файла", - "Stream Url": "URL-адрес потока", - "Show playback controls": "Показывать элементы управления воспроизведением", - "Downloading": "Скачивание", - "Hide playback controls": "Скрывать элементы управления воспроизведением", - "Poster Size": "Размер обложки", - "UI Scaling": "Масштаб интерфейса", - "Show all available subtitles for default language in flag menu": "Показывать все доступные субтитры для языка по умолчанию в меню флагов", - "Cache Folder Button": "Кнопка папки кэша", - "Enable remote control": "Включить дистанционное управление", - "Server": "Сервер", - "API Server(s)": "API-сервер", - "Proxy Server": "Прокси сервер", - "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Не забудьте экспортировать базу данных перед обновлением на случай, если потребуется восстановить избранное, просмотренное или настройки", - "Update Now": "Обновить сейчас", - "Database Exported": "База данных экспортирована", - "Slice Of Life": "Часть жизни", - "Home And Garden": "Дом и сад", - "Returning Series": "Выпущенные серии", - "Finished Airing": "Показ завершён", - "No Favorites found...": "Избранное не найдено...", - "No Watchlist found...": "Список просмотренного не найден...", - "Health Bad": "Плохое состояние", - "ThePirateBay": "ThePirateBay", - "1337x": "1337x", - "RARBG": "RARBG", - "OMGTorrent": "OMGTorrent", - "Saved Torrents": "Сохранённые торренты", - "Search Results": "Результаты поиска", - "Paste a Magnet link": "Вставить magnet-ссылку", - "Import a Torrent file": "Импорт торрент-файла", - "Select data types to import": "Выберите типы данных для импорта", - "Please select which data types you want to import ?": "Выберите какие типы данных вы хотите импортировать?", - "Watched items": "Просмотренное", - "Bookmarked items": "Закладки", - "Download list is empty...": "Список скачиваний пуст...", - "Active Torrents Limit": "Ограничение активных торрентов", - "Currently Airing": "В эфире", - "Toggle Subtitles": "Переключить субтитры", - "Toggle Crop to Fit screen": "Обрезать по размеру экрана", - "Original": "Оригинал", - "Fit screen": "По размеру экрана", - "Video already fits screen": "Вписать Видео в экране", - "Copied to clipboard": "Скопировано в буфер обмена", - "The filename was copied to the clipboard": "Имя файла было скопировано в буфер обмена", - "The stream url was copied to the clipboard": "URL-адрес потока был скопирован в буфер обмена", - "Create account": "Создать аккаунт", - "* %s stores an encrypted hash of your password in your local database": "* %s хранит зашифрованный хэш вашего пароля в вашей локальной базе данных", - "Device can't play the video": "Устройство не может воспроизвести видео", - "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Возможно, ваше устройство не поддерживает формат/кодеки видео.
Попробуйте другое качество разрешения или кастинг с помощью VLC", - "Hide cast": "Скрыть актёрский состав", - "Tabs": "Вкладки", - "No movies found...": "Фильмов не найдено...", - "Holiday": "Праздник", - "Native window frame": "Системная граница окна", - "Open Cache Folder": "Открыть папку кэша", - "Restart Popcorn Time": "Перезапустить Popcorn Time", - "Developer Tools": "Инструменты разработчика", - "No shows found...": "Шоу не найдено...", - "No anime found...": "Аниме не найдено...", - "Search in %s": "Искать в %s", - "Show 'Search on Torrent Collection' in search": "Показывать в поиске «Искать в коллекции торрентов»", - "Movies API Server": "API-сервер фильмов", - "Series API Server": "API-сервер сериалов", - "Anime API Server": "API-сервер аниме", - "The image url was copied to the clipboard": "URL-адрес изображения был скопирован в буфер обмена", - "Popcorn Time currently supports": "В настоящее время Popcorn Time поддерживает", - "There is also support for Chromecast, AirPlay & DLNA devices.": "Также есть поддержка устройств Chromecast, AirPlay и DLNA.", - "Right click for supported players": "Нажмите правой кнопкой мыши для выбора поддерживаемых проигрывателей", - "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.": "Установите любое количество фильтров Жанр, Сортировать по и Тип и нажмите «Готово» чтобы сохранить настройки.", - "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Вы можете установить несколько фильтров и вкладок одновременно и, конечно же, установить дополнительные фильтры позже", - "as well as overwrite or reset your preferences)": "а также перезаписать или сбросить настройки.)", - "Default Filters": "Фильтры", - "Set Filters": "Установить фильтры", - "Reset Filters": "Сбросить фильтры", - "Your Default Filters have been changed": "Ваши фильтры по умолчанию были изменены", - "Your Default Filters have been reset": "Ваши фильтры по умолчанию были сброшены", - "Setting Filters...": "Настройка фильтров...", - "Default": "По умолчанию", - "Custom": "Настроить", - "Remember": "Запомнить", - "Cache": "Кэш", - "Unknown": "Неизвестно", - "Change Subtitles Position": "Изменить положение субтитров", - "Minimize": "Свернуть", - "Separate directory for Downloads": "Отдельная папка для скачиваний", - "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Включение предотвратит совместное использование кэша между функциями «Смотреть» и «Скачать».", - "Downloads Directory": "Папка для скачиваний", - "Open Downloads Directory": "Открыть папку для скачиваний", - "Delete related cache ?": "Удалить соответствующий кэш?", - "Yes": "Да", - "No": "Нет", - "Cache files deleted": "Файлы кеша удалены", - "Delete related cache when removing from Seedbox": "Удалять соответствующий кеш при удалении из сидбокса", - "Always": "Всегда", - "Never": "Никогда", - "Ask me every time": "Спрашивайте меня каждый раз", - "Enable Protocol Encryption": "Включить шифрование протокола", - "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Позволяет подключаться к пирам использующим PE/MSE. В большинстве случаев увеличивает количество подключаемых пиров, но может привести к увеличению загрузки процессора", - "Show the Seedbox when a new download is added": "Показывать сидбокс при добавлении новой загрузки", - "Download added": "Загрузка добавлена", - "Change API Server": "Изменить API-сервер", - "Localisation": "Локализация", - "Default Content Language": "Язык контента по умолчанию", - "Same as interface": "Как у интерфейса", - "Title translation": "Переводить названия", - "Translated - Original": "Перевод - Оригинал", - "Original - Translated": "Оригинал - Перевод", - "Translated only": "Только перевод", - "Original only": "Только оригинал", - "Translate Posters": "Переводить обложки", - "Translate Episode Titles": "Переводить названия серий", - "Only show content available in this language": "оказывать только контент, доступный на этом яыке", - "Translations depend on availability. Some options also might not be supported by all API servers": "Переводы зависят от наличия. Некоторые параметры также могут не поддерживаться всеми серверами API", - "added": "добавлено", - "The source link was copied to the clipboard": "Ссылка на источник была скопирована в буфер обмена", - "Max. Down / Up Speed": "Макс. скорость загрузки/отдачи", - "Show Release Info": "Показать информацию о выпуске", - "Parental Guide": "Руководство для родителей", - "Rebuild bookmarks database": "Перестроить базу данных закладок", - "Rebuilding bookmarks...": "Перестроение закладок...", - "Submit metadata & translations": "Отправить метаданные и переводы", - "Not available": "Недоступно", - "Cast not available": "Роли недоступны", - "Show an 'Undo' button when a bookmark is removed": "Показывать кнопку «Отменить» при удалении закладки", - "was added to bookmarks": "добавлен в закладки", - "was removed from bookmarks": "удалён из закладок", - "Bookmark restored": "Закладка восстановлена", - "Undo": "Отменить", - "minute(s) remaining before preloading next episode": "минут(ы) до предзгрузки нового эпизода", - "Zoom": "Масштаб", - "Contrast": "Контраст", - "Brightness": "Яркость", - "Hue": "Оттенок", - "Saturation": "Насыщенность", - "Decrease Zoom by": "Уменьшить масштаб на", - "Increase Zoom by": "Увеличить масштаб на", - "Decrease Contrast by": "Уменьшить контраст на", - "Increase Contrast by": "Увеличить контраст на", - "Decrease Brightness by": "Уменьшить яркость на", - "Increase Brightness by": "Увеличить яркость на", - "Rotate Hue counter-clockwise by": "Повернуть оттенок против часовой стрелки на", - "Rotate Hue clockwise by": "Повернуть оттенок по часовой стрелке на", - "Decrease Saturation by": "Уменьшить насыщенность на", - "Increase Saturation by": "Увеличить насыщенность на", - "Automatically update the API Server URLs": "Автоматически обновлять URL-адреса API-сервера", - "Enable automatically updating the API Server URLs": "Включить автоматическое обновление URL-адресов API-серверов", - "Automatically update the app when a new version is available": "Автообновлять приложение, когда доступна новая версия", - "Enable automatically updating the app when a new version is available": "Включить автоматическое обновление приложения при выходе новой версии", - "Check for updates": "Проверить наличие обновлений", - "Updating the API Server URLs": "Обновление URL-адресов API-сервера", - "API Server URLs updated": "URL-адреса API-серверов обновлены", - "API Server URLs already updated": "URL-адреса API-серверов уже обновлены", - "Change API server(s) to the new URLs?": "Изменить API-сервер(а) на новые URL-адреса?", - "API Server URLs could not be updated": "Не удалось обновить URL-адреса API-сервера", - "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Вы можете добавить несколько API-серверов, разделённых символом (, запятая) из которых он будет выбирать случайным образом (*для балансировки нагрузки), пока не найдёт первый доступный", - "The API Server URL(s) was copied to the clipboard": "URL-адрес API-сервера был скопирован в буфер обмена", - "0 = Disable preloading": "0 = Отключить предзагрузку", - "Search field always expanded": "Поле поиска всегда развёрнуто", - "DHT UDP Requests Limit": "Ограничение DHT UDP-запросов", - "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Подключитесь к %s для автоматического извлеения субтитров для фильмов с эпизодов, которые вы смотрите в %s", - "Create an account": "Создать аккаунт", - "Search for something or drop a .torrent / magnet link...": "Поищите что-то или перетащите .torrent / magnet ссылку...", - "Torrent removed": "Торрент удален", - "Remove": "Удалить", - "Connect to %s": "Соединиться с %s", - "to automatically 'scrobble' episodes you watch in %s": "для автоматического «скробблинга» эпизодов которые вы смотрите в %s", - "Sync now": "Синхронизировать сейчас", - "Same as Default Language": "Как язык по умолчанию", - "Language": "Язык", - "Allow Audio Passthrough": "Включить Audio Passthrough" + "External Player": "Внешний проигрыватель", + "Made with": "Сделано", + "by a bunch of geeks from All Around The World": "группой гиков со всего мира", + "Initializing %s. Please Wait...": "Инициализация %s. Пожалуйста, подождите...", + "Movies": "Фильмы", + "TV Series": "Сериалы", + "Anime": "Аниме", + "Genre": "Жанр", + "All": "Все", + "Action": "Боевик", + "Adventure": "Приключения", + "Animation": "Анимационный", + "Children": "Детское", + "Comedy": "Комедия", + "Crime": "Криминальный", + "Documentary": "Документальный", + "Drama": "Драма", + "Family": "Семейный", + "Fantasy": "Фантастика", + "Game Show": "Игровое шоу", + "Horror": "Ужасы", + "Mini Series": "Мини-сериалы", + "Mystery": "Мистика", + "News": "Новости", + "Reality": "Реалити-шоу", + "Romance": "Романтический", + "Science Fiction": "Научная фантастика", + "Soap": "Мыльная опера", + "Special Interest": "Специальные интересы", + "Sport": "Спортивный", + "Suspense": "Саспенс", + "Talk Show": "Ток-шоу", + "Thriller": "Триллер", + "Western": "Вестерн", + "Sort by": "Упорядочить по", + "Updated": "Времени обновления", + "Year": "Году", + "Name": "Названию", + "Search": "Поиск", + "Season": "Сезон", + "Seasons": "Сезоны", + "Season %s": "Сезон %s", + "Load More": "Загрузить ещё", + "Saved": "Сохранено", + "Settings": "Настройки", + "User Interface": "Интерфейс", + "Default Language": "Язык по умолчанию", + "Theme": "Цветовая схема", + "Start Screen": "Начальный экран", + "Favorites": "Избранное", + "Show rating over covers": "Показывать рейтинг поверх обложек", + "Always On Top": "Поверх всех окон", + "Watched Items": "Просмотренное", + "Show": "Показать", + "Fade": "Затемнить", + "Hide": "Скрыть", + "Subtitles": "Субтитры", + "Default Subtitle": "Субтитры по умолчанию", + "Disabled": "Отключено", + "Size": "Размер", + "Quality": "Качество", + "Trakt.tv": "Trakt.tv", + "Username": "Имя пользователя", + "Password": "Пароль", + "%s stores an encrypted hash of your password in your local database": "%s пароль хранится в зашифрованном виде в локальной базе данных", + "Remote Control": "Дистанционное управление", + "HTTP API Port": "Порт HTTP API", + "HTTP API Username": "Имя пользователя HTTP API", + "HTTP API Password": "Пароль HTTP API", + "Connection": "Соединение", + "Connection Limit": "Лимит соединений", + "DHT Limit": "Лимит DHT", + "Port to stream on": "Порт для трансляции", + "0 = Random": "0 = Случайный", + "Cache Directory": "Место хранения кэша", + "Clear Cache Folder after closing the app?": "Очистить временную директорию после закрытия приложения?", + "Database": "База данных", + "Database Directory": "Место хранения кэша базы данных", + "Import Database": "Импорт базы данных", + "Export Database": "Экспорт базы данных", + "Flush bookmarks database": "Сбросить базу данных закладок", + "Flush all databases": "Сбросить все базы данных", + "Reset to Default Settings": "Восстановить настройки по умолчанию", + "Importing Database...": "Импорт базы данных…", + "Please wait": "Пожалуйста, подождите", + "Error": "Ошибка", + "Biography": "Биография", + "Film-Noir": "Нуар", + "History": "Исторический", + "Music": "Музыкальный", + "Musical": "Мюзикл", + "Sci-Fi": "Научная фантастика", + "Short": "Короткометражный", + "War": "Военный", + "Rating": "Рейтингу", + "Open IMDb page": "Открыть страницу IMDb", + "Health false": "Статус false", + "Add to bookmarks": "Добавить в избранное", + "Watch Trailer": "Смотреть трейлер", + "Watch Now": "Смотреть", + "Ratio:": "Рейтинг:", + "Seeds:": "Сиды:", + "Peers:": "Пиры:", + "Remove from bookmarks": "Удалить из избранного", + "Changelog": "Список изменений", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s это результат сбора многими разработчиками и дизайнерами многих API в одно целое, чтобы сделать просмотр фильмов через торренты как можно проще.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Мы Open Source проект. Мы со всего мира. Мы любим наши фильмы. И само собой мы любим попкорн.", + "Health Unknown": "Проверить статус", + "Episodes": "Эпизоды", + "Episode %s": "Эпизод %s", + "Aired Date": "Дата выхода в эфир", + "Streaming to": "Транслирую на", + "connecting": "Соединение…", + "Download": "Загрузка", + "Upload": "Отдача", + "Active Peers": "Активные пиры", + "Cancel": "Отмена", + "startingDownload": "Начинается загрузка…", + "downloading": "Загружается", + "ready": "Готово", + "playingExternally": "Воспроизведение во внешнем источнике", + "Custom...": "Пользовательские…", + "Volume": "Громкость", + "Ended": "Завершён", + "Error loading data, try again later...": "Ошибка загрузки данных, повторите попытку позже…", + "Miscellaneous": "Прочее", + "First unwatched episode": "Первый не просмотренный эпизод", + "Next episode": "Следующий эпизод", + "Flushing...": "Очистка…", + "Are you sure?": "Вы уверены?", + "We are flushing your databases": "Мы очищаем ваши базы данных", + "Success": "Успешно", + "Please restart your application": "Пожалуйста, перезапустите приложение", + "Restart": "Перезапуск", + "Terms of Service": "Пользовательское соглашение", + "I Accept": "Я согласен", + "Leave": "Выйти", + "Series detail opens to": "При просмотре деталей сериала перейти к", + "Playback": "Воспроизведение", + "Play next episode automatically": "Воспроизводить следующий эпизод автоматически", + "Generate Pairing QR code": "Сгенерировать QR код для сопряжения", + "Play": "Воспроизвести", + "waitingForSubtitles": "Ожидание субтитров", + "Play Now": "Воспроизвести сейчас", + "Seconds": "Секунд", + "You are currently connected to %s": "На данный момент вы подключены к %s", + "Disconnect account": "Отключить аккаунт", + "Syncing...": "Синхронизация…", + "Done": "Готово", + "Subtitles Offset": "Сдвиг субтитров", + "secs": "сек", + "We are flushing your database": "Мы очищаем вашу базу данных", + "Ratio": "Рейтинг", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Ошибка, возможно база данных повреждена. Попробуйте очистить Избранное в Настройках программы.", + "Flushing bookmarks...": "Очистка избранного…", + "Resetting...": "Сброс…", + "We are resetting the settings": "Мы сбрасываем настройки…", + "Installed": "Установлено", + "Please select a file to play": "Выберите файл для воспроизведения", + "Global shortcuts": "Глобальные горячие клавиши", + "Video Player": "Видеопроигрыватель", + "Toggle Fullscreen": "Перейти в полноэкранный режим", + "Play/Pause": "Воспроизведение/Пауза", + "Seek Forward": "Перемотка вперед", + "Increase Volume": "Увеличить громкость на", + "Set Volume to": "Уровень громкости", + "Offset Subtitles by": "Сдвинуть субтитры на", + "Toggle Mute": "Отключить звук", + "Movie Detail": "Детали фильма", + "Toggle Quality": "Сменить качество", + "Play Movie": "Воспроизвести фильм", + "Exit Fullscreen": "Покинуть полноэкранный режим", + "Seek Backward": "Перемотка назад", + "Decrease Volume": "Уменьшить громкость", + "TV Show Detail": "Детали сериала", + "Toggle Watched": "Отметить как «Просмотренное»", + "Select Next Episode": "Выбрать следующий эпизод", + "Select Previous Episode": "Выбрать предыдущий эпизод", + "Select Next Season": "Выбрать следующий сезон", + "Select Previous Season": "Выбрать предыдущий сезон", + "Play Episode": "Воспроизвести эпизод", + "space": "Space", + "shift": "Shift", + "ctrl": "Ctrl", + "enter": "Enter", + "esc": "Esc", + "Keyboard Shortcuts": "Горячие клавиши", + "Cut": "Вырезать", + "Copy": "Скопировать", + "Paste": "Вставить", + "Help Section": "Раздел помощи", + "Did you know?": "А вы знали?", + "What does %s offer?": "Что предлагает %s?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "С помощью %s, вы с лёгкостью можете смотреть ваши любимые фильмы и сериалы. Для этого достаточно нажать на понравившуюся обложку, а затем нажать «Смотреть». Вы также можете настроить программу по вашему вкусу:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Наша коллекция фильмов содержит только контент HD-качества 720р и 1080p. Для начала просмотра, просто запустите %s и пройдитесь по нашей коллекции фильмов, которая находится во вкладке «Фильмы». Изначально коллекция сортируется по популярности, но благодаря фильтрам «Жанр» и «Упорядочить по» вы можете отсортировать фильмы так, как вам больше нравится. После того, как вы выбрали фильм, просто нажмите на его обложку, а затем нажмите «Смотреть». И не забудьте запастись попкорном!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Во вкладке «Сериалы», которая находится на панели навигации, вы можете посмотреть все сериалы, которые есть в нашей коллекции. Здесь вы точно так же с помощью фильтров можете отсортировать сериалы по вашему вкусу. Для просмотра сериалов, просто нажмите на обложку, а в открывшемся окне выберите желаемый сезон и эпизод. Как определитесь с выбором, просто нажмите на кнопку «Смотреть».", + "Choose quality": "Выберите качество", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Ползунок, который находится рядом с кнопкой «Смотреть», позволит вам выбрать качество потока. Вы также можете установить желаемое качество по умолчанию в Настройках программы. Внимание: чем лучше качество, тем больше будет использовано интернет-трафика.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "У большинства фильмов и сериалов из нашей коллекции есть субтитры на вашем родном языке. Вы можете выбрать их в Настройках программы. Для фильмов, субтитры можно выбрать в выпадающем меню на странице с деталями фильма.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Нажав на иконку сердца на обложке, вы добавите фильм/сериал в список избранного. Просмотреть этот список можно нажав на иконку сердечка на панели навигации. Чтобы удалить предмет из списка избранного, просто нажмите на сердечко еще раз! Проще не бывает!", + "Watched icon": "Иконка «Просмотренное»", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s автоматически запомнит всё, что вы уже посмотрели — небольшая помощь с запоминанием просмотренного никогда не будет лишней. Вы также можете отметить предмет как просмотренный просто кликнув на иконку в виде глаза, которая находится на обложке фильма или сериала. А ещё вы можете собрать и синхронизировать свою коллекцию с сайтом Trakt.tv с помощью Настроек программы.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "В %s, нажатием на иконку лупы вы можете открыть поисковую панель. Введите Название фильма, Имя актёра, Режиссёра или просто год выхода в прокат, нажмите «Enter» и мы покажем вам всё, что найдём в нашей коллекции. Чтобы закрыть поисковую панель, просто нажмите на «Х» рядом с вашим запросом или просто поищите что-нибудь другое.", + "External Players": "Внешние проигрыватели", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Если вам не понравился наш встроенный плеер, вы можете использовать любой другой просто нажав на стрелочку возле кнопки «Смотреть». После нажатия, появится список установленных плееров. Просто выберите любимый плеер и %s сделает всё остальное за вас. Если вашего плеера нет в списке, пожалуйста, сообщите нам об этом.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "На этом настройки не заканчиваются, у нас ещё есть много всего. Для того, чтобы зайти в Настройки программы, нажмите на иконку в виде шестерёнки на панели навигации.", + "Keyboard Navigation": "Навигация с клавиатуры", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Список всех горячих клавиш можно вызвать нажатием <?> на вашей клавиатуре или нажав на иконку в виде клавиатуры в разделе «Настройки».", + "Custom Torrents and Magnet Links": "Пользовательские торренты и magnet-ссылки", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Вы можете просматривать сериалы и фильмы в %s с помощью пользовательских торрент-файлов или magnet-ссылок. Просто перетащите .torrent файл на окно программы или просто скопируйте и вставьте magnet-ссылку на окно Popcorn Time.", + "Torrent health": "Статус торрента", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "На странице с деталями фильма/сериала, вы можете обнаружить маленький кружок серого, красного, жёлтого или зелёного цвета. Эти цвета отображают состояние торрента. Зеленый означает, что торрент загрузиться быстро, а красный значит что торрент может либо вообще не загрузиться, либо загружаться очень медленно. Серый цвет означает ошибку в расчете состояния торрента для фильмов, а для сериалов нужно самостоятельно кликнуть на серый кружок, чтобы показать состояние отдельного эпизода", + "How does %s work?": "Как работает %s?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s транслирует видео через торренты. Фильмы предоставлены %s, а сериалы предоставлены %s, все данные мы берём от %s. Мы не храним у себя никаких фильмов, сериалов или данных о них.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Трансляция через торрент? Да, торренты используют протокол BitTorrent, а это значит, что вы скачиваете кусочки контента с компьютеров других пользователей, в то же время отправляя загруженные кусочки другим пользователям. А пока вы смотрите те кусочки, которые уже загрузили, следующие загружаются в фоновом режиме. Такой обмен позволяет поддерживать торренты в хорошем состоянии.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "После того, как фильм будет полностью загружен, вы продолжаете отсылать его кусочки другим пользователям. А когда вы закрываете %s, то все данные этого фильма удаляются с вашего ПК. Всё настолько просто.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Программа собрана с помощью Node-Webkit, HTML, CSS и JavaScript. Принцип работы похож на браузер Google Chrome, только бо́льшая часть кода хранится на вашем ПК. Да, %s работает на такой же технологии, как и обычный веб-сайт, например Wikipedia или YouTube!", + "I found a bug, how do I report it?": "Я обнаружил баг, как сообщить о нём?", + "You can paste magnet links anywhere in %s with CTRL+V.": "Вы можете вставить magnet-ссылку с помощью CTRL+V в любое место в окне %s.", + "You can drag & drop a .torrent file into %s.": "Вы можете перетащить .torrent файл в окно %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Если субтитры для сериала отсутствуют, вы можете добавить их здесь: %s. А для фильмов здесь: %s", + "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Вы можете войти на Trakt.tv чтобы сохранить ваш список просмотренного и синхронизировать его с несколькими устройствами.", + "Clicking on the rating stars will display a number instead.": "Нажав на звёздочки, рейтинг отобразится в виде числа.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "Эта программа полностью написана на HTML5, CSS3 и JavaScript", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Хотите узнать больше о фильме или сериале? Просто нажмите на иконку IMDb.", + "Switch to next tab": "Перейти на следующую вкладку", + "Switch to previous tab": "Перейти на предыдущую вкладку", + "Switch to corresponding tab": "Перейти на соответствующую вкладку", + "through": "через", + "Enlarge Covers": "Увеличить обложки", + "Reduce Covers": "Уменьшить обложки", + "Open Item Details": "Показать детальное описание", + "Add Item to Favorites": "Добавить в избранное", + "Mark as Seen": "Отметить как «Просмотренное»", + "Open this screen": "Открыть этот раздел", + "Open Settings": "Открыть настройки", + "Posters Size": "Размер постеров", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Эта функция работает только если ваш аккаунт Trakt.tv синхронизирован с программой. Пожалуйста, перейдите в настройки программы и введите данные вашего аккаунта.", + "Last Open": "Последний открытый", + "Exporting Database...": "Экспорт базы данных…", + "Database Successfully Exported": "База данных экспортирована успешно", + "Display": "Показать", + "TV": "ТВ", + "Type": "Тип", + "popularity": "популярность", + "date": "дата", + "year": "год", + "rating": "рейтинг", + "updated": "обновлено", + "name": "название", + "OVA": "OVA", + "ONA": "ONA", + "Movie": "Фильм", + "Special": "Спешл", + "Watchlist": "Тебе смотреть", + "Resolving..": "Получение..", + "About": "О проекте", + "Open Cache Directory": "Открыть каталог кэша", + "Open Database Directory": "Открыть каталог базы", + "Mark as unseen": "Отметить как не просмотренное", + "Playback rate": "Скорость видео", + "Increase playback rate by %s": "Ускорять видео %s", + "Decrease playback rate by %s": "Замедлять видео %s", + "Set playback rate to %s": "Установить скорость видео на %s", + "Playback rate adjustment is not available for this video!": "Установления скорости недоступно в этом видео", + "Color": "Цвет", + "Local IP Address": "Локальный IP-адрес", + "Japan": "Япония", + "Cars": "Автомобили", + "Dementia": "Слабоумие", + "Demons": "Демоны", + "Ecchi": "Этти", + "Game": "Игра", + "Harem": "Гарем", + "Historical": "Исторический", + "Josei": "Дзёсэй", + "Kids": "Дети", + "Magic": "Волшебство", + "Martial Arts": "Боевые искусства", + "Mecha": "Меха", + "Military": "Военный", + "Parody": "Пародия", + "Police": "Полиция", + "Psychological": "Психологический", + "Samurai": "Самурай", + "School": "Школа", + "Seinen": "Сэйнэн", + "Shoujo": "Сёдзё", + "Shoujo Ai": "Сёдзё-Ай", + "Shounen": "Сёнэн", + "Shounen Ai": "Сёнэн-Ай", + "Slice of Life": "Повседневность", + "Space": "Космос", + "Sports": "Спортивные игры", + "Super Power": "Супер Сила", + "Supernatural": "Сверхъестественное", + "Vampire": "Вампир", + "VPN": "VPN", + "Connect": "Соединиться", + "Create Account": "Создать учётную запись", + "Celebrate various events": "Отмечать различные праздники", + "Disconnect": "Разъединить", + "Downloaded": "Загружено", + "Loading stuck ? Click here !": "Загрузка остановилась? Жми сюда!", + "Torrent Collection": "Коллекция торрентов", + "Remove this torrent": "Удалить этот торрент", + "Rename this torrent": "Переименовать этот торрент", + "Open Collection Directory": "Открыть каталог с коллекцией", + "Store this torrent": "Сохранить этот торрент", + "Enter new name": "Введите новое имя", + "This name is already taken": "Это имя уже занято", + "Always start playing in fullscreen": "Всегда проигрывать в полноэкранном режиме", + "Magnet link": "Magnet-ссылка", + "Error resolving torrent.": "Ошибка при загрузке торрента.", + "%s hour(s) remaining": "Осталось %s часов", + "%s minute(s) remaining": "Осталось %s минут", + "%s second(s) remaining": "Осталось %s секунд", + "Unknown time remaining": "Оставшееся время неизвестно", + "Set player window to video resolution": "Установить размер окна равный разрешению видео", + "Set player window to double of video resolution": "Установить размер окна в два раза больше разрешения видео", + "Set player window to half of video resolution": "Установить размер окна в половину разрешения видео", + "Retry": "Попробовать снова", + "Import a Torrent": "Импортировать торрент", + "Not Seen": "Не был просмотрен", + "Seen": "Просмотрен", + "Title": "Название", + "The video playback encountered an issue. Please try an external player like %s to view this content.": "Произошла ошибка во время проигрывания видео. Вы можете использовать сторонний плеер, например %s, для просмотра этого видео.", + "Font": "шрифт", + "Decoration": "Оформление", + "None": "Ни один", + "Outline": "Обводка", + "Opaque Background": "Матовый фон", + "No thank you": "Нет, спасибо", + "Report an issue": "Сообщить о проблеме", + "Email": "Электронная почта", + "Submit": "Подтвердить", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Используйте %s фильтр ошибок для поиска и проверки на то, что ошибка уже сообщена или уже решена.", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Приложите скриншот при необходимости — если Вы хотите предложить новую функцию или сообщить об ошибке?", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Хороший отчёт об ошибке не должен предлагать другим разыскивать вас для получения дополнительной информации. Убедитесь, что указали информацию о вашем окружении.", + "Warning: Always use English when contacting us, or we might not understand you.": "Внимание: всегда пишите нам по-английски, иначе мы не сможем вас понять.", + "No results found": "Ничего не найдено", + "Open Favorites": "Открыть избранное", + "Open About": "О приложении", + "Minimize to Tray": "Спрятать на панель задач", + "Close": "Закрыть", + "Restore": "Восстановить", + "Features": "Характеристики", + "Connect To %s": "Соединиться с %s", + "Cannot be stored": "Нет возможности это сохранить", + "Overall Ratio": "Общее соотношение", + "Translate Synopsis": "Перевести синопсис", + "N/A": "Сведений нет", + "Your disk is almost full.": "Ваш диск почти заполнен.", + "You need to make more space available on your disk by deleting files.": "Необходимо освободить место на диске, удалив ненужные файлы.", + "Playing Next": "Воспроизвести следующую", + "See-through Background": "Прозрачный фон", + "Bold": "Жирный", + "Currently watching": "Текущий просмотр", + "No, it's not that": "Нет, это не то", + "Correct": "Правильно", + "Init Database": "Инициализация База данных", + "Status: %s ...": "Статус: %s ...", + "Create Temp Folder": "Создать временную директорию", + "Set System Theme": "Установить тему системы", + "Disclaimer": "Письменный отказ от ответственности", + "Series": "Серии", + "Event": "Событие", + "Local": "Локальные", + "Try another subtitle or drop one in the player": "Попробуйте другие субтитры или бросьте их в плеер", + "show": "показать", + "movie": "фильм", + "Something went wrong downloading the update": "Что-то пошло не так при загрузке обновления", + "Error converting subtitle": "Ошибка преобразования субтитров", + "No subtitles found": "Субтитры не найдены", + "Try again later or drop a subtitle in the player": "Попробуйте еще или бросьте субтитры в плеер", + "You should save the content of the old directory, then delete it": "Вы должны сохранить содержимое старого каталога, а затем удалить его", + "Search on %s": "Поиск %s", + "Audio Language": "Язык аудио", + "Subtitle": "Субтитр", + "Code:": "Код:", + "Error reading subtitle timings, file seems corrupted": "Ошибка чтения тайминга субтитров, файл кажется испорчен", + "Open File to Import": "Открыть файл для импорта", + "Browse Directory to save to": "Открыть директорию для сохранения в", + "Cancel and use VPN": "Отменить и использовать VPN", + "Resume seeding after restarting the app?": "Продолжить раздавать торренты после перезапуска приложения?", + "Seedbox": "Сиидбокс", + "Cache Folder": "Папка кэша", + "Show cast": "Показ состава", + "Filename": "Название файла", + "Stream Url": "URL-адрес потока", + "Show playback controls": "Показывать элементы управления воспроизведением", + "Downloading": "Скачивание", + "Hide playback controls": "Скрывать элементы управления воспроизведением", + "Poster Size": "Размер обложки", + "UI Scaling": "Масштаб интерфейса", + "Show all available subtitles for default language in flag menu": "Показывать все доступные субтитры для языка по умолчанию в меню флагов", + "Cache Folder Button": "Кнопка папки кэша", + "Enable remote control": "Включить дистанционное управление", + "Server": "Сервер", + "API Server(s)": "API-сервер", + "Proxy Server": "Прокси сервер", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Не забудьте экспортировать базу данных перед обновлением на случай, если потребуется восстановить избранное, просмотренное или настройки", + "Update Now": "Обновить сейчас", + "Database Exported": "База данных экспортирована", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Сохранённые торренты", + "Search Results": "Результаты поиска", + "Paste a Magnet link": "Вставить magnet-ссылку", + "Import a Torrent file": "Импорт торрент-файла", + "Select data types to import": "Выберите типы данных для импорта", + "Please select which data types you want to import ?": "Выберите какие типы данных вы хотите импортировать?", + "Watched items": "Просмотренное", + "Bookmarked items": "Закладки", + "Download list is empty...": "Список скачиваний пуст...", + "Active Torrents Limit": "Ограничение активных торрентов", + "Toggle Subtitles": "Переключить субтитры", + "Toggle Crop to Fit screen": "Обрезать по размеру экрана", + "Original": "Оригинал", + "Fit screen": "По размеру экрана", + "Video already fits screen": "Вписать Видео в экране", + "The filename was copied to the clipboard": "Имя файла было скопировано в буфер обмена", + "The stream url was copied to the clipboard": "URL-адрес потока был скопирован в буфер обмена", + "* %s stores an encrypted hash of your password in your local database": "* %s хранит зашифрованный хэш вашего пароля в вашей локальной базе данных", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Возможно, ваше устройство не поддерживает формат/кодеки видео.
Попробуйте другое качество разрешения или кастинг с помощью VLC", + "Hide cast": "Скрыть актёрский состав", + "Tabs": "Вкладки", + "Native window frame": "Системная граница окна", + "Open Cache Folder": "Открыть папку кэша", + "Restart Popcorn Time": "Перезапустить Popcorn Time", + "Developer Tools": "Инструменты разработчика", + "Movies API Server": "API-сервер фильмов", + "Series API Server": "API-сервер сериалов", + "Anime API Server": "API-сервер аниме", + "The image url was copied to the clipboard": "URL-адрес изображения был скопирован в буфер обмена", + "Popcorn Time currently supports": "В настоящее время Popcorn Time поддерживает", + "There is also support for Chromecast, AirPlay & DLNA devices.": "Также есть поддержка устройств Chromecast, AirPlay и DLNA.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Вы можете установить несколько фильтров и вкладок одновременно и, конечно же, установить дополнительные фильтры позже", + "as well as overwrite or reset your preferences)": "а также перезаписать или сбросить настройки.)", + "Default Filters": "Фильтры", + "Set Filters": "Установить фильтры", + "Reset Filters": "Сбросить фильтры", + "Your Default Filters have been changed": "Ваши фильтры по умолчанию были изменены", + "Your Default Filters have been reset": "Ваши фильтры по умолчанию были сброшены", + "Setting Filters...": "Настройка фильтров...", + "Default": "По умолчанию", + "Custom": "Настроить", + "Remember": "Запомнить", + "Cache": "Кэш", + "Unknown": "Неизвестно", + "Change Subtitles Position": "Изменить положение субтитров", + "Minimize": "Свернуть", + "Separate directory for Downloads": "Отдельная папка для скачиваний", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Включение предотвратит совместное использование кэша между функциями «Смотреть» и «Скачать».", + "Downloads Directory": "Папка для скачиваний", + "Open Downloads Directory": "Открыть папку для скачиваний", + "Delete related cache ?": "Удалить соответствующий кэш?", + "Yes": "Да", + "No": "Нет", + "Cache files deleted": "Файлы кеша удалены", + "Delete related cache when removing from Seedbox": "Удалять соответствующий кеш при удалении из сидбокса", + "Always": "Всегда", + "Ask me every time": "Спрашивайте меня каждый раз", + "Enable Protocol Encryption": "Включить шифрование протокола", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Позволяет подключаться к пирам использующим PE/MSE. В большинстве случаев увеличивает количество подключаемых пиров, но может привести к увеличению загрузки процессора", + "Show the Seedbox when a new download is added": "Показывать сидбокс при добавлении новой загрузки", + "Download added": "Загрузка добавлена", + "Change API Server": "Изменить API-сервер", + "Default Content Language": "Язык контента по умолчанию", + "Title translation": "Переводить названия", + "Translated - Original": "Перевод - Оригинал", + "Original - Translated": "Оригинал - Перевод", + "Translated only": "Только перевод", + "Original only": "Только оригинал", + "Translate Posters": "Переводить обложки", + "Translate Episode Titles": "Переводить названия серий", + "Only show content available in this language": "Показывать только контент, доступный на этом яыке", + "Translations depend on availability. Some options also might not be supported by all API servers": "Переводы зависят от наличия. Некоторые параметры также могут не поддерживаться всеми серверами API", + "added": "добавлено", + "Max. Down / Up Speed": "Макс. скорость загрузки/отдачи", + "Show Release Info": "Показать информацию о выпуске", + "Parental Guide": "Руководство для родителей", + "Rebuild bookmarks database": "Перестроить базу данных закладок", + "Rebuilding bookmarks...": "Перестроение закладок...", + "Submit metadata & translations": "Отправить метаданные и переводы", + "Not available": "Недоступно", + "Cast not available": "Роли недоступны", + "was removed from bookmarks": "удалён из закладок", + "Bookmark restored": "Закладка восстановлена", + "Undo": "Отменить", + "minute(s) remaining before preloading next episode": "минут(ы) до предзгрузки нового эпизода", + "Zoom": "Масштаб", + "Contrast": "Контраст", + "Brightness": "Яркость", + "Hue": "Оттенок", + "Saturation": "Насыщенность", + "Decrease Zoom by": "Уменьшить масштаб на", + "Increase Zoom by": "Увеличить масштаб на", + "Decrease Contrast by": "Уменьшить контраст на", + "Increase Contrast by": "Увеличить контраст на", + "Decrease Brightness by": "Уменьшить яркость на", + "Increase Brightness by": "Увеличить яркость на", + "Rotate Hue counter-clockwise by": "Повернуть оттенок против часовой стрелки на", + "Rotate Hue clockwise by": "Повернуть оттенок по часовой стрелке на", + "Decrease Saturation by": "Уменьшить насыщенность на", + "Increase Saturation by": "Увеличить насыщенность на", + "Automatically update the API Server URLs": "Автоматически обновлять URL-адреса API-сервера", + "Enable automatically updating the API Server URLs": "Включить автоматическое обновление URL-адресов API-серверов", + "Automatically update the app when a new version is available": "Автообновлять приложение, когда доступна новая версия", + "Enable automatically updating the app when a new version is available": "Включить автоматическое обновление приложения при выходе новой версии", + "Check for updates": "Проверить наличие обновлений", + "Updating the API Server URLs": "Обновление URL-адресов API-сервера", + "API Server URLs updated": "URL-адреса API-серверов обновлены", + "API Server URLs already updated": "URL-адреса API-серверов уже обновлены", + "API Server URLs could not be updated": "Не удалось обновить URL-адреса API-сервера", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Вы можете добавить несколько API-серверов, разделённых символом (, запятая) из которых он будет выбирать случайным образом (*для балансировки нагрузки), пока не найдёт первый доступный", + "The API Server URL(s) was copied to the clipboard": "URL-адрес API-сервера был скопирован в буфер обмена", + "0 = Disable preloading": "0 = Отключить предзагрузку", + "Search field always expanded": "Поле поиска всегда развёрнуто", + "DHT UDP Requests Limit": "Ограничение DHT UDP-запросов", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Подключитесь к %s для автоматического извлеения субтитров для фильмов с эпизодов, которые вы смотрите в %s", + "Create an account": "Создать аккаунт", + "Search for something or drop a .torrent / magnet link...": "Поищите что-то или перетащите .torrent / magnet ссылку...", + "Torrent removed": "Торрент удален", + "Remove": "Удалить", + "Connect to %s": "Соединиться с %s", + "to automatically 'scrobble' episodes you watch in %s": "для автоматического «скробблинга» эпизодов которые вы смотрите в %s", + "Sync now": "Синхронизировать сейчас", + "Same as Default Language": "Как язык по умолчанию", + "Language": "Язык", + "Allow Audio Passthrough": "Включить Audio Passthrough", + "release info link": "Ссылка на информацию о датах выхода", + "parental guide link": "Ссылка на ограничения по возрасту", + "IMDb page link": "Сыылка на IMDB", + "submit metadata & translations link": "отправить ссылку на метаданные и переводы", + "episode title": "название серии", + "full cast & crew link": "ссылка на полный состав и съемочную группу", + "Click providers to enable / disable": "Нажмите на провайдеров, чтобы включить / выключить", + "Right-click to filter results by": "Кликните правой кнопкой мыши, чтобы отфильтровать результаты", + "to filter by All": "фильтровать по Все", + "more...": "еще...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "меньше....", + "Trending": "Trending", + "Popularity": "Popularity", + "Last Added": "Last Added", + "100%": "100%", + "113%": "113%", + "125%": "125%", + "138%": "138%", + "150%": "150%", + "163%": "163%", + "175%": "175%", + "188%": "188%", + "200%": "200%", + "25% - 400%": "25% - 400%", + "Movies API Server(s)": "Movies API Server(s)", + "Series API Server(s)": "Series API Server(s)", + "Anime API Server(s)": "Anime API Server(s)", + "KB/s": "KB/s", + "MB/s": "MB/s", + "Never": "Never", + "Updates": "Updates", + "Show a notification when a new version is available": "Show a notification when a new version is available", + "the URL(s)": "the URL(s)", + "The remote movies API failed to respond, please check %s and try again later": "The remote movies API failed to respond, please check %s and try again later", + "Slice Of Life": "Slice Of Life", + "Health Bad": "Health Bad", + "Returning Series": "Returning Series", + "Action & Adventure": "Action & Adventure", + "Health Medium": "Health Medium", + "No anime found...": "No anime found..." } \ No newline at end of file diff --git a/src/app/language/sk.json b/src/app/language/sk.json index 22a007b9a1..8d21726edf 100644 --- a/src/app/language/sk.json +++ b/src/app/language/sk.json @@ -44,7 +44,6 @@ "Load More": "Načítať viac", "Saved": "Uložené", "Settings": "Nastavenia", - "Show advanced settings": "Zobraziť pokročilé nastavenia", "User Interface": "Používateľské rozhranie", "Default Language": "Predvolený jazyk", "Theme": "Téma", @@ -61,10 +60,7 @@ "Disabled": "Vypnuté", "Size": "Veľkosť", "Quality": "Kvalita", - "Only list movies in": "Iba filmy v", - "Show movie quality on list": "Výber kvality filmu", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Uživateľské meno", "Password": "Heslo", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API meno užívateľa", "HTTP API Password": "HTTP API Heslo", "Connection": "Pripojenie", - "TV Show API Endpoint": "Koncový bod API TV Seriálu", "Connection Limit": "Limit pripojenia", "DHT Limit": "DHT Limit", "Port to stream on": "Port na dátový prenos", "0 = Random": "0 = Random", "Cache Directory": "Priečinok vyrovnávacej pamäte", - "Clear Tmp Folder after closing app?": "Vymazať priečinok vyrovnávacej pamäte po ukončení?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Databáza", "Database Directory": "Adresár Databáz", "Import Database": "Importovať Databázu", "Export Database": "Exportovať Databázu", "Flush bookmarks database": "Vyprázdniť databázu záložiek", - "Flush subtitles cache": "Vyprázdniť vyrovnávaciu pamäť s titulkami", "Flush all databases": "Vyprázdniť celú databázu", "Reset to Default Settings": "Resetnúť do pôvodného nastavenia", "Importing Database...": "Importujem Databázu...", @@ -131,8 +125,8 @@ "Ended": "Ukončené", "Error loading data, try again later...": "Chyba pri načítaní, skúste neskôr...", "Miscellaneous": "Rôzne", - "First Unwatched Episode": "Prvú neprehratú epizódu", - "Next Episode In Series": "Ďalšiu epizódu v seriáli", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Flushing...", "Are you sure?": "Are you sure?", "We are flushing your databases": "Vyprázdňujeme vaše databázy", @@ -142,7 +136,7 @@ "Terms of Service": "Podmienky používania", "I Accept": "Súhlasím", "Leave": "Opustiť", - "When Opening TV Series Detail Jump To": "Pri otváraní detailu seriálu preskočiť na", + "Series detail opens to": "Series detail opens to", "Playback": "Playback", "Play next episode automatically": "Prehrať ďalšiu epizódu automaticky", "Generate Pairing QR code": "Vygenerovať párovací QR kód", @@ -152,23 +146,17 @@ "Seconds": "Sekúnd", "You are currently connected to %s": "Momentálne ste pripojený k %s", "Disconnect account": "Odpojiť účet", - "Sync With Trakt": "Synchronizovať s Trakt", "Syncing...": "Synchronizujem...", "Done": "Hotovo", "Subtitles Offset": "Posun titulkov", "secs": "s", "We are flushing your database": "Vyprázdňuje sa vaša databáza", "Ratio": "Pomer", - "Advanced Settings": "Rozšírené nastavenia", - "Tmp Folder": "Dočasný priečinok", - "URL of this stream was copied to the clipboard": "URL tohto dátového prenosu bolo skopírované do schránky", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Chyba, databáza je pravdepodobne poškodená. Skúste zmazať záložky v Nastaveniach.", "Flushing bookmarks...": "Vymazávanie záložiek...", "Resetting...": "Reštartovanie...", "We are resetting the settings": "Resetujeme nastavenia", "Installed": "Inštalácia hotová", - "We are flushing your subtitle cache": "Vyprázdňuje sa vaše úložisko s titulkami", - "Subtitle cache deleted": "Vyrovnávacia pamäť titulkov bola zmazaná", "Please select a file to play": "Vyberte súbor pre prehrávanie", "Global shortcuts": "Všeobecné skratky", "Video Player": "Videoprehrávač", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Vypnúť fullscrean", "Seek Backward": "Pretočiť dozadu", "Decrease Volume": "Znížiť hlasitosť", - "Show Stream URL": "Zobraziť URL dátového prenosu", "TV Show Detail": "Seriál - podrobnosti", "Toggle Watched": "Označiť ako videné", "Select Next Episode": "Vybrať nasledujúcu epizódu", @@ -309,10 +296,7 @@ "Super Power": "Super schopnosti", "Supernatural": "Nadprirodzené", "Vampire": "Upíri", - "Automatically Sync on Start": "Automaticky synchronizovať pri štarte", "VPN": "VPN", - "Activate automatic updating": "Aktivovať automatické aktualizácie", - "Please wait...": "Prosím, čakajte...", "Connect": "Pripojiť", "Create Account": "Vytvoriť účet", "Celebrate various events": "Oslavovať rôzne sviatky", @@ -320,10 +304,8 @@ "Downloaded": "Stiahnuté", "Loading stuck ? Click here !": "Zamrzlo vám načítavanie? Kliknite sem!", "Torrent Collection": "Zbierka torrentov", - "Drop Magnet or .torrent": "Zahodiť Magnet alebo torrent.", "Remove this torrent": "Odstrániť tento torrent", "Rename this torrent": "Premenovať tento torrent", - "Flush entire collection": "Zmazať celú zbierku", "Open Collection Directory": "Otvoriť zbierku", "Store this torrent": "Uložiť tento torrent", "Enter new name": "Zadaj nové meno", @@ -352,101 +334,214 @@ "No thank you": "Nie, ďakujem", "Report an issue": "Nahlásiť problém", "Email": "Email", - "Log in": "Prihlásiť sa", - "Report anonymously": "Nahlásiť anonymne", - "Note regarding anonymous reports:": "Poznámka k anonymným hláseniam:", - "You will not be able to edit or delete your report once sent.": "Po odoslaní nebudete môcť vaše hlásenie upraviť ani odstrániť.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Pokiaľ budú potrebné doplňujúce informácie, hlásenie môže byť zavreté, keďže vy tieto informácie nebudete môcť poskytnúť.", - "Step 1: Please look if the issue was already reported": "1. krok: Skontrolujte, či nebol problém už nahlásený", - "Enter keywords": "Zadať kľúčové slová", - "Already reported": "Už nahlásené", - "I want to report a new issue": "Chcem ohlásiť nový problém", - "Step 2: Report a new issue": "2. krok: Nahlásiť nový problém", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Poznámka: nepoužívajte tento formulár, aby ste nás kontaktovali. Je obmedzený iba na hlásenia o chybách.", - "The title of the issue": "Názov problému", - "Description": "Popis", - "200 characters minimum": "aspoň 200 znakov", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Krátky popis problému. Ak je to vhodné, priložte kroky potrebné na zreprodukovanie chyby.", "Submit": "Odoslať", - "Step 3: Thank you !": "3. krok: Ďakujeme !", - "Your issue has been reported.": "Váš problém bol nahlásený.", - "Open in your browser": "Otvoriť v prehľadávači", - "No issues found...": "Nenašli sa žiadne problémy...", - "First method": "Prvá metóda", - "Use the in-app reporter": "Použiť oznamovanie priamo v aplikácii", - "You can find it later on the About page": "Neskôr to môžete nájsť na stránke Čo je...", - "Second method": "Druhá metóda", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Použite filter problémov %s, aby ste mohli vyhľadávať a skontrolovať, či už bol problém nahlásený alebo dokonca opravený.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Ak je to k podstatné, priložte snímok obrazovky - Týka sa váš problém návrhu aplikácie alebo ide o chybu?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Dobré hlásenie chyby by nemalo nechať ostatných naháňať vás kvôli viac informáciám. Uistite sa, že priložíte tiež podrobnosti vášho prostredia.", "Warning: Always use English when contacting us, or we might not understand you.": "Upozornenie: Keď nás kontaktujete, zakaždým použite angličtinu, inak vám nemusíme rozumieť.", - "Search for torrent": "Search for torrent", "No results found": "Nič sa nenašlo", - "Invalid credentials": "Nesprávne údaje", "Open Favorites": "Otvoriť Obľúbené", "Open About": "Otvoriť O nás", "Minimize to Tray": "Minimalizovať na lištu", "Close": "Zatvoriť", "Restore": "Obnoviť", - "Resume Playback": "Obnoviť prehrávanie", "Features": "Funkcie", "Connect To %s": "Pripojiť sa k %s", - "The magnet link was copied to the clipboard": "Magnetový odkaz bol skopírovaný do schránky", - "Big Picture Mode": "Režim Big Picture", - "Big Picture Mode is unavailable on your current screen resolution": "Režim Big Picture nie je pri aktuálnom rozlíšení obrazovky k dispozícii", "Cannot be stored": "Nemože byť uložené", - "%s reported this torrent as fake": "%s označil tento torrent ako falošný", - "Randomize": "Náhodne", - "Randomize Button for Movies": "Náhodné tlačidlo na filmy", "Overall Ratio": "Celkový pomer", "Translate Synopsis": "Preložiť zhrnutie akcie", "N/A": "N/A", "Your disk is almost full.": "Disk je takmer plný.", "You need to make more space available on your disk by deleting files.": "Potrebujete na disku uvoľniť viac miesta odstránením súborov.", "Playing Next": "Prehráva sa ďalšie", - "Trending": "Trendy", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Local", "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Error converting subtitle", "No subtitles found": "No subtitles found", "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Hľadať na %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Sťahujem...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Pôvodné", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Jas", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Skontrolovať dostupnosť aktualizácií", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/sl.json b/src/app/language/sl.json index ca3287722b..5a899f72e0 100644 --- a/src/app/language/sl.json +++ b/src/app/language/sl.json @@ -2,7 +2,7 @@ "External Player": "Zunanji Predvajalnik", "Made with": "Narejeno z", "by a bunch of geeks from All Around The World": "s strani kupa piflarčkov iz Vseh Koncev Sveta", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Initializing %s. Please Wait...": "Inicializiranje %s. Prosimo počakajte...", "Movies": "Filmi", "TV Series": "TV Serije", "Anime": "Anime", @@ -44,7 +44,6 @@ "Load More": "Prikaži več", "Saved": "Shranjeno", "Settings": "Nastavitve", - "Show advanced settings": "Pokaži napredne nastavitve", "User Interface": "Uporabniški vmesnik", "Default Language": "Privzeti jezik", "Theme": "Teme", @@ -61,31 +60,26 @@ "Disabled": "Onemogočeno", "Size": "Velikost", "Quality": "Kvaliteta", - "Only list movies in": "Zabeleži filme samo v", - "Show movie quality on list": "Pokaži kvaliteto filma na seznamu", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Poveži se s %s da samodejno ''scrobble/a'' epizode ki jih gledate na %s", "Username": "Uporabniško Ime", "Password": "Geslo", - "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "%s stores an encrypted hash of your password in your local database": "%s shrani šifriran hash vašega gesla v lokalni bazi", "Remote Control": "Daljinsko Upravljanje", "HTTP API Port": "HTTP API Vrata", "HTTP API Username": "HTTP API Uporabniško Ime", "HTTP API Password": "HTTP API Geslo", "Connection": "Povezava", - "TV Show API Endpoint": "API Endpoint za TV Oddaje", "Connection Limit": "Omejitev Povezave", "DHT Limit": "DHT Omejitev", "Port to stream on": "Stream Vrata na", "0 = Random": "0 = Naključno", "Cache Directory": "Predpomnilniška Mapa", - "Clear Tmp Folder after closing app?": "Počistim Začasno Mapo ko se aplikacija zapre?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Baza Podatkov", "Database Directory": "Imenik Podatkovne Baze", "Import Database": "Uvozi Bazo Podatkov", "Export Database": "Izvozi Bazo Podatkov", "Flush bookmarks database": "Splakni bazo podatkov zaznamkov", - "Flush subtitles cache": "Splakni predpomnilnik podnapisov", "Flush all databases": "Splakni celotne baze podatkov", "Reset to Default Settings": "Ponastavi na Privzete Nastavitve", "Importing Database...": "Uvažam Bazo Podatkov...", @@ -131,8 +125,8 @@ "Ended": "Končano", "Error loading data, try again later...": "Napaka pri nalaganju podatkov, poskusite ponovno kasneje...", "Miscellaneous": "Razno", - "First Unwatched Episode": "Prvo Še Ne Gledano Epizodo", - "Next Episode In Series": "Naslednjo Epizodo V Seriji", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Splaknjujem...", "Are you sure?": "Ali ste sigurni?", "We are flushing your databases": "Splaknjujemo vaše baze podatkov", @@ -142,7 +136,7 @@ "Terms of Service": "Pogoji delovanja", "I Accept": "Sprejmem", "Leave": "Zapusti", - "When Opening TV Series Detail Jump To": "Kadar Se Odpira Stran Z Detalji TV Oddaj, Skoči Na", + "Series detail opens to": "Series detail opens to", "Playback": "Ponovno Predvajanje", "Play next episode automatically": "Predvajaj naslednjo epizodo samodejno", "Generate Pairing QR code": "Ustvari Pairing QR kodo", @@ -152,23 +146,17 @@ "Seconds": "Sekund'o/i/e", "You are currently connected to %s": "Trenutno ste povezani s %s", "Disconnect account": "Odklopi račun", - "Sync With Trakt": "Sinhroniziraj s Trakt.tv", "Syncing...": "Sinhroniziranje...", "Done": "Končano", "Subtitles Offset": "Neskladni Podnapisi", "secs": "sek", "We are flushing your database": "Splaknjujemo vašo bazo podatkov", "Ratio": "Razmerje", - "Advanced Settings": "Napredne Nastavitve", - "Tmp Folder": "Začasna Mapa", - "URL of this stream was copied to the clipboard": "URL tega toka (stream) je bil kopiran v odložišče (clipboard)", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Napaka, baza podatkov je verjetno poškodovana. Poskusite splaknit zaznamke v nastavitvah.", "Flushing bookmarks...": "Splaknjujem zaznamke...", "Resetting...": "Ponastavljam...", "We are resetting the settings": "Ponastavljamo nastavitve", "Installed": "Nameščeno", - "We are flushing your subtitle cache": "Splaknjujemo vaš predpomnilnik podnapisov", - "Subtitle cache deleted": "Predpomnilnik podnapisov izbrisan", "Please select a file to play": "Prosimo izberite datoteko za predvajanje", "Global shortcuts": "Globalne bližnjice", "Video Player": "Video Predvajalnik", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Izhod iz Celozaslonskega načina", "Seek Backward": "Išči Nazaj", "Decrease Volume": "Zmanjšaj Glasnost", - "Show Stream URL": "Pokaži Stream URL", "TV Show Detail": "Podrobnosti TV Oddaj", "Toggle Watched": "Preklop Že Gledano", "Select Next Episode": "Izberi Naslednjo Epizodo", @@ -204,8 +191,8 @@ "Paste": "Prilepi", "Help Section": "Pomoč Uporabnikom", "Did you know?": "Ali ste vedeli?", - "What does %s offer?": "What does %s offer?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "What does %s offer?": "Kaj ponuja %s ?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Z %s lahko enostavno gledate filme in TV-serije. Vse, kar morate storiti je, da kliknete na eno od naslovnic in potem 'Watch Now'. Vaša izkušnja je tudi visoko prilagodljiva:", "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Na Strani s TV Oddajami, katero odprete s klikom na 'TV Serije' na navigacijski vrstici, vam bo pokazalo vse dosegljive TV Oddaje v naši kolekciji. Lahko pa si tudi sami nastavite filtre po vašem okusu, enako kot za Filme. V tej kolekciji se tudi klikne na ovitek: novo okno, ki se bo odprlo, vam bo omogočilo krmarjenje med Sezonami in Epizodami. Ko se boste enkrat odločili, samo kliknete na gumb 'Predvajaj'.", "Choose quality": "Izberi kvaliteto", @@ -224,14 +211,14 @@ "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", "Torrent health": "Zdravje Torenta", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "Na straneh z detalji Filmov oz. TV Oddaj, lahko najdete majhen barvni krogec v sivi, rdeči, rumeni ali zeleni barvi. Te barve predstavljajo zdravje torenta. Zeleni torent se bo prenesel hitro, medtem ko se rdeči mogoče ne bo hotel prenesti oz. se bo prenašal zelo počasi. Siva barva predstavlja napako v kalkulaciji zdravja za Filme, za TV Oddaje je potrebno klikniti na krogec da prikaže zdravje.", - "How does %s work?": "How does %s work?", + "How does %s work?": "Kako deluje %s ?", "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "'Streaming' Torentov? Torenti uporabljajo Bittorrent protokol, kar pravzaprav pomeni, da prenašaš majhne dele datotek iz računalnika nekoga drugega, medtem pa pošiljaš že prenesene dele drugemu uporabniku. Nato gledaš te dele, ki so že prenešeni, medtem ko se naslednji prenašajo v ozadju. Ta izmenjava zagotavlja, da vsebina ostane zdrava.", "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", "I found a bug, how do I report it?": "Našel sem napako, kako to sporočim?", "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", - "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "You can drag & drop a .torrent file into %s.": ".torrent datoteko lahko povlečete in spustite v %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Če podnapisi za TV Oddajo manjkajo, jih lahko dodaš na %s. Enako velja za Film, ampak na %s.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Lahko se prijavite na Trakt.tv in si shranite vse vaše že gledane vsebine in jih sinhronizirate z več napravami.", "Clicking on the rating stars will display a number instead.": "S klikom na zvezde z oceno se vam bo namesto tega pokazala številka", @@ -309,10 +296,7 @@ "Super Power": "Super Moč", "Supernatural": "Nadnaravno", "Vampire": "Vampirji", - "Automatically Sync on Start": "Samodejna Sinhronizacija ob Zagonu", "VPN": "VPN", - "Activate automatic updating": "Vključi samodejno posodabljanje", - "Please wait...": "Prosimo počakajte...", "Connect": "Vzpostavi Povezavo", "Create Account": "Ustvari Račun", "Celebrate various events": "Praznuj različne dogodke", @@ -320,10 +304,8 @@ "Downloaded": "Prenešeno", "Loading stuck ? Click here !": "Je nalaganje obtičalo ? Resetiraj !", "Torrent Collection": "Kolekcija Torentov", - "Drop Magnet or .torrent": "Spusti Magnetno povezavo ali .torent", "Remove this torrent": "Odstrani tale torent", "Rename this torrent": "Preimenuj tale torent", - "Flush entire collection": "Splakni celotno kolekcijo", "Open Collection Directory": "Odpri Kolekcijsko Mapo", "Store this torrent": "Shrani tale torent", "Enter new name": "Vnesi novo ime", @@ -352,101 +334,214 @@ "No thank you": "Ne hvala", "Report an issue": "Prijavi napako", "Email": "Elektronska Pošta", - "Log in": "Prijava", - "Report anonymously": "Anonimno Poročanje", - "Note regarding anonymous reports:": "Opomba glede anonimnih poročil:", - "You will not be able to edit or delete your report once sent.": "Urejanje ali brisanje vaših poročil ne bo več mogoče ko so enkrat poslana.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Če so potrebne kakšne naknadne informacije, se poročilo lahko zapre, saj jih nebi mogli zagotoviti.", - "Step 1: Please look if the issue was already reported": "Korak 1: Prosimo poglejte ali je bila napaka že prijavljena", - "Enter keywords": "Vnesite ključne besede", - "Already reported": "Je že sporočeno", - "I want to report a new issue": "Želim prijaviti nov problem", - "Step 2: Report a new issue": "Korak 2: Prijavite novo napako", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Opomba: prosimo ne uporabljaj tale obrazec za kontaktiranje z nami. To je omejen le za poročila o napakah.", - "The title of the issue": "Naslov napake", - "Description": "Opis", - "200 characters minimum": "200 znakov najmanj", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Kratek opis problema. Če je primerno, vključi korake potrebne za ponovitev napake.", "Submit": "Oddaj", - "Step 3: Thank you !": "Korak 3: Hvala lepa !", - "Your issue has been reported.": "Tvoj problem je bil sporočen.", - "Open in your browser": "Odpri v brskalniku", - "No issues found...": "Ni našlo Problemov...", - "First method": "Prva metoda", - "Use the in-app reporter": "Uporabi v-aplikacijsko poročanje", - "You can find it later on the About page": "To lahko najdeš pozneje na Info strani", - "Second method": "Druga metoda", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Uporabi %s filter za probleme da poišče in preveri, če je problem že bil sporočen ali če je že bil odpravljen.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Vključi tudi zaslonsko sliko če je potrebno - je tvoj problem povezan glede dizajna ali napake?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Dobro poročilo o napaki nebi smelo dopuščat možnosti da te drugi lovijo za še več informacij. Bodi siguren da poskrbiš da so vključene podrobnosti o svojem okolju.", "Warning: Always use English when contacting us, or we might not understand you.": "Opozorilo: Vedno uporabljaj Angleščino kadar nas kontaktiraš, ker te drugače verjetno nebomo razumeli.", - "Search for torrent": "Search for torrent", "No results found": "Ni našlo Rezultatov", - "Invalid credentials": "Neveljavni prijavni podatki", "Open Favorites": "Odpri Priljubljene", "Open About": "Odpri Info", "Minimize to Tray": "Minimiraj v Opravilno Vrstico", "Close": "Zapri", "Restore": "Obnovi", - "Resume Playback": "Nadaljuj s predvajanjem", "Features": "Funkcije", "Connect To %s": "Poveži Se s %s", - "The magnet link was copied to the clipboard": "Magnetna poveza je bila kopirana v odložišče", - "Big Picture Mode": "Način Velike Slike", - "Big Picture Mode is unavailable on your current screen resolution": "Način Velike Slike je nemogoč na vaši trenutni ločljivost zaslona", "Cannot be stored": "Ni mogoče shraniti", - "%s reported this torrent as fake": "%s poročilo navaja ta torent kot ponaredek", - "Randomize": "Naključno", - "Randomize Button for Movies": "Gumb za Naključno Izbiranje Filmov", "Overall Ratio": "Splošno Razmerje", "Translate Synopsis": "Prevedi Povzetek", "N/A": "Ni/NaVoljo = Podatkov", "Your disk is almost full.": "Vaš disk je skoraj poln.", "You need to make more space available on your disk by deleting files.": "Narediti morate več prostora na vašem disku z brisanjem nepotrebnih datotek.", "Playing Next": "NaslednjePredvajanje", - "Trending": "Trend", - "Remember Filters": "Zapomni si filtre", - "Automatic Subtitle Uploading": "Samodejno oddajanje podnapisov", - "See-through Background": "See-through Background", - "Bold": "Bold", + "See-through Background": "prosojno ozadje", + "Bold": "Krepko", "Currently watching": "Trenutno gledate", - "No, it's not that": "No, it's not that", + "No, it's not that": "Ne, ni to", "Correct": "Pravilno", - "Indie": "Indie", - "Init Database": "Init Database", + "Init Database": "Inicializacija baze", "Status: %s ...": "Status: %s ...", - "Create Temp Folder": "Create Temp Folder", - "Set System Theme": "Set System Theme", - "Disclaimer": "Disclaimer", - "Series": "Series", - "Finished": "Finished", - "Event": "Event", - "action": "action", - "war": "war", - "Local": "Local", - "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", - "animation": "animation", - "family": "family", - "show": "show", - "movie": "movie", - "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", - "Error converting subtitle": "Error converting subtitle", + "Create Temp Folder": "Ustvari začasno mapo", + "Set System Theme": "Nastavi sistemsko temo", + "Disclaimer": "Izjava o omejitvi odgovornosti ", + "Series": "Serije", + "Event": "Dogodek", + "Local": "Lokalno", + "Try another subtitle or drop one in the player": "Poskusite drug podnapis, ali ga povlecite v predvajalnik", + "show": "oddaja", + "movie": "film", + "Something went wrong downloading the update": "Pri prenosu posodobitve se je nekaj zalomilo", + "Error converting subtitle": "Napaka pri pretvarjanju podnapisa", "No subtitles found": "Podnapisi niso najdeni", - "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", - "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Try again later or drop a subtitle in the player": "Znova poskusite kasneje, ali povlecite podnapis v predvajalnik", + "You should save the content of the old directory, then delete it": "Vsebino starega imenika bi morali shraniti, potem pa jo izbrisati", "Search on %s": "Iskanje na %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", - "Audio Language": "Audio Language", - "Subtitle": "Subtitle", - "Code:": "Code:", - "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", - "Connection Not Secured": "Connection Not Secured", - "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", - "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Audio Language": "Audio jezik", + "Subtitle": "Podnapis", + "Code:": "Koda:", + "Error reading subtitle timings, file seems corrupted": "Napaka pri branju časovnice podnapisa, datoteka izgleda pokvarjeno", + "Open File to Import": "Odpri datoteko za uvoz", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Prekliči in uporabi VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Prenašam ...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Rezultati iskanja", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Originalno", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Neznano", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Da", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Svetlost", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Preveri za posodobitvami", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/sq-AL.json b/src/app/language/sq-AL.json index 08ac36d4f1..e0561a9bbc 100644 --- a/src/app/language/sq-AL.json +++ b/src/app/language/sq-AL.json @@ -44,7 +44,6 @@ "Load More": "Shfaqë më shumë", "Saved": "Të ruajtura", "Settings": "Konfigurimet", - "Show advanced settings": "Shfaqë konfigurimet e avancuara", "User Interface": "Ndërfaqja e perdoruesit", "Default Language": "Gjuha primare", "Theme": "Tema", @@ -61,10 +60,7 @@ "Disabled": "Çaktivizuar", "Size": "Madhësia", "Quality": "Kualiteti", - "Only list movies in": "Listo vetëm filmat në", - "Show movie quality on list": "Trego kualitetin e filmit në listë", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", "Username": "Emri i përdoruesit", "Password": "Fjalëkalimi", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API Përdoruesi", "HTTP API Password": "HTTP API Fjalëkalimi", "Connection": "Lidhja", - "TV Show API Endpoint": "Fundi i API-t të serialeve", "Connection Limit": "Limiti i lidhjes", "DHT Limit": "Limiti i DHT", "Port to stream on": "Port to stream on", "0 = Random": "0 = I rastësishem", "Cache Directory": "Cache Directory", - "Clear Tmp Folder after closing app?": "Pastro Dosjen e Përkohshme pas mbylljes së aplikacionit?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "Databaza", "Database Directory": "Udhëzuesi i databazës", "Import Database": "Importoni Databazën", "Export Database": "Eksportoni Databazën", "Flush bookmarks database": "Flush bookmarks database", - "Flush subtitles cache": "Flush subtitles cache", "Flush all databases": "Flush all databases", "Reset to Default Settings": "Rivendosni Konfirgurimet Paraprake", "Importing Database...": "Duke Importuar Databazën...", @@ -131,8 +125,8 @@ "Ended": "Ka Mbaruar", "Error loading data, try again later...": "Gjatë ngarkimit të të dhënave pati një problem, provoni sërish më vonë", "Miscellaneous": "Të Ndryshme", - "First Unwatched Episode": "Episodi i parë që nuk është parë", - "Next Episode In Series": "Episodi i rradhës i serialit", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Hedhur", "Are you sure?": "A jeni të sigurtë?", "We are flushing your databases": "Ne po hedhim databeizet tuaja", @@ -142,7 +136,7 @@ "Terms of Service": "Kushtet e Përdorimit", "I Accept": "Unë Pranoj", "Leave": "Largohu", - "When Opening TV Series Detail Jump To": "When Opening TV Series Detail Jump To", + "Series detail opens to": "Series detail opens to", "Playback": "Playback", "Play next episode automatically": "Luaj episodin e rradhës automatikishit", "Generate Pairing QR code": "Generate Pairing QR code", @@ -152,23 +146,17 @@ "Seconds": "Sekonda", "You are currently connected to %s": "You are currently connected to %s", "Disconnect account": "Shkëputu nga llogaria", - "Sync With Trakt": "Sinkronizo me Trakt", "Syncing...": "Duke u sinkronizuar...", "Done": "E Kryer", "Subtitles Offset": "Subtitles Offset", "secs": "sekonda", "We are flushing your database": "Ne po hedhim databeizin tuaj", "Ratio": "Raport", - "Advanced Settings": "Advanced Settings", - "Tmp Folder": "Tmp Folder", - "URL of this stream was copied to the clipboard": "URL of this stream was copied to the clipboard", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", "Flushing bookmarks...": "Flushing bookmarks...", "Resetting...": "Resetting...", "We are resetting the settings": "We are resetting the settings", "Installed": "Installed", - "We are flushing your subtitle cache": "We are flushing your subtitle cache", - "Subtitle cache deleted": "Subtitle cache deleted", "Please select a file to play": "Please select a file to play", "Global shortcuts": "Global shortcuts", "Video Player": "Video Player", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Exit Fullscreen", "Seek Backward": "Seek Backward", "Decrease Volume": "Decrease Volume", - "Show Stream URL": "Show Stream URL", "TV Show Detail": "TV Show Detail", "Toggle Watched": "Toggle Watched", "Select Next Episode": "Select Next Episode", @@ -309,10 +296,7 @@ "Super Power": "Super Power", "Supernatural": "Supernatural", "Vampire": "Vampire", - "Automatically Sync on Start": "Automatically Sync on Start", "VPN": "VPN", - "Activate automatic updating": "Activate automatic updating", - "Please wait...": "Please wait...", "Connect": "Connect", "Create Account": "Create Account", "Celebrate various events": "Celebrate various events", @@ -320,10 +304,8 @@ "Downloaded": "Downloaded", "Loading stuck ? Click here !": "Loading stuck ? Click here !", "Torrent Collection": "Torrent Collection", - "Drop Magnet or .torrent": "Drop Magnet or .torrent", "Remove this torrent": "Remove this torrent", "Rename this torrent": "Rename this torrent", - "Flush entire collection": "Flush entire collection", "Open Collection Directory": "Open Collection Directory", "Store this torrent": "Store this torrent", "Enter new name": "Enter new name", @@ -352,101 +334,214 @@ "No thank you": "No thank you", "Report an issue": "Report an issue", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Report anonymously", - "Note regarding anonymous reports:": "Note regarding anonymous reports:", - "You will not be able to edit or delete your report once sent.": "You will not be able to edit or delete your report once sent.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "If any additionnal information is required, the report might be closed, as you won't be able to provide them.", - "Step 1: Please look if the issue was already reported": "Step 1: Please look if the issue was already reported", - "Enter keywords": "Enter keywords", - "Already reported": "Already reported", - "I want to report a new issue": "I want to report a new issue", - "Step 2: Report a new issue": "Step 2: Report a new issue", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Note: please don't use this form to contact us. It is limited to bug reports only.", - "The title of the issue": "The title of the issue", - "Description": "Description", - "200 characters minimum": "200 characters minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "A short description of the issue. If suitable, include the steps required to reproduce the bug.", "Submit": "Submit", - "Step 3: Thank you !": "Step 3: Thank you !", - "Your issue has been reported.": "Your issue has been reported.", - "Open in your browser": "Open in your browser", - "No issues found...": "No issues found...", - "First method": "First method", - "Use the in-app reporter": "Use the in-app reporter", - "You can find it later on the About page": "You can find it later on the About page", - "Second method": "Second method", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", - "Search for torrent": "Search for torrent", "No results found": "Nuk u gjet asnjë rezultat", - "Invalid credentials": "Invalid credentials", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimize to Tray", "Close": "Mbyll", "Restore": "Restore", - "Resume Playback": "Resume Playback", "Features": "Features", "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Big Picture Mode", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", "Cannot be stored": "Cannot be stored", - "%s reported this torrent as fake": "%s reported this torrent as fake", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", "Translate Synopsis": "Translate Synopsis", "N/A": "N/A", "Your disk is almost full.": "Your disk is almost full.", "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Local", "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Error converting subtitle", "No subtitles found": "No subtitles found", "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Kërko në", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Duke u Shkarkuar", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brightness", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Check for updates", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/sq.json b/src/app/language/sq.json index 956b5a63d1..d5f4b73deb 100644 --- a/src/app/language/sq.json +++ b/src/app/language/sq.json @@ -1,212 +1,163 @@ { "External Player": "External Player", - "Made with": "Made with", + "Made with": "I bërë me", "by a bunch of geeks from All Around The World": "by a bunch of geeks from All Around The World", - "Initializing Butter. Please Wait...": "Initializing Butter. Please Wait...", - "Status: Checking Database...": "Status: Checking Database...", - "Movies": "Movies", - "TV Series": "TV Series", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Movies": "Filma", + "TV Series": "Seriale", "Anime": "Anime", - "Genre": "Genre", - "All": "All", - "Action": "Action", - "Adventure": "Adventure", - "Animation": "Animation", - "Children": "Children", - "Comedy": "Comedy", - "Crime": "Crime", - "Documentary": "Documentary", - "Drama": "Drama", - "Family": "Family", - "Fantasy": "Fantasy", + "Genre": "Zhanri", + "All": "Të gjitha", + "Action": "Aksion", + "Adventure": "Aventurë", + "Animation": "Animacion", + "Children": "Për fëmijë", + "Comedy": "Komedi", + "Crime": "Krim", + "Documentary": "Dokumentarë", + "Drama": "Dramë", + "Family": "Familjare", + "Fantasy": "Fantazi", "Game Show": "Game Show", - "Home And Garden": "Home And Garden", "Horror": "Horror", - "Mini Series": "Mini Series", - "Mystery": "Mystery", - "News": "News", - "Reality": "Reality", - "Romance": "Romance", - "Science Fiction": "Science Fiction", + "Mini Series": "Seriale të shkurtra", + "Mystery": "Mister", + "News": "Lajme", + "Reality": "Realitet", + "Romance": "Romancë", + "Science Fiction": "Fantashkencë", "Soap": "Soap", - "Special Interest": "Special Interest", + "Special Interest": "Interes special", "Sport": "Sport", - "Suspense": "Suspense", + "Suspense": "Suspensë", "Talk Show": "Talk Show", - "Thriller": "Thriller", - "Western": "Western", - "Sort by": "Sort by", - "Popularity": "Popularity", - "Updated": "Updated", - "Year": "Year", - "Name": "Name", - "Search": "Search", - "Season": "Season", - "Seasons": "Seasons", - "Season %s": "Season %s", - "Load More": "Load More", - "Saved": "Saved", - "Settings": "Settings", - "Show advanced settings": "Show advanced settings", - "User Interface": "User Interface", - "Default Language": "Default Language", - "Theme": "Theme", - "Start Screen": "Start Screen", - "Favorites": "Favorites", - "Show rating over covers": "Show rating over covers", - "Always On Top": "Always On Top", - "Watched Items": "Watched Items", - "Show": "Show", - "Fade": "Fade", - "Hide": "Hide", - "Subtitles": "Subtitles", - "Default Subtitle": "Default Subtitle", - "Disabled": "Disabled", - "Size": "Size", - "Quality": "Quality", - "Only list movies in": "Only list movies in", - "Show movie quality on list": "Show movie quality on list", + "Thriller": "Triller", + "Western": "Uestern", + "Sort by": "Rendit nga", + "Updated": "Më të rejat", + "Year": "Viti", + "Name": "Emri", + "Search": "Kërko", + "Season": "Sezoni", + "Seasons": "Sezone", + "Season %s": "Sezoni", + "Load More": "Shfaqë më shumë", + "Saved": "Të ruajtura", + "Settings": "Konfigurimet", + "User Interface": "Ndërfaqja e perdoruesit", + "Default Language": "Gjuha primare", + "Theme": "Tema", + "Start Screen": "Ekrani fillestar", + "Favorites": "Të preferuarat", + "Show rating over covers": "Shfaq vlerësimin mbi kopertin", + "Always On Top": "Gjithmonë sipër", + "Watched Items": "Artikuj të shikuar", + "Show": "Trego", + "Fade": "Zbeh", + "Hide": "Fsheh", + "Subtitles": "Titra", + "Default Subtitle": "Titrat kryesore", + "Disabled": "Çaktivizuar", + "Size": "Madhësia", + "Quality": "Kualiteti", "Trakt.tv": "Trakt.tv", - "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter": "Enter your Trakt.tv details here to automatically 'scrobble' episodes you watch in Butter", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Connect to %s to automatically 'scrobble' episodes you watch in %s", - "Username": "Username", - "Password": "Password", - "Butter stores an encrypted hash of your password in your local database": "Butter stores an encrypted hash of your password in your local database", - "Remote Control": "Remote Control", + "Username": "Emri i përdoruesit", + "Password": "Fjalëkalimi", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "Remote Control": "Telekomanda", "HTTP API Port": "HTTP API Port", - "HTTP API Username": "HTTP API Username", - "HTTP API Password": "HTTP API Password", - "Connection": "Connection", - "TV Show API Endpoint": "TV Show API Endpoint", - "Movies API Endpoint": "Movies API Endpoint", - "Connection Limit": "Connection Limit", - "DHT Limit": "DHT Limit", + "HTTP API Username": "HTTP API Përdoruesi", + "HTTP API Password": "HTTP API Fjalëkalimi", + "Connection": "Lidhja", + "Connection Limit": "Limiti i lidhjes", + "DHT Limit": "Limiti i DHT", "Port to stream on": "Port to stream on", - "0 = Random": "0 = Random", + "0 = Random": "0 = I rastësishem", "Cache Directory": "Cache Directory", - "Clear Tmp Folder after closing app?": "Clear Tmp Folder after closing app?", - "Database": "Database", - "Database Directory": "Database Directory", - "Import Database": "Import Database", - "Export Database": "Export Database", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", + "Database": "Databaza", + "Database Directory": "Udhëzuesi i databazës", + "Import Database": "Importoni Databazën", + "Export Database": "Eksportoni Databazën", "Flush bookmarks database": "Flush bookmarks database", - "Flush subtitles cache": "Flush subtitles cache", "Flush all databases": "Flush all databases", - "Reset to Default Settings": "Reset to Default Settings", - "Importing Database...": "Importing Database...", - "Please wait": "Please wait", - "Error": "Error", - "Biography": "Biography", + "Reset to Default Settings": "Rivendosni Konfirgurimet Paraprake", + "Importing Database...": "Duke Importuar Databazën...", + "Please wait": "Ju lutem pritni...", + "Error": "Gabim", + "Biography": "Biografi", "Film-Noir": "Film-Noir", - "History": "History", - "Music": "Music", - "Musical": "Musical", + "History": "Histori", + "Music": "Muzikë", + "Musical": "Muzikal", "Sci-Fi": "Sci-Fi", - "Short": "Short", - "War": "War", - "Last Added": "Last Added", - "Rating": "Rating", - "Open IMDb page": "Open IMDb page", + "Short": "I Shkurtë", + "War": "Luftë", + "Rating": "Vlerësimi", + "Open IMDb page": "Hapni faqen IMDb", "Health false": "Health false", - "Add to bookmarks": "Add to bookmarks", - "Watch Trailer": "Watch Trailer", - "Watch Now": "Watch Now", - "Health Good": "Health Good", + "Add to bookmarks": "Shto tek të preferuarit", + "Watch Trailer": "Shikoni trailerin", + "Watch Now": "Shikoje tani", "Ratio:": "Ratio:", "Seeds:": "Seeds:", "Peers:": "Peers:", - "Remove from bookmarks": "Remove from bookmarks", - "Changelog": "Changelog", - "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "Butter! is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", - "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.", - "Invalid PCT Database File Selected": "Invalid PCT Database File Selected", - "Health Unknown": "Health Unknown", - "Episodes": "Episodes", - "Episode %s": "Episode %s", - "Aired Date": "Aired Date", + "Remove from bookmarks": "Hiqe nga të preferuarit", + "Changelog": "Bërja e Ndryshimeve në Software", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Jemi një projekt me burime të hapura. Jemi nga e gjithë bota. Ne i duam filmat. Dhe e duam shumë popkornin.", + "Health Unknown": "Gjëndja e panjohur", + "Episodes": "Episodet", + "Episode %s": "Episodi", + "Aired Date": "Data e Transmetimit", "Streaming to": "Streaming to", - "connecting": "Connecting", - "Download": "Download", - "Upload": "Upload", + "connecting": "Duke u lidhur", + "Download": "Shkarko", + "Upload": "Ngarko", "Active Peers": "Active Peers", - "Cancel": "Cancel", - "startingDownload": "Starting Download", - "downloading": "Downloading", - "ready": "Ready", + "Cancel": "Anulo", + "startingDownload": "Shkarkimi po Fillon", + "downloading": "Duke u Shkarkuar", + "ready": "Gati", "playingExternally": "Playing Externally", - "Custom...": "Custom...", - "Volume": "Volume", - "Ended": "Ended", - "Error loading data, try again later...": "Error loading data, try again later...", - "Miscellaneous": "Miscellaneous", - "When opening TV Show Detail Jump to:": "When opening TV Show Detail Jump to:", - "First Unwatched Episode": "First Unwatched Episode", - "Next Episode In Series": "Next Episode In Series", - "When Opening TV Show Detail Jump To": "When Opening TV Show Detail Jump To", - "Flushing...": "Flushing...", - "Are you sure?": "Are you sure?", - "We are flushing your databases": "We are flushing your databases", - "Success": "Success", - "Please restart your application": "Please restart your application", - "Restart": "Restart", - "Terms of Service": "Terms of Service", - "I Accept": "I Accept", - "Leave": "Leave", - "When Opening TV Series Detail Jump To": "When Opening TV Series Detail Jump To", - "Health Medium": "Health Medium", + "Custom...": "Tjetër", + "Volume": "Zëri", + "Ended": "Ka Mbaruar", + "Error loading data, try again later...": "Gjatë ngarkimit të të dhënave pati një problem, provoni sërish më vonë", + "Miscellaneous": "Të Ndryshme", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Hedhur", + "Are you sure?": "A jeni të sigurtë?", + "We are flushing your databases": "Ne po hedhim databeizet tuaja", + "Success": "Sukses", + "Please restart your application": "Ju lutem rifilloni aplikacionin tuaj", + "Restart": "Rifilloni", + "Terms of Service": "Kushtet e Përdorimit", + "I Accept": "Unë Pranoj", + "Leave": "Largohu", + "Series detail opens to": "Series detail opens to", "Playback": "Playback", - "Play next episode automatically": "Play next episode automatically", + "Play next episode automatically": "Luaj episodin e rradhës automatikishit", "Generate Pairing QR code": "Generate Pairing QR code", - "Playing Next Episode in": "Playing Next Episode in", - "Play": "Play", - "Dismiss": "Dismiss", - "waitingForSubtitles": "Waiting For Subtitles", - "Play Now": "Play Now", - "Seconds": "Seconds", - "You are currently authenticated to Trakt.tv as": "You are currently authenticated to Trakt.tv as", + "Play": "Luaj", + "waitingForSubtitles": "Duke Pritur për Titra", + "Play Now": "Luaj Tani", + "Seconds": "Sekonda", "You are currently connected to %s": "You are currently connected to %s", - "Disconnect account": "Disconnect account", - "Sync With Trakt": "Sync With Trakt", - "Syncing...": "Syncing...", - "Done": "Done", + "Disconnect account": "Shkëputu nga llogaria", + "Syncing...": "Duke u sinkronizuar...", + "Done": "E Kryer", "Subtitles Offset": "Subtitles Offset", - "secs": "secs", - "We are flushing your database": "We are flushing your database", - "We are rebuilding the TV Show Database. Do not close the application.": "We are rebuilding the TV Show Database. Do not close the application.", - "No shows found...": "No shows found...", - "No Favorites found...": "No Favorites found...", - "Rebuild TV Shows Database": "Rebuild TV Shows Database", - "No movies found...": "No movies found...", - "Ratio": "Ratio", - "Health Excellent": "Health Excellent", - "Health Bad": "Health Bad", - "Status: Creating Database...": "Status: Creating Database...", - "Status: Updating database...": "Status: Updating database...", - "Status: Skipping synchronization TTL not met": "Status: Skipping synchronization TTL not met", - "Advanced Settings": "Advanced Settings", - "Clear Cache directory after closing app?": "Clear Cache directory after closing app?", - "Tmp Folder": "Tmp Folder", - "Status: Downloading API archive...": "Status: Downloading API archive...", - "Status: Archive downloaded successfully...": "Status: Archive downloaded successfully...", - "Status: Importing file": "Status: Importing file", - "Status: Imported successfully": "Status: Imported successfully", - "Status: Launching applicaion... ": "Status: Launching applicaion...", - "URL of this stream was copied to the clipboard": "URL of this stream was copied to the clipboard", + "secs": "sekonda", + "We are flushing your database": "Ne po hedhim databeizin tuaj", + "Ratio": "Raport", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", "Flushing bookmarks...": "Flushing bookmarks...", "Resetting...": "Resetting...", "We are resetting the settings": "We are resetting the settings", - "New version downloaded": "New version downloaded", "Installed": "Installed", - "Install Now": "Install Now", - "Restart Now": "Restart Now", - "We are flushing your subtitle cache": "We are flushing your subtitle cache", - "Subtitle cache deleted": "Subtitle cache deleted", "Please select a file to play": "Please select a file to play", - "Test Login": "Test Login", - "Testing...": "Testing...", - "Success!": "Success!", - "Failed!": "Failed!", "Global shortcuts": "Global shortcuts", "Video Player": "Video Player", "Toggle Fullscreen": "Toggle Fullscreen", @@ -222,7 +173,6 @@ "Exit Fullscreen": "Exit Fullscreen", "Seek Backward": "Seek Backward", "Decrease Volume": "Decrease Volume", - "Show Stream URL": "Show Stream URL", "TV Show Detail": "TV Show Detail", "Toggle Watched": "Toggle Watched", "Select Next Episode": "Select Next Episode", @@ -241,53 +191,45 @@ "Paste": "Paste", "Help Section": "Help Section", "Did you know?": "Did you know?", - "What does Butter offer?": "What does Butter offer?", - "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With Butter, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open Butter and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", "Choose quality": "Choose quality", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", "Watched icon": "Watched icon", - "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "Butter will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In Butter, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", "External Players": "External Players", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and Butter will send everything to it. If your player isn't on the list, please report it to us.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", "Keyboard Navigation": "Keyboard Navigation", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", - "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in Butter. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", "Torrent health": "Torrent health", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", - "How does Butter work?": "How does Butter work?", - "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "Butter streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close Butter. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, Butter works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", "I found a bug, how do I report it?": "I found a bug, how do I report it?", - "No historics found...": "No historics found...", - "Error, database is probably corrupted. Try flushing the history in settings.": "Error, database is probably corrupted. Try flushing the history in settings.", - "You can paste magnet links anywhere in Butter with CTRL+V.": "You can paste magnet links anywhere in Butter with CTRL+V.", - "You can drag & drop a .torrent file into Butter.": "You can drag & drop a .torrent file into Butter.", - "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.": "The Butter project started in February 2014 and has already had 150 people that contributed more than 3000 times to it's development in August 2014.", - "The rule n°10 applies here.": "The rule n°10 applies here.", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", - "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.": "If you're experiencing connection drop issues, try to reduce the DHT Limit in settings.", - "If you search \"1998\", you can see all the movies or TV series that came out that year.": "If you search \"1998\", you can see all the movies or TV series that came out that year.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", - "Clicking twice on a \"Sort By\" filter reverses the order of the list.": "Clicking twice on a \"Sort By\" filter reverses the order of the list.", "Switch to next tab": "Switch to next tab", "Switch to previous tab": "Switch to previous tab", "Switch to corresponding tab": "Switch to corresponding tab", "through": "through", "Enlarge Covers": "Enlarge Covers", "Reduce Covers": "Reduce Covers", - "Open the Help Section": "Open the Help Section", "Open Item Details": "Open Item Details", "Add Item to Favorites": "Add Item to Favorites", "Mark as Seen": "Mark as Seen", @@ -309,13 +251,11 @@ "name": "name", "OVA": "OVA", "ONA": "ONA", - "No anime found...": "No anime found...", "Movie": "Movie", "Special": "Special", - "No Watchlist found...": "No Watchlist found...", "Watchlist": "Watchlist", "Resolving..": "Resolving..", - "About": "About", + "About": "Rreth", "Open Cache Directory": "Open Cache Directory", "Open Database Directory": "Open Database Directory", "Mark as unseen": "Mark as unseen", @@ -324,8 +264,7 @@ "Decrease playback rate by %s": "Decrease playback rate by %s", "Set playback rate to %s": "Set playback rate to %s", "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", - "Color": "Color", - "With Shadows": "With Shadows", + "Color": "Ngjyra", "Local IP Address": "Local IP Address", "Japan": "Japan", "Cars": "Cars", @@ -351,56 +290,27 @@ "Shoujo Ai": "Shoujo Ai", "Shounen": "Shounen", "Shounen Ai": "Shounen Ai", - "Slice Of Life": "Slice Of Life", "Slice of Life": "Slice of Life", "Space": "Space", - "Sports": "Sports", + "Sports": "Sport", "Super Power": "Super Power", "Supernatural": "Supernatural", "Vampire": "Vampire", - "Alphabet": "Alphabet", - "Automatically Sync on Start": "Automatically Sync on Start", - "Setup VPN": "Setup VPN", "VPN": "VPN", - "Install VPN Client": "Install VPN Client", - "More Details": "More Details", - "Don't show me this VPN option anymore": "Don't show me this VPN option anymore", - "Activate automatic updating": "Activate automatic updating", - "We are installing VPN client": "We are installing VPN client", - "VPN Client Installed": "VPN Client Installed", - "Please wait...": "Please wait...", - "VPN.ht client is installed": "VPN.ht client is installed", - "Install again": "Install again", "Connect": "Connect", "Create Account": "Create Account", - "Please, allow ~ 1 minute": "Please, allow ~ 1 minute", - "Status: Connecting to VPN...": "Status: Connecting to VPN...", - "Status: Monitoring connexion - ": "Status: Monitoring connexion -", - "Connect VPN": "Connect VPN", - "Disconnect VPN": "Disconnect VPN", "Celebrate various events": "Celebrate various events", - "ATTENTION! We need admin access to run this command.": "ATTENTION! We need admin access to run this command.", - "Your password is not saved": "Your password is not saved", - "Enter sudo password :": "Enter sudo password :", - "Status: Monitoring connection": "Status: Monitoring connection", - "Status: Connected": "Status: Connected", - "Secure connection": "Secure connection", - "Your IP:": "Your IP:", - "Disconnect": "Disconnect", + "Disconnect": "Çlidhu", "Downloaded": "Downloaded", "Loading stuck ? Click here !": "Loading stuck ? Click here !", "Torrent Collection": "Torrent Collection", - "Drop Magnet or .torrent": "Drop Magnet or .torrent", "Remove this torrent": "Remove this torrent", "Rename this torrent": "Rename this torrent", - "Flush entire collection": "Flush entire collection", "Open Collection Directory": "Open Collection Directory", "Store this torrent": "Store this torrent", "Enter new name": "Enter new name", "This name is already taken": "This name is already taken", "Always start playing in fullscreen": "Always start playing in fullscreen", - "Allow torrents to be stored for further use": "Allow torrents to be stored for further use", - "Hide VPN from the filter bar": "Hide VPN from the filter bar", "Magnet link": "Magnet link", "Error resolving torrent.": "Error resolving torrent.", "%s hour(s) remaining": "%s hour(s) remaining", @@ -412,9 +322,6 @@ "Set player window to half of video resolution": "Set player window to half of video resolution", "Retry": "Retry", "Import a Torrent": "Import a Torrent", - "The remote movies API failed to respond, please check %s and try again later": "The remote movies API failed to respond, please check %s and try again later", - "The remote shows API failed to respond, please check %s and try again later": "The remote shows API failed to respond, please check %s and try again later", - "The remote anime API failed to respond, please check %s and try again later": "The remote anime API failed to respond, please check %s and try again later", "Not Seen": "Not Seen", "Seen": "Seen", "Title": "Title", @@ -426,73 +333,215 @@ "Opaque Background": "Opaque Background", "No thank you": "No thank you", "Report an issue": "Report an issue", - "Log in into your GitLab account": "Log in into your GitLab account", "Email": "Email", - "Log in": "Log in", - "Report anonymously": "Report anonymously", - "Note regarding anonymous reports:": "Note regarding anonymous reports:", - "You will not be able to edit or delete your report once sent.": "You will not be able to edit or delete your report once sent.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "If any additionnal information is required, the report might be closed, as you won't be able to provide them.", - "Step 1: Please look if the issue was already reported": "Step 1: Please look if the issue was already reported", - "Enter keywords": "Enter keywords", - "Already reported": "Already reported", - "I want to report a new issue": "I want to report a new issue", - "Step 2: Report a new issue": "Step 2: Report a new issue", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Note: please don't use this form to contact us. It is limited to bug reports only.", - "The title of the issue": "The title of the issue", - "Description": "Description", - "200 characters minimum": "200 characters minimum", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "A short description of the issue. If suitable, include the steps required to reproduce the bug.", "Submit": "Submit", - "Step 3: Thank you !": "Step 3: Thank you !", - "Your issue has been reported.": "Your issue has been reported.", - "Open in your browser": "Open in your browser", - "No issues found...": "No issues found...", - "First method": "First method", - "Use the in-app reporter": "Use the in-app reporter", - "You can find it later on the About page": "You can find it later on the About page", - "Second method": "Second method", - "You can create an account on our %s repository, and click on %s.": "You can create an account on our %s repository, and click on %s.", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", - "Search on %s": "Search on %s", - "No results found": "No results found", - "Invalid credentials": "Invalid credentials", + "No results found": "Nuk u gjet asnjë rezultat", "Open Favorites": "Open Favorites", "Open About": "Open About", "Minimize to Tray": "Minimize to Tray", - "Close": "Close", + "Close": "Mbyll", "Restore": "Restore", - "Resume Playback": "Resume Playback", "Features": "Features", "Connect To %s": "Connect To %s", - "The magnet link was copied to the clipboard": "The magnet link was copied to the clipboard", - "Big Picture Mode": "Big Picture Mode", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode is unavailable on your current screen resolution", "Cannot be stored": "Cannot be stored", - "%s reported this torrent as fake": "%s reported this torrent as fake", - "%s could not verify this torrent": "%s could not verify this torrent", - "Randomize": "Randomize", - "Randomize Button for Movies": "Randomize Button for Movies", "Overall Ratio": "Overall Ratio", "Translate Synopsis": "Translate Synopsis", - "Returning Series": "Returning Series", - "In Production": "In Production", - "Canceled": "Canceled", "N/A": "N/A", - "%s is not supposed to be run as administrator": "%s is not supposed to be run as administrator", "Your disk is almost full.": "Your disk is almost full.", "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", "Playing Next": "Playing Next", - "Trending": "Trending", - "Remember Filters": "Remember Filters", - "Automatic Subtitle Uploading": "Automatic Subtitle Uploading", "See-through Background": "See-through Background", "Bold": "Bold", "Currently watching": "Currently watching", "No, it's not that": "No, it's not that", "Correct": "Correct", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait..." + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Kërko në", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Duke u Shkarkuar", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Origjinal", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Shkëlqimi", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Kontrollo për Përditësime", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/sr.json b/src/app/language/sr.json index 64f1cda75a..54e8bdcfae 100644 --- a/src/app/language/sr.json +++ b/src/app/language/sr.json @@ -44,7 +44,6 @@ "Load More": "Учитај још", "Saved": "Сачувано", "Settings": "Поставке", - "Show advanced settings": "Прикажи напредне поставке", "User Interface": "Корисничко сучеље", "Default Language": "Подразумевани језик", "Theme": "Тема", @@ -61,10 +60,7 @@ "Disabled": "искључено", "Size": "Величина", "Quality": "Квалитет", - "Only list movies in": "Квалитет филмова", - "Show movie quality on list": "Прикажи квалитет филма на листи", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": " Повежите се на %s за аутоматско „скробловање“ епизода које гледате на %s", "Username": "Корисничко име", "Password": "Лозинка", "%s stores an encrypted hash of your password in your local database": "%s чува шифровани хеш ваше лозинке у локалној бази података", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API корисничко име", "HTTP API Password": "HTTP API лозинка", "Connection": "Веза", - "TV Show API Endpoint": "АПИ линк за серије", "Connection Limit": "Ограничење везе", "DHT Limit": "ДХТ ограничење", "Port to stream on": "Порт за проток", "0 = Random": "0 = насумично", "Cache Directory": "Директоријум кеша", - "Clear Tmp Folder after closing app?": "Очиститити Tmp фасциклу након затварања?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "База података", "Database Directory": "Директоријум базе података", "Import Database": "Увези базу података", "Export Database": "Извези базу података", "Flush bookmarks database": "Обриши базу обележивача", - "Flush subtitles cache": "Обриши кеш титлова", "Flush all databases": "Обриши све базе података", "Reset to Default Settings": "Врати на подразумеване поставке", "Importing Database...": "Увозим базу података...", @@ -131,8 +125,8 @@ "Ended": "Завршено", "Error loading data, try again later...": "Грешка при учитавању података, покушајте поново касније...", "Miscellaneous": "Разно", - "First Unwatched Episode": "прву неодгледану епизоду", - "Next Episode In Series": "следећу епизоду", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Бришем...", "Are you sure?": "Да ли сте сигурни?", "We are flushing your databases": "Сада бришемо ваше базе података", @@ -142,7 +136,7 @@ "Terms of Service": "Услови коришћења", "I Accept": "Прихватам", "Leave": "Не прихватам", - "When Opening TV Series Detail Jump To": "Када се отворе детаљи серије, иди на", + "Series detail opens to": "Series detail opens to", "Playback": "Репродукција", "Play next episode automatically": "Аутоматски пусти следећу епизоду", "Generate Pairing QR code": "Генериши КуеР код за упаривање", @@ -152,23 +146,17 @@ "Seconds": "сек.", "You are currently connected to %s": "Тренутно сте повезани на %s", "Disconnect account": "Откачи налог", - "Sync With Trakt": "Синхронизуј с Трактом", "Syncing...": "Синхронизујем..", "Done": "Готово", "Subtitles Offset": "Померај титлова", "secs": "сек.", "We are flushing your database": "Бришемо вашу базу података", "Ratio": "Однос", - "Advanced Settings": "Напредне поставке", - "Tmp Folder": "Tmp фасцикла", - "URL of this stream was copied to the clipboard": "УРЛ овог тока је копиран у клипборд", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Грешка. База података је вероватно оштећена. Покушајте да обришете обележиваче у поставкама.", "Flushing bookmarks...": "Бришем обележиваче...", "Resetting...": "Ресетујем...", "We are resetting the settings": "Ресетујемо ваше поставке", "Installed": "Инсталирано", - "We are flushing your subtitle cache": "Бришемо ваш кеш титлова", - "Subtitle cache deleted": "Кеш титлова је обрисан", "Please select a file to play": "Одаберите фајл за пуштање", "Global shortcuts": "Глобалне пречице", "Video Player": "Видео плејер", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Изађи из пуног екрана", "Seek Backward": "Уназад", "Decrease Volume": "Смањи звук", - "Show Stream URL": "Прикажи УРЛ тока", "TV Show Detail": "Детаљи серије", "Toggle Watched": "Мења одгледано", "Select Next Episode": "Одабери следећу епизоду", @@ -309,10 +296,7 @@ "Super Power": "велесила", "Supernatural": "натприродно", "Vampire": "вампири", - "Automatically Sync on Start": "Сам синхронизуј на почетку", "VPN": "ВПН", - "Activate automatic updating": "Активирај аутоматско ажурирање", - "Please wait...": "Сачекајте...", "Connect": "Повежи се", "Create Account": "Направи налог", "Celebrate various events": "Празничне теме и иконе", @@ -320,10 +304,8 @@ "Downloaded": "Преузето", "Loading stuck ? Click here !": "Учитавање заглавило? Кликните овде!", "Torrent Collection": "Колекција торента", - "Drop Magnet or .torrent": "Превуците магнет или .torrent", "Remove this torrent": "Уклони торент", "Rename this torrent": "Преименуј торент", - "Flush entire collection": "Обриши целу колекцију", "Open Collection Directory": "Отвори директоријум колекције", "Store this torrent": "Сачувај овај торент", "Enter new name": "Унесите нов назив", @@ -352,101 +334,214 @@ "No thank you": "Не, хвала", "Report an issue": "Пријавите проблем", "Email": "е-пошта", - "Log in": "Пријави се", - "Report anonymously": "Пријави анонимно", - "Note regarding anonymous reports:": "Напомена у вези анонимних пријава:", - "You will not be able to edit or delete your report once sent.": "Нећете моћи да уређујете или обришете извештаје након слања.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Ако су потребне додатне информације, извештај може бити затворен, јер нећете моћи да их обезбедите.", - "Step 1: Please look if the issue was already reported": "1. корак: проверите да проблем није већ пријављен", - "Enter keywords": "Унесите кључне речи", - "Already reported": "Већ је пријављено", - "I want to report a new issue": "Желим да пријавим нови проблем", - "Step 2: Report a new issue": "2. корак: пријавите нови проблем", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Напомена: не користите овај формулар да нас контактирате. Ово је само за пријаве проблема.", - "The title of the issue": "Наслов проблема", - "Description": "Опис", - "200 characters minimum": "Најмање 200 карактера", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Кратак опис проблема. Ако је погодно, укључите кораке потребне за репродуковање проблема.", "Submit": "Пошаљи", - "Step 3: Thank you !": "3. корак: Хвала !", - "Your issue has been reported.": "Ваш проблем је пријављен.", - "Open in your browser": "Отвори у прегледачу", - "No issues found...": "Проблеми нису нађени...", - "First method": "Прва метода", - "Use the in-app reporter": "Користите пријављивач у апликацији", - "You can find it later on the About page": "Можете га наћи касније на страници „О програму“", - "Second method": "Друга метода", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Користите %s филтер проблема за претрагу да проверите да ли је већ пријављен или решен.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Пошаљите снимак екрана ако је потребно - Да ли је ваш проблем у изгледу или у коду?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Добар извештај о проблему не треба да остави друге у јурњави за додатним информацијама. Уверите се да садржи детаље о вашем окружењу.", "Warning: Always use English when contacting us, or we might not understand you.": "Упозорење: увек користите енглески када нас контактирате, иначе вас нећемо разумети.", - "Search for torrent": "Тражи торент", "No results found": "Нема резултата", - "Invalid credentials": "Неисправни акредитиви", "Open Favorites": "Отвори омиљене", "Open About": "Отвори „О програму“", "Minimize to Tray": "Минимизуј у касету", "Close": "Затвори", "Restore": "Поврати", - "Resume Playback": "Настави пуштање", "Features": "Могућности", "Connect To %s": "Повежи се са %s", - "The magnet link was copied to the clipboard": "Магнет веза је копирана у клипборд", - "Big Picture Mode": "Режим великог екрана", - "Big Picture Mode is unavailable on your current screen resolution": "Режим великог екрана није доступан на тренутној резолуцији", "Cannot be stored": "Не могу да сачувам", - "%s reported this torrent as fake": "%s пријављује овај торент као лажан", - "Randomize": "Насумично", - "Randomize Button for Movies": "Насумично дугме за филмове", "Overall Ratio": "Укупан однос", "Translate Synopsis": "Преведи сажетак", "N/A": "Н/П", "Your disk is almost full.": "Диск је скоро пун.", "You need to make more space available on your disk by deleting files.": "Ослободите простор на диску брисањем фајлова.", "Playing Next": "Пуштам следећу", - "Trending": "тренду", - "Remember Filters": "Запамти филтере", - "Automatic Subtitle Uploading": "Аутоматско отпремање титлова", "See-through Background": "прозирна позадина", "Bold": "Подебљано", "Currently watching": "Тренутно гледам", "No, it's not that": "Не, није тај", "Correct": "Тачно", - "Indie": "Инди", "Init Database": "Иницијализуј базу", "Status: %s ...": "Стање: %s ... ", "Create Temp Folder": "Направи привремену фасциклу", "Set System Theme": "Постави системску тему", "Disclaimer": "Одрицање одговорности", "Series": "Серије", - "Finished": "Завршено", "Event": "Догађај", - "action": "акција", - "war": "ратни", "Local": "Локални", "Try another subtitle or drop one in the player": "Пробајте други титл или превуците неки у плејер", - "animation": "анимирани", - "family": "породични", "show": "шоу", "movie": "филм", "Something went wrong downloading the update": "Нешто је пошло наопако при преузимању ажурирања", - "Activate Update seeding": "Активирај ажурно сејање", - "Disable Anime Tab": "Искључи језичак Аниме", - "Disable Indie Tab": "Искључи језичак Инди", "Error converting subtitle": "Грешка у конвертовању титла", "No subtitles found": "Нема титлова", "Try again later or drop a subtitle in the player": "Пробајте касније или убаците титл у плејер", "You should save the content of the old directory, then delete it": "Сачувајте садржај старог директоријума, па онда избришите", "Search on %s": "%s претрага", - "Are you sure you want to clear the entire Torrent Collection ?": "Заиста желите да обришете целу колекцију торената?", "Audio Language": "Језик звука", "Subtitle": "Титл", "Code:": "Код:", "Error reading subtitle timings, file seems corrupted": "Грешка при читању тајминга титла. Фајл је оштећен", - "Connection Not Secured": "Веза није безбедна", "Open File to Import": "Отворите фајл за увоз", - "Browse Directoy to save to": "Прегледајте где да сачувате", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Откажи и користи ВПН", - "Continue seeding torrents after restart app?": "Наставити сејање торента при следећем покретању?", - "Enable VPN": "Укључи ВПН" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Преузимам", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Резултати претраге", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Оригинално", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "непознато", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Да", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Осветљење", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Провера надоградњи", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/sv-SE.json b/src/app/language/sv-SE.json new file mode 100644 index 0000000000..38affac499 --- /dev/null +++ b/src/app/language/sv-SE.json @@ -0,0 +1,547 @@ +{ + "External Player": "Extern spelare", + "Made with": "Tillverkad med", + "by a bunch of geeks from All Around The World": "av ett gäng nördar från hela världen", + "Initializing %s. Please Wait...": "Initialiserar %s. Vänta...", + "Movies": "Filmer", + "TV Series": "TV-serier", + "Anime": "Anime", + "Genre": "Genre", + "All": "Allt", + "Action": "Action", + "Adventure": "Äventyr", + "Animation": "Animation", + "Children": "Barn", + "Comedy": "Komedi", + "Crime": "Kriminalare", + "Documentary": "Dokumentär", + "Drama": "Drama", + "Family": "Familj", + "Fantasy": "Fantasy", + "Game Show": "Spelshow", + "Horror": "Skräck", + "Mini Series": "Miniserier", + "Mystery": "Mystik", + "News": "Nyheter", + "Reality": "Reality", + "Romance": "Romantik", + "Science Fiction": "Science fiction", + "Soap": "Dokusåpa", + "Special Interest": "Speciellt intresse", + "Sport": "Sport", + "Suspense": "Spänning", + "Talk Show": "Talk Show", + "Thriller": "Rysare", + "Western": "Västern", + "Sort by": "Sortera efter", + "Updated": "Uppdaterad", + "Year": "År", + "Name": "Namn", + "Search": "Sök", + "Season": "Säsong", + "Seasons": "Säsonger", + "Season %s": "Säsong %s", + "Load More": "Visa fler", + "Saved": "Sparad", + "Settings": "Inställningar", + "User Interface": "Användargränssnitt", + "Default Language": "Standardspråk", + "Theme": "Tema", + "Start Screen": "Startskärm", + "Favorites": "Favoriter", + "Show rating over covers": "Visa betyg på affischer", + "Always On Top": "Alltid överst", + "Watched Items": "Sedda objekt", + "Show": "Visa", + "Fade": "Tona ut", + "Hide": "Dölj", + "Subtitles": "Undertexter", + "Default Subtitle": "Förvald undertext", + "Disabled": "Inaktiverat", + "Size": "Storlek", + "Quality": "Kvalitet", + "Trakt.tv": "Trakt.tv", + "Username": "Användarnamn", + "Password": "Lösenord", + "%s stores an encrypted hash of your password in your local database": "%s lagrar en krypterad hash av ditt lösenord i din lokala databas", + "Remote Control": "Fjärrkontroll", + "HTTP API Port": "HTTP API-port", + "HTTP API Username": "HTTP API-användarnamn", + "HTTP API Password": "HTTP API-lösenord", + "Connection": "Anslutning", + "Connection Limit": "Anslutningsgräns", + "DHT Limit": "DHT-gräns", + "Port to stream on": "Port att strömma på", + "0 = Random": "0 = Slumpmässig", + "Cache Directory": "Cachemapp", + "Clear Cache Folder after closing the app?": "Rensa cachemapp efter att du har stängt appen?", + "Database": "Databas", + "Database Directory": "Databasmapp", + "Import Database": "Importera databas", + "Export Database": "Exportera databas", + "Flush bookmarks database": "Rensa bokmärken", + "Flush all databases": "Rensa alla databaser", + "Reset to Default Settings": "Återställ till standardinställningar", + "Importing Database...": "Importerar databas...", + "Please wait": "Vänta", + "Error": "Fel", + "Biography": "Biografi", + "Film-Noir": "Film noir", + "History": "Historia", + "Music": "Musik", + "Musical": "Musikal", + "Sci-Fi": "Sci-Fi", + "Short": "Kortfilm", + "War": "Krig", + "Rating": "Betyg", + "Open IMDb page": "Öppna IMDb-sida", + "Health false": "Bedräglig hälsa", + "Add to bookmarks": "Lägg till bokmärke", + "Watch Trailer": "Se trailer", + "Watch Now": "Se nu", + "Ratio:": "Kvot:", + "Seeds:": "Distributioner:", + "Peers:": "Jämlikar:", + "Remove from bookmarks": "Ta bort bokmärke", + "Changelog": "Ändringslogg", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s är resultatet av många utvecklare och formgivare som har slagit ihop ett gäng API:er för att göra upplevelsen av att titta på torrentfilmer så enkel som möjligt.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Vi är ett projekt med öppen källkod. Vi är från hela världen. Vi älskar våra filmer. Och vad vi älskar popcorn.", + "Health Unknown": "Okänd hälsa", + "Episodes": "Avsnitt", + "Episode %s": "Avsnitt %s", + "Aired Date": "Sändningsdatum", + "Streaming to": "Strömmar till", + "connecting": "Ansluter...", + "Download": "Hämta", + "Upload": "Skicka", + "Active Peers": "Aktiva jämlikar", + "Cancel": "Avbryt", + "startingDownload": "Startar hämtning", + "downloading": "Hämtar", + "ready": "Redo", + "playingExternally": "Spelar externt", + "Custom...": "Anpassad...", + "Volume": "Volym", + "Ended": "Avslutad", + "Error loading data, try again later...": "Fel vid inläsning av data, försök igen senare...", + "Miscellaneous": "Diverse", + "First unwatched episode": "Första osedda avsnitt", + "Next episode": "Nästa avsnitt", + "Flushing...": "Rensar...", + "Are you sure?": "Är du säker?", + "We are flushing your databases": "Vi rensar din databas", + "Success": "Lyckades", + "Please restart your application": "Starta om programmet", + "Restart": "Starta om", + "Terms of Service": "Användarvillkor", + "I Accept": "Jag accepterar", + "Leave": "Lämna", + "Series detail opens to": "Seriedetaljer öppnar för", + "Playback": "Uppspelning", + "Play next episode automatically": "Spela nästa avsnitt automatiskt", + "Generate Pairing QR code": "Generera ihopkoppling av QR-kod", + "Play": "Spela", + "waitingForSubtitles": "Väntar på undertexter", + "Play Now": "Spela nu", + "Seconds": "Sekunder", + "You are currently connected to %s": "Du är för närvarande ansluten till %s", + "Disconnect account": "Koppla bort konto", + "Syncing...": "Synkroniserar...", + "Done": "Klar", + "Subtitles Offset": "Undertextförskjutning", + "secs": "sekunder", + "We are flushing your database": "Vi rensar din databas", + "Ratio": "Kvot", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fel, databasen är förmodligen skadad. Försök att rensa bokmärkena i inställningarna.", + "Flushing bookmarks...": "Rensar bokmärken...", + "Resetting...": "Återställning...", + "We are resetting the settings": "Vi återställer inställningarna", + "Installed": "Installerad", + "Please select a file to play": "Välj en fil att spela", + "Global shortcuts": "Globala genvägar", + "Video Player": "Videospelare", + "Toggle Fullscreen": "Växla helskärmsläge", + "Play/Pause": "Spela/Pausa", + "Seek Forward": "Sök framåt", + "Increase Volume": "Öka volymen", + "Set Volume to": "Ställ in volym till", + "Offset Subtitles by": "Förskjut undertexter med", + "Toggle Mute": "Växla tysta", + "Movie Detail": "Filmdetaljer", + "Toggle Quality": "Växla kvalitet", + "Play Movie": "Spela film", + "Exit Fullscreen": "Avsluta helskärmsläge", + "Seek Backward": "Sök bakåt", + "Decrease Volume": "Minska volymen", + "TV Show Detail": "TV-programdetalj", + "Toggle Watched": "Växla sedda", + "Select Next Episode": "Välj nästa avsnitt", + "Select Previous Episode": "Välj föregående avsnitt", + "Select Next Season": "Välj nästa säsong", + "Select Previous Season": "Välj föregående säsong", + "Play Episode": "Spela avsnitt", + "space": "mellanslag", + "shift": "skift", + "ctrl": "ctrl", + "enter": "enter", + "esc": "esc", + "Keyboard Shortcuts": "Tangentbordsgenvägar", + "Cut": "Klipp ut", + "Copy": "Kopiera", + "Paste": "Klistra in", + "Help Section": "Hjälpsektion", + "Did you know?": "Visste du?", + "What does %s offer?": "Vad erbjuder %s?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Med %s kan du titta på filmer och TV-serier väldigt enkelt. Allt du behöver göra är att klicka på någon av affischerna och klicka sedan på \"Se på\". Men din upplevelse är mycket anpassningsbar:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Vår filmsamling innehåller endast högupplösta filmer, tillgängliga i 720p och 1080p. För att titta på en film, öppna %s och navigera helt enkelt genom filmsamlingen, tillgänglig via fliken \"Filmer\" i navigeringsfältet. Standardvyn visar dig alla filmer sorterade efter popularitet, men du kan använda dina egna filter tack vare filtren \"Genre\" och \"Sortera efter\". När du har valt en film som du vill se klickar du på dess affisch. Klicka sedan på \"Se nu\". Glöm inte popcornen!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Fliken TV-serier, som du kan nå genom att klicka på \"TV-serier\" i navigeringsfältet, visar alla tillgängliga serier i vår samling. Du kan också använda egna filter, samma som för filmerna, för att hjälpa dig att bestämma vad du ska titta på. I den här samlingen klickar du bara på affischen: det nya fönstret som kommer att visas gör att du kan navigera genom säsonger och avsnitt. När du har bestämt dig, klickar du bara på knappen \"Se nu\".", + "Choose quality": "Välj kvalitet", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Ett skjutreglage bredvid knappen \"Se nu\" låter dig välja kvaliteten på strömmen. Du kan också ställa in en fast kvalitet på fliken Inställningar. Varning: en bättre kvalitet är lika med mer data att hämta.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "De flesta av våra filmer och TV-serier har undertexter på ditt språk. Du kan ställa in dem på fliken Inställningar. För filmerna kan du till och med ställa in dem genom rullgardinsmenyn på sidan Filmdetaljer.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Om du klickar på hjärt-ikonen på en affisch lägger du till filmen/programmet till dina favoriter. Den här samlingen kan nås genom den hjärtformade ikonen i navigeringsfältet. För att ta bort ett objekt från din samling, klickar du bara på ikonen igen! Hur enkelt är det?", + "Watched icon": "Sedd-ikon", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s kommer att komma ihåg vad du redan har sett - lite hjälp att komma ihåg orsakar ingen skada. Du kan också ställa in ett objekt som du ser på genom att klicka på den ögonformade ikonen på affischerna. Du kan till och med bygga och synkronisera din samling med webbplatsen Trakt.tv via fliken Inställningar.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "I %s kan du använda förstoringsikonen för att öppna sökningen. Skriv en titel, en skådespelare, en regissör eller till och med ett år, tryck på \"Enter\" och låt oss visa vad vi kan erbjuda för att fylla dina behov. För att stänga din nuvarande sökning kan du klicka på \"X\" bredvid din post eller skriva något annat i fältet.", + "External Players": "Externa spelare", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Om du föredrar att använda en anpassad spelare istället för det inbyggda, kan du göra det genom att klicka på den tilldelade ikonen på knappen \"Se nu\". En lista över dina installerade spelare visas, välj en och %s skickar allt till den. Om din spelare inte är på listan, rapportera det till oss.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "För att driva anpassning ännu längre, erbjuder vi dig en stor panel av inställningar. För att komma åt inställningar klickar du på den hjulformade ikonen i navigeringsfältet.", + "Keyboard Navigation": "Tangentbordsnavigering", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Hela listan med tangentbordsgenvägar är tillgänglig genom att trycka på \"?\" på tangentbordet eller genom den tangentbordformade ikonen på fliken Inställningar.", + "Custom Torrents and Magnet Links": "Anpassade torrenter och magnetlänkar", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Du kan använda anpassade torrenter och magnetlänkar i %s. Bara dra och släpp .torrent-filer i programmets fönster och/eller klistra in valfri magnetlänk.", + "Torrent health": "Torrenthälsa", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "På detaljerna för filmer/TV-serier kan du hitta en liten cirkel, färgad i grått, rött, gult eller grönt. Dessa färger hänvisar till torrentens hälsa. En grön torrent kommer att hämtas snabbt, medan en röd torrent kanske inte hämtas alls eller mycket långsamt. Färgen grå representerar ett fel i hälsoberäkningen för filmer och måste klickas på i TV-serier för att visa hälsan.", + "How does %s work?": "Hur fungerar %s?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s strömmar videoinnehåll via torrenter. Våra filmer tillhandahålls av %s och våra TV-serier av %s, samtidigt som alla metadata hämtas från %s. Vi är inte värd för något innehåll själva.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrentströmning? Tja, torrenter använder Bittorrent-protokoll, vilket i princip innebär att du hämtar små delar av innehållet från en annan användares dator, medan du skickar delarna du redan hämtat till en annan användare. Sedan tittar du på dessa delar medan de nästa hämtas i bakgrunden. Detta utbyte gör att innehållet hålls friskt.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "När filmen är helt hämtad fortsätter du att skicka delar till andra användare. Och allt tas bort från din dator när du stänger %s. Så enkelt är det.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Programmet i sig är byggd med Node-Webkit, HTML, CSS och Javascript. Det fungerar som webbläsaren Google Chrome, förutom att du är värd för den största delen av koden på din dator. Ja, %s fungerar med samma teknik som en vanlig webbplats, som... låt oss säga Wikipedia eller Youtube!", + "I found a bug, how do I report it?": "Jag hittade ett fel, hur rapporterar jag det?", + "You can paste magnet links anywhere in %s with CTRL+V.": "Du kan klistra in magnetlänkar överallt i %s med CTRL+V.", + "You can drag & drop a .torrent file into %s.": "Du kan dra och släppa en .torrent-fil i %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Om en undertext för en TV-serie saknas kan du lägga till den på %s. Och på samma sätt för en film, men på %s.", + "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Du kan logga in på Trakt.tv för att spara alla dina bevakade objekt och synkronisera dem över flera enheter.", + "Clicking on the rating stars will display a number instead.": "Om du klickar på betygsstjärnorna visas ett nummer istället.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "Detta program är helt och hållet skrivet i HTML5, CSS3 och Javascript", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "Vill du veta mer om en film eller en TV-serie? Klicka bara på ikonen IMDb.", + "Switch to next tab": "Byt till nästa flik", + "Switch to previous tab": "Byt till föregående flik", + "Switch to corresponding tab": "Byt till motsvarande flik", + "through": "genom", + "Enlarge Covers": "Förstora affischerna", + "Reduce Covers": "Minska affischerna", + "Open Item Details": "Öppna objektdetaljer", + "Add Item to Favorites": "Lägg till objekt till favoriter", + "Mark as Seen": "Markera som sedd", + "Open this screen": "Öppna den här skärmen", + "Open Settings": "Öppna inställningar", + "Posters Size": "Affischstorlek", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "Den här funktionen fungerar bara om du har ditt TraktTv-konto synkroniserat. Gå till inställningar och ange dina inloggningsuppgifter.", + "Last Open": "Senast öppnad", + "Exporting Database...": "Exporterar databas...", + "Database Successfully Exported": "Databasen exporterad", + "Display": "Skärm", + "TV": "TV", + "Type": "Typ", + "popularity": "popularitet", + "date": "datum", + "year": "år", + "rating": "betyg", + "updated": "uppdaterad", + "name": "namn", + "OVA": "OVA", + "ONA": "ONA", + "Movie": "Film", + "Special": "Speciell", + "Watchlist": "Tittalista", + "Resolving..": "Löser..", + "About": "Om", + "Open Cache Directory": "Öppna cachemapp", + "Open Database Directory": "Öppna databasmapp", + "Mark as unseen": "Markera som osedd", + "Playback rate": "Uppspelningshastighet", + "Increase playback rate by %s": "Öka uppspelningshastigheten med %s", + "Decrease playback rate by %s": "Minska uppspelningshastigheten med %s", + "Set playback rate to %s": "Ställ in uppspelningshastighet till %s", + "Playback rate adjustment is not available for this video!": "Justering av uppspelningshastigheten är inte tillgänglig för den här videon!", + "Color": "Färg", + "Local IP Address": "Lokal IP-adress", + "Japan": "Japan", + "Cars": "Bilar", + "Dementia": "Demens", + "Demons": "Demoner", + "Ecchi": "Ecchi", + "Game": "Spel", + "Harem": "Harem", + "Historical": "Historisk", + "Josei": "Josei", + "Kids": "Barn", + "Magic": "Magi", + "Martial Arts": "Kampsport", + "Mecha": "Mecha", + "Military": "Militär", + "Parody": "Parodi", + "Police": "Polis", + "Psychological": "Psykologisk", + "Samurai": "Samurai", + "School": "Skola", + "Seinen": "Seinen", + "Shoujo": "Shoujo", + "Shoujo Ai": "Shoujo Ai", + "Shounen": "Shounen", + "Shounen Ai": "Shounen Ai", + "Slice of Life": "Bit av livet", + "Space": "Rymd", + "Sports": "Sport", + "Super Power": "Superkraft", + "Supernatural": "Övernaturlig", + "Vampire": "Vampyr", + "VPN": "VPN", + "Connect": "Anslut", + "Create Account": "Skapa konto", + "Celebrate various events": "Fira diverse händelser/helgdagar", + "Disconnect": "Koppla från", + "Downloaded": "Hämtat", + "Loading stuck ? Click here !": "Inläsning fastnat ? Klicka här !", + "Torrent Collection": "Torrentsamling", + "Remove this torrent": "Ta bort denna torrent", + "Rename this torrent": "Byt namn på denna torrent", + "Open Collection Directory": "Öppna samlingsmapp", + "Store this torrent": "Lagra denna torrent", + "Enter new name": "Ange nytt namn", + "This name is already taken": "Detta namn är redan taget", + "Always start playing in fullscreen": "Börja alltid spela i helskärmsläge", + "Magnet link": "Magnetlänk", + "Error resolving torrent.": "Fel uppstod vid lösning av torrent.", + "%s hour(s) remaining": "%s timm(e/ar) återstår", + "%s minute(s) remaining": "%s minut(er) återstår", + "%s second(s) remaining": "%s sekund(er) återstår", + "Unknown time remaining": "Okänd tid återstår", + "Set player window to video resolution": "Ställ in spelarfönster till videoupplösning", + "Set player window to double of video resolution": "Ställ in spelarfönster till dubbel videoupplösning", + "Set player window to half of video resolution": "Ställ in spelarfönster till hälften av videoupplösningen", + "Retry": "Försök igen", + "Import a Torrent": "Importera en torrent", + "Not Seen": "Inte sedd", + "Seen": "Sedda", + "Title": "Titel", + "The video playback encountered an issue. Please try an external player like %s to view this content.": "Videouppspelningen stötte på ett problem. Försök med en extern spelare som %s för att se detta innehåll.", + "Font": "Teckensnitt", + "Decoration": "Dekoration", + "None": "Inget", + "Outline": "Kontur", + "Opaque Background": "Ogenomskinlig bakgrund", + "No thank you": "Nej tack", + "Report an issue": "Rapportera ett problem", + "Email": "E-post", + "Submit": "Skicka", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Använd %s problemfiltret för att söka och kontrollera om problemet redan har rapporterats eller redan är åtgärdat.", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Inkludera en skärmdump om det är relevant - Handlar ditt problem om en designfunktion eller ett fel?", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "En bra felrapport ska inte låta andra behöva jaga dig för mer information. Var noga med att inkludera information om din miljö.", + "Warning: Always use English when contacting us, or we might not understand you.": "Varning: Använd alltid engelska när du kontaktar oss, annars kanske vi inte förstår dig.", + "No results found": "Inga resultat hittades", + "Open Favorites": "Öppna favoriter", + "Open About": "Öppna om", + "Minimize to Tray": "Minimera till aktivitetsfältet", + "Close": "Stäng", + "Restore": "Återställ", + "Features": "Funktioner", + "Connect To %s": "Anslut till %s", + "Cannot be stored": "Kan inte lagras", + "Overall Ratio": "Total kvot", + "Translate Synopsis": "Översätt synopsis", + "N/A": "Saknas", + "Your disk is almost full.": "Din hårddisk är nästan full.", + "You need to make more space available on your disk by deleting files.": "Du måste göra mer utrymme tillgängligt på din hårddisk genom att ta bort filer.", + "Playing Next": "Spelar nästa", + "See-through Background": "Genomskinlig bakgrund", + "Bold": "Fet", + "Currently watching": "Tittar på just nu", + "No, it's not that": "Nej, det är inte det", + "Correct": "Korrekt", + "Init Database": "Init-databas", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Skapa tillfällig mapp", + "Set System Theme": "Ställ in systemtema", + "Disclaimer": "Varning", + "Series": "Serier", + "Event": "Händelse", + "Local": "Lokalt", + "Try another subtitle or drop one in the player": "Testa en annan undertext eller släpp en i spelaren", + "show": "visa", + "movie": "film", + "Something went wrong downloading the update": "Något gick fel när uppdateringen hämtades", + "Error converting subtitle": "Fel vid undertextkonvertering", + "No subtitles found": "Inga undertexter hittades", + "Try again later or drop a subtitle in the player": "Försök igen senare eller släpp en undertext i spelaren", + "You should save the content of the old directory, then delete it": "Du bör spara innehållet i den gamla mappen och sedan ta bort det", + "Search on %s": "Sök i %s", + "Audio Language": "Ljudspråk", + "Subtitle": "Undertext", + "Code:": "Kod:", + "Error reading subtitle timings, file seems corrupted": "Fel vid läsning av undertexttider, filen verkar korrupt", + "Open File to Import": "Öppna fil att importera", + "Browse Directory to save to": "Bläddra i mappen att spara till", + "Cancel and use VPN": "Avbryt och använd VPN", + "Resume seeding after restarting the app?": "Återuppta distribution efter att ha startat om appen?", + "Seedbox": "Distributionslåda", + "Cache Folder": "Cachemapp", + "Show cast": "Visa rollfördelning", + "Filename": "Filnamn", + "Stream Url": "Ström-URL", + "Show playback controls": "Visa uppspelningskontroller", + "Downloading": "Hämtar...", + "Hide playback controls": "Dölj uppspelningskontroller", + "Poster Size": "Affischstorlek", + "UI Scaling": "Användargränssnittsskalning", + "Show all available subtitles for default language in flag menu": "Visa alla tillgängliga undertexter för standardspråk i flaggmenyn", + "Cache Folder Button": "Cachemapp-knapp", + "Enable remote control": "Aktivera fjärrkontroll", + "Server": "Server", + "API Server(s)": "API-servrar", + "Proxy Server": "Proxyserver", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Kom ihåg att exportera din databas innan du uppdaterar ifall det behövs för att återställa dina favoriter, markerade som bevakade eller inställningar", + "Update Now": "Uppdatera nu", + "Database Exported": "Databas exporterad", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Sparade torrenter", + "Search Results": "Sökresultat", + "Paste a Magnet link": "Klistra in en magnetlänk", + "Import a Torrent file": "Importera en torrentfil", + "Select data types to import": "Välj datatyper att importera", + "Please select which data types you want to import ?": "Välj vilka datatyper du vill importera?", + "Watched items": "Sedda objekt", + "Bookmarked items": "Bokmärkta objekt", + "Download list is empty...": "Hämtningslistan är tom...", + "Active Torrents Limit": "Gräns för aktiva torrenter", + "Toggle Subtitles": "Växla undertexter", + "Toggle Crop to Fit screen": "Växla beskärning för att passa skärmen", + "Original": "Original", + "Fit screen": "Passa skärmen", + "Video already fits screen": "Video passar redan skärmen", + "The filename was copied to the clipboard": "Filnamnet kopierades till urklippet", + "The stream url was copied to the clipboard": "Ström-URL:en kopierades till urklippet", + "* %s stores an encrypted hash of your password in your local database": "* %s lagrar en krypterad hash av ditt lösenord i din lokala databas", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Din enhet kanske inte stöder videoformatet/kodekar.
Prova annan upplösningskvalitet eller casta med VLC", + "Hide cast": "Dölj rollfördelning", + "Tabs": "Flikar", + "Native window frame": "Inbyggd fönsterram", + "Open Cache Folder": "Öppna cachemapp", + "Restart Popcorn Time": "Starta om Popcorn Time", + "Developer Tools": "Utvecklarverktyg", + "Movies API Server": "API-server för filmer", + "Series API Server": "API-server för serier", + "Anime API Server": "API-server för anime", + "The image url was copied to the clipboard": "Bild-URL:en kopierades till urklippet", + "Popcorn Time currently supports": "Popcorn Time stöder för närvarande", + "There is also support for Chromecast, AirPlay & DLNA devices.": "Det finns också stöd för Chromecast, AirPlay & DLNA-enheter.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Du kan ställa in flera filter och flikar samtidigt och naturligtvis eventuella ytterligare senare", + "as well as overwrite or reset your preferences)": "samt skriva över eller återställa dina inställningar)", + "Default Filters": "Standardfilter", + "Set Filters": "Ställ in filter", + "Reset Filters": "Återställ filter", + "Your Default Filters have been changed": "Dina standardfilter har ändrats", + "Your Default Filters have been reset": "Dina standardfilter har återställts", + "Setting Filters...": "Ställer in filter...", + "Default": "Standard", + "Custom": "Anpassat", + "Remember": "Kom ihåg", + "Cache": "Cache", + "Unknown": "Okänd", + "Change Subtitles Position": "Ändra position för undertexter", + "Minimize": "Minimera", + "Separate directory for Downloads": "Separat mapp för hämtningar", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Aktivering förhindrar delning av cache mellan funktionerna Se nu och Hämta", + "Downloads Directory": "Hämtningsmapp", + "Open Downloads Directory": "Öppna hämtningsmapp", + "Delete related cache ?": "Ta bort relaterad cache ?", + "Yes": "Ja", + "No": "Nej", + "Cache files deleted": "Cachefiler borttagna", + "Delete related cache when removing from Seedbox": "Ta bort relaterad cache när du tar bort från distributionslådan", + "Always": "Alltid", + "Ask me every time": "Fråga mig varje gång", + "Enable Protocol Encryption": "Aktivera protokollkryptering", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Tillåter anslutning till jämlikar som använder PE/MSE. Kommer i de flesta fall att öka antalet anslutningsbara jämlikar men kan också leda till ökad CPU-användning", + "Show the Seedbox when a new download is added": "Visa distributionslådan när en ny hämtning läggs till", + "Download added": "Hämtning tillagd", + "Change API Server": "Ändra API-server", + "Default Content Language": "Standardinnehållsspråk", + "Title translation": "Titelöversättning", + "Translated - Original": "Översatt - original", + "Original - Translated": "Original - översatt", + "Translated only": "Endast översatt", + "Original only": "Endast original", + "Translate Posters": "Översätt affischer", + "Translate Episode Titles": "Översätt avsnittstitlar", + "Only show content available in this language": "Visa endast innehåll tillgängligt på detta språk", + "Translations depend on availability. Some options also might not be supported by all API servers": "Översättningar beror på tillgänglighet. Vissa alternativ kanske inte stöds av alla API-servrar", + "added": "tillagd", + "Max. Down / Up Speed": "Max. ner- / upphastighet", + "Show Release Info": "Visa utgivningsinformation", + "Parental Guide": "Föräldraguide", + "Rebuild bookmarks database": "Bygg om databas för bokmärken", + "Rebuilding bookmarks...": "Ombyggnad av bokmärken...", + "Submit metadata & translations": "Skicka metadata och översättningar", + "Not available": "Inte tillgängligt", + "Cast not available": "Rollfördelning inte tillgänglig", + "was removed from bookmarks": "togs bort från bokmärken", + "Bookmark restored": "Bokmärke återställdes", + "Undo": "Ångra", + "minute(s) remaining before preloading next episode": "minut(er) återstår innan nästa avsnitt förinläses", + "Zoom": "Zooma", + "Contrast": "Kontrast", + "Brightness": "Ljusstyrka", + "Hue": "Färgton", + "Saturation": "Mättnad", + "Decrease Zoom by": "Minska zoomen med", + "Increase Zoom by": "Öka zoomen med", + "Decrease Contrast by": "Minska kontrasten med", + "Increase Contrast by": "Öka kontrasten med", + "Decrease Brightness by": "Minska ljusstyrkan med", + "Increase Brightness by": "Öka ljusstyrkan med", + "Rotate Hue counter-clockwise by": "Rotera färgton moturs med", + "Rotate Hue clockwise by": "Rotera färgton medurs med", + "Decrease Saturation by": "Minska mättnad med", + "Increase Saturation by": "Öka mättnad med", + "Automatically update the API Server URLs": "Uppdatera automatiskt API-serverns URL:er", + "Enable automatically updating the API Server URLs": "Aktivera automatiskt uppdatera API-serverns URL:er", + "Automatically update the app when a new version is available": "Uppdatera automatiskt appen när en ny version är tillgänglig", + "Enable automatically updating the app when a new version is available": "Aktivera att appen automatiskt uppdateras när en ny version är tillgänglig", + "Check for updates": "Sök efter uppdateringar", + "Updating the API Server URLs": "Uppdaterar API-serverns URL:er", + "API Server URLs updated": "API-serverns URL:er uppdaterade", + "API Server URLs already updated": "API-serverns URL:er redan uppdaterade", + "API Server URLs could not be updated": "API-serverns URL:er kunde inte uppdateras", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Du kan lägga till flera API-servrar separerade med ett , från vilka den väljer slumpmässigt (*för lastbalansering) tills den hittar den första tillgängliga", + "The API Server URL(s) was copied to the clipboard": "API-servrarnas URL:er kopierades till urklippet", + "0 = Disable preloading": "0 = Inaktivera förinläsning", + "Search field always expanded": "Sökfältet alltid expanderat", + "DHT UDP Requests Limit": "Gräns för DHT UDP-förfrågningar", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Anslut till %s för att automatiskt hämta undertexter för filmer och avsnitt du tittar på i %s", + "Create an account": "Skapa ett konto", + "Search for something or drop a .torrent / magnet link...": "Sök efter något eller släpp en .torrent / magnetlänk...", + "Torrent removed": "Torrent borttagen", + "Remove": "Ta bort", + "Connect to %s": "Anslut till %s", + "to automatically 'scrobble' episodes you watch in %s": "För att automatiskt \"skrobbla\"-avsnitt du tittar på i %s", + "Sync now": "Synkronisera nu", + "Same as Default Language": "Samma som standardspråk", + "Language": "Språk", + "Allow Audio Passthrough": "Tillåt ljudgenomgång", + "release info link": "utgivningsinformationslänk", + "parental guide link": "föräldraguidelänk", + "IMDb page link": "IMDB-sidlänk", + "submit metadata & translations link": "skicka länk för metadata och översättningar", + "episode title": "avsnittstitel", + "full cast & crew link": "hel rollfördelning- & arbetslagslänk", + "Click providers to enable / disable": "Klicka på leverantörer för att aktivera / inaktivera", + "Right-click to filter results by": "Högerklicka för att filtrera resultat efter", + "to filter by All": "att filtrera efter Allt", + "more...": "mer...", + "Seeds": "Distributioner", + "Peers": "Jämlikar", + "less...": "mindre..." +} \ No newline at end of file diff --git a/src/app/language/sv.json b/src/app/language/sv.json index 2bf63a3eca..38affac499 100644 --- a/src/app/language/sv.json +++ b/src/app/language/sv.json @@ -1,7 +1,7 @@ { "External Player": "Extern spelare", "Made with": "Tillverkad med", - "by a bunch of geeks from All Around The World": "ett gäng nördar från hela världen", + "by a bunch of geeks from All Around The World": "av ett gäng nördar från hela världen", "Initializing %s. Please Wait...": "Initialiserar %s. Vänta...", "Movies": "Filmer", "TV Series": "TV-serier", @@ -21,7 +21,7 @@ "Game Show": "Spelshow", "Horror": "Skräck", "Mini Series": "Miniserier", - "Mystery": "Mysterium", + "Mystery": "Mystik", "News": "Nyheter", "Reality": "Reality", "Romance": "Romantik", @@ -44,14 +44,13 @@ "Load More": "Visa fler", "Saved": "Sparad", "Settings": "Inställningar", - "Show advanced settings": "Visa avancerade inställningar", "User Interface": "Användargränssnitt", "Default Language": "Standardspråk", "Theme": "Tema", "Start Screen": "Startskärm", "Favorites": "Favoriter", "Show rating over covers": "Visa betyg på affischer", - "Always On Top": "Alltid på topp", + "Always On Top": "Alltid överst", "Watched Items": "Sedda objekt", "Show": "Visa", "Fade": "Tona ut", @@ -61,9 +60,7 @@ "Disabled": "Inaktiverat", "Size": "Storlek", "Quality": "Kvalitet", - "Show movie quality on list": "Visa filmkvalitet på listan", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Anslut till %s för att automatiskt \"skrobbla\" avsnitt du tittar på i %s", "Username": "Användarnamn", "Password": "Lösenord", "%s stores an encrypted hash of your password in your local database": "%s lagrar en krypterad hash av ditt lösenord i din lokala databas", @@ -72,7 +69,6 @@ "HTTP API Username": "HTTP API-användarnamn", "HTTP API Password": "HTTP API-lösenord", "Connection": "Anslutning", - "TV Show API Endpoint": "API-ändpunkt för TV-program", "Connection Limit": "Anslutningsgräns", "DHT Limit": "DHT-gräns", "Port to stream on": "Port att strömma på", @@ -83,9 +79,8 @@ "Database Directory": "Databasmapp", "Import Database": "Importera databas", "Export Database": "Exportera databas", - "Flush bookmarks database": "Ta bort bokmärken", - "Flush subtitles cache": "Rensa undertextcache", - "Flush all databases": "Ta bort alla databaser", + "Flush bookmarks database": "Rensa bokmärken", + "Flush all databases": "Rensa alla databaser", "Reset to Default Settings": "Återställ till standardinställningar", "Importing Database...": "Importerar databas...", "Please wait": "Vänta", @@ -100,18 +95,18 @@ "War": "Krig", "Rating": "Betyg", "Open IMDb page": "Öppna IMDb-sida", - "Health false": "Hälsa bedräglig", - "Add to bookmarks": "Lägg till i bokmärken", + "Health false": "Bedräglig hälsa", + "Add to bookmarks": "Lägg till bokmärke", "Watch Trailer": "Se trailer", "Watch Now": "Se nu", "Ratio:": "Kvot:", "Seeds:": "Distributioner:", "Peers:": "Jämlikar:", - "Remove from bookmarks": "Ta bort från bokmärken", + "Remove from bookmarks": "Ta bort bokmärke", "Changelog": "Ändringslogg", "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s är resultatet av många utvecklare och formgivare som har slagit ihop ett gäng API:er för att göra upplevelsen av att titta på torrentfilmer så enkel som möjligt.", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Vi är ett projekt med öppen källkod. Vi är från hela världen. Vi älskar våra filmer. Och vad vi älskar popcorn.", - "Health Unknown": "Hälsa okänd", + "Health Unknown": "Okänd hälsa", "Episodes": "Avsnitt", "Episode %s": "Avsnitt %s", "Aired Date": "Sändningsdatum", @@ -132,7 +127,7 @@ "Miscellaneous": "Diverse", "First unwatched episode": "Första osedda avsnitt", "Next episode": "Nästa avsnitt", - "Flushing...": "Tar bort...", + "Flushing...": "Rensar...", "Are you sure?": "Är du säker?", "We are flushing your databases": "Vi rensar din databas", "Success": "Lyckades", @@ -151,23 +146,17 @@ "Seconds": "Sekunder", "You are currently connected to %s": "Du är för närvarande ansluten till %s", "Disconnect account": "Koppla bort konto", - "Sync With Trakt": "Synkronisera med Trakt", "Syncing...": "Synkroniserar...", "Done": "Klar", "Subtitles Offset": "Undertextförskjutning", "secs": "sekunder", "We are flushing your database": "Vi rensar din databas", "Ratio": "Kvot", - "Advanced Settings": "Avancerade inställningar", - "Tmp Folder": "Tillfällig mapp", - "URL of this stream was copied to the clipboard": "URL av den här strömmen kopierades till urklippet", - "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fel, databasen är förmodligen skadad. Försök att rensa bokmärkena i inställningar.", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Fel, databasen är förmodligen skadad. Försök att rensa bokmärkena i inställningarna.", "Flushing bookmarks...": "Rensar bokmärken...", "Resetting...": "Återställning...", "We are resetting the settings": "Vi återställer inställningarna", "Installed": "Installerad", - "We are flushing your subtitle cache": "Vi rensar din undertextcache", - "Subtitle cache deleted": "Undertextcache borttagen", "Please select a file to play": "Välj en fil att spela", "Global shortcuts": "Globala genvägar", "Video Player": "Videospelare", @@ -184,7 +173,6 @@ "Exit Fullscreen": "Avsluta helskärmsläge", "Seek Backward": "Sök bakåt", "Decrease Volume": "Minska volymen", - "Show Stream URL": "Visa ström-URL", "TV Show Detail": "TV-programdetalj", "Toggle Watched": "Växla sedda", "Select Next Episode": "Välj nästa avsnitt", @@ -211,7 +199,7 @@ "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "Ett skjutreglage bredvid knappen \"Se nu\" låter dig välja kvaliteten på strömmen. Du kan också ställa in en fast kvalitet på fliken Inställningar. Varning: en bättre kvalitet är lika med mer data att hämta.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "De flesta av våra filmer och TV-serier har undertexter på ditt språk. Du kan ställa in dem på fliken Inställningar. För filmerna kan du till och med ställa in dem genom rullgardinsmenyn på sidan Filmdetaljer.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Om du klickar på hjärt-ikonen på en affisch lägger du till filmen/programmet till dina favoriter. Den här samlingen kan nås genom den hjärtformade ikonen i navigeringsfältet. För att ta bort ett objekt från din samling, klickar du bara på ikonen igen! Hur enkelt är det?", - "Watched icon": "Sedda-ikon", + "Watched icon": "Sedd-ikon", "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s kommer att komma ihåg vad du redan har sett - lite hjälp att komma ihåg orsakar ingen skada. Du kan också ställa in ett objekt som du ser på genom att klicka på den ögonformade ikonen på affischerna. Du kan till och med bygga och synkronisera din samling med webbplatsen Trakt.tv via fliken Inställningar.", "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "I %s kan du använda förstoringsikonen för att öppna sökningen. Skriv en titel, en skådespelare, en regissör eller till och med ett år, tryck på \"Enter\" och låt oss visa vad vi kan erbjuda för att fylla dina behov. För att stänga din nuvarande sökning kan du klicka på \"X\" bredvid din post eller skriva något annat i fältet.", "External Players": "Externa spelare", @@ -308,10 +296,7 @@ "Super Power": "Superkraft", "Supernatural": "Övernaturlig", "Vampire": "Vampyr", - "Automatically Sync on Start": "Synkronisera automatiskt vid start", "VPN": "VPN", - "Activate automatic updating": "Aktivera automatiska uppdateringar", - "Please wait...": "Vänta...", "Connect": "Anslut", "Create Account": "Skapa konto", "Celebrate various events": "Fira diverse händelser/helgdagar", @@ -319,10 +304,8 @@ "Downloaded": "Hämtat", "Loading stuck ? Click here !": "Inläsning fastnat ? Klicka här !", "Torrent Collection": "Torrentsamling", - "Drop Magnet or .torrent": "Släpp magnet eller .torrent", "Remove this torrent": "Ta bort denna torrent", "Rename this torrent": "Byt namn på denna torrent", - "Flush entire collection": "Rensa hela samlingen", "Open Collection Directory": "Öppna samlingsmapp", "Store this torrent": "Lagra denna torrent", "Enter new name": "Ange nytt namn", @@ -339,7 +322,7 @@ "Set player window to half of video resolution": "Ställ in spelarfönster till hälften av videoupplösningen", "Retry": "Försök igen", "Import a Torrent": "Importera en torrent", - "Not Seen": "Inte sedda", + "Not Seen": "Inte sedd", "Seen": "Sedda", "Title": "Titel", "The video playback encountered an issue. Please try an external player like %s to view this content.": "Videouppspelningen stötte på ett problem. Försök med en extern spelare som %s för att se detta innehåll.", @@ -351,108 +334,59 @@ "No thank you": "Nej tack", "Report an issue": "Rapportera ett problem", "Email": "E-post", - "Log in": "Logga in", - "Report anonymously": "Rapportera anonymt", - "Note regarding anonymous reports:": "Observera följande vid anonyma rapporter:", - "You will not be able to edit or delete your report once sent.": "Du kommer inte att kunna redigera eller ta bort din rapport när den har skickats.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Om ytterligare information krävs, kan rapporten vara stängd, eftersom du inte kommer att kunna tillhandahålla dem.", - "Step 1: Please look if the issue was already reported": "Steg 1: Se om problemet redan har rapporterats", - "Enter keywords": "Ange nyckelord", - "Already reported": "Redan rapporterat", - "I want to report a new issue": "Jag vill rapportera ett nytt problem", - "Step 2: Report a new issue": "Steg 2: Registrera ett nytt problem.", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Obs: använd inte detta formulär för att kontakta oss. Det är begränsad till endast felrapporter.", - "The title of the issue": "Titeln på problemet", - "Description": "Beskrivning", - "200 characters minimum": "Minst 200 tecken", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "En kort beskrivning av problemet. Om lämpligt, inkludera de steg som krävs för att reproducera felet.", "Submit": "Skicka", - "Step 3: Thank you !": "Steg 3: Tack !", - "Your issue has been reported.": "Ditt problem har rapporterats.", - "Open in your browser": "Öppna i din webbläsare", - "No issues found...": "Inga problem hittades...", - "First method": "Första metoden", - "Use the in-app reporter": "Använd reportern i appen", - "You can find it later on the About page": "Du kan hitta det senare på Om sidan", - "Second method": "Andra metoden", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Använd %s problemfiltret för att söka och kontrollera om problemet redan har rapporterats eller redan är åtgärdat.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Inkludera en skärmdump om det är relevant - Handlar ditt problem om en designfunktion eller ett fel?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "En bra felrapport ska inte låta andra behöva jaga dig för mer information. Var noga med att inkludera information om din miljö.", "Warning: Always use English when contacting us, or we might not understand you.": "Varning: Använd alltid engelska när du kontaktar oss, annars kanske vi inte förstår dig.", - "Search for torrent": "Sök efter torrent", "No results found": "Inga resultat hittades", - "Invalid credentials": "Ogiltiga inloggningsuppgifter", "Open Favorites": "Öppna favoriter", - "Open About": "Öppna Om", + "Open About": "Öppna om", "Minimize to Tray": "Minimera till aktivitetsfältet", "Close": "Stäng", "Restore": "Återställ", - "Resume Playback": "Återuppta uppspelning", "Features": "Funktioner", "Connect To %s": "Anslut till %s", - "The magnet link was copied to the clipboard": "Magnetlänken kopierades till urklipp", - "Big Picture Mode": "Storbildsläge", - "Big Picture Mode is unavailable on your current screen resolution": "Storbildsläge är inte tillgängligt för din nuvarande skärmupplösning", "Cannot be stored": "Kan inte lagras", - "%s reported this torrent as fake": "%s rapporterade denna torrent som falsk", - "Randomize": "Slumpmässigt", - "Randomize Button for Movies": "Slumpmässig knapp för filmer", "Overall Ratio": "Total kvot", "Translate Synopsis": "Översätt synopsis", - "N/A": "N/A", + "N/A": "Saknas", "Your disk is almost full.": "Din hårddisk är nästan full.", "You need to make more space available on your disk by deleting files.": "Du måste göra mer utrymme tillgängligt på din hårddisk genom att ta bort filer.", "Playing Next": "Spelar nästa", - "Trending": "Trendigt", - "Remember Filters": "Kom ihåg filter ", - "Automatic Subtitle Uploading": "Automatisk sändning av undertexter", "See-through Background": "Genomskinlig bakgrund", "Bold": "Fet", "Currently watching": "Tittar på just nu", "No, it's not that": "Nej, det är inte det", "Correct": "Korrekt", - "Indie": "Indie", "Init Database": "Init-databas", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Skapa tillfällig mapp", "Set System Theme": "Ställ in systemtema", "Disclaimer": "Varning", "Series": "Serier", - "Finished": "Klar", "Event": "Händelse", "Local": "Lokalt", "Try another subtitle or drop one in the player": "Testa en annan undertext eller släpp en i spelaren", "show": "visa", "movie": "film", "Something went wrong downloading the update": "Något gick fel när uppdateringen hämtades", - "Activate Update seeding": "Aktivera distributionsuppdatering", "Error converting subtitle": "Fel vid undertextkonvertering", "No subtitles found": "Inga undertexter hittades", "Try again later or drop a subtitle in the player": "Försök igen senare eller släpp en undertext i spelaren", "You should save the content of the old directory, then delete it": "Du bör spara innehållet i den gamla mappen och sedan ta bort det", - "Search on %s": "Sök på %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Är du säker på att du vill rensa hela torrentsamlingen?", + "Search on %s": "Sök i %s", "Audio Language": "Ljudspråk", "Subtitle": "Undertext", "Code:": "Kod:", "Error reading subtitle timings, file seems corrupted": "Fel vid läsning av undertexttider, filen verkar korrupt", - "Connection Not Secured": "Anslutningen är inte säkrad", "Open File to Import": "Öppna fil att importera", "Browse Directory to save to": "Bläddra i mappen att spara till", "Cancel and use VPN": "Avbryt och använd VPN", "Resume seeding after restarting the app?": "Återuppta distribution efter att ha startat om appen?", - "Enable VPN": "Aktivera VPN", - "Popularity": "Popularitet", - "Last Added": "Senast tillagd", - "Seedbox": "Seedbox", + "Seedbox": "Distributionslåda", "Cache Folder": "Cachemapp", - "Science-fiction": "Science fiction", - "Superhero": "Superhjälte", - "Show cast": "Visa skådespelare", - "Health Good": "Hälsa bra", - "Health Medium": "Hälsa sådär", - "Health Excellent": "Hälsa utmärkt", - "Right click to copy": "Högerklicka för att kopiera", + "Show cast": "Visa rollfördelning", "Filename": "Filnamn", "Stream Url": "Ström-URL", "Show playback controls": "Visa uppspelningskontroller", @@ -469,17 +403,9 @@ "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Kom ihåg att exportera din databas innan du uppdaterar ifall det behövs för att återställa dina favoriter, markerade som bevakade eller inställningar", "Update Now": "Uppdatera nu", "Database Exported": "Databas exporterad", - "Slice Of Life": "Bit av livet", - "Home And Garden": "Hem och trädgård", - "Returning Series": "Återkommande serier", - "Finished Airing": "Avslutad sändning", - "No Favorites found...": "Inga favoriter hittades...", - "No Watchlist found...": "Ingen tittalista hittades...", - "Health Bad": "Hälsa dålig", "ThePirateBay": "ThePirateBay", "1337x": "1337x", "RARBG": "RARBG", - "OMGTorrent": "OMGTorrent", "Saved Torrents": "Sparade torrenter", "Search Results": "Sökresultat", "Paste a Magnet link": "Klistra in en magnetlänk", @@ -490,39 +416,27 @@ "Bookmarked items": "Bokmärkta objekt", "Download list is empty...": "Hämtningslistan är tom...", "Active Torrents Limit": "Gräns för aktiva torrenter", - "Currently Airing": "Sänds nu", "Toggle Subtitles": "Växla undertexter", "Toggle Crop to Fit screen": "Växla beskärning för att passa skärmen", "Original": "Original", "Fit screen": "Passa skärmen", "Video already fits screen": "Video passar redan skärmen", - "Copied to clipboard": "Kopierat till urklipp", "The filename was copied to the clipboard": "Filnamnet kopierades till urklippet", "The stream url was copied to the clipboard": "Ström-URL:en kopierades till urklippet", - "Create account": "Skapa konto", "* %s stores an encrypted hash of your password in your local database": "* %s lagrar en krypterad hash av ditt lösenord i din lokala databas", - "Device can't play the video": "Enheten kan inte spela videon", - "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", - "Hide cast": "Dölj skådespelare", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Din enhet kanske inte stöder videoformatet/kodekar.
Prova annan upplösningskvalitet eller casta med VLC", + "Hide cast": "Dölj rollfördelning", "Tabs": "Flikar", - "No movies found...": "Inga filmer hittades...", - "Holiday": "Helgdag", - "Native window frame": "Native window frame", + "Native window frame": "Inbyggd fönsterram", "Open Cache Folder": "Öppna cachemapp", "Restart Popcorn Time": "Starta om Popcorn Time", "Developer Tools": "Utvecklarverktyg", - "No shows found...": "Inga serier hittades...", - "No anime found...": "Ingen anime hittades...", - "Search in %s": "Sök i %s", - "Show 'Search on Torrent Collection' in search": "Visa \"Sök på torrentsamling\" i sökning", "Movies API Server": "API-server för filmer", "Series API Server": "API-server för serier", "Anime API Server": "API-server för anime", "The image url was copied to the clipboard": "Bild-URL:en kopierades till urklippet", "Popcorn Time currently supports": "Popcorn Time stöder för närvarande", "There is also support for Chromecast, AirPlay & DLNA devices.": "Det finns också stöd för Chromecast, AirPlay & DLNA-enheter.", - "Right click for supported players": "Högerklicka för spelare som stöds", - "Set any number of the Genre, Sort by and Type filters and press 'Done' to save your preferences.": "Ställ in valfritt antal Genre, sortera efter och Skriv filter och tryck på \"Klar\" för att spara dina inställningar.", "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Du kan ställa in flera filter och flikar samtidigt och naturligtvis eventuella ytterligare senare", "as well as overwrite or reset your preferences)": "samt skriva över eller återställa dina inställningar)", "Default Filters": "Standardfilter", @@ -546,18 +460,15 @@ "Yes": "Ja", "No": "Nej", "Cache files deleted": "Cachefiler borttagna", - "Delete related cache when removing from Seedbox": "Ta bort relaterad cache när du tar bort från Seedbox", + "Delete related cache when removing from Seedbox": "Ta bort relaterad cache när du tar bort från distributionslådan", "Always": "Alltid", - "Never": "Aldrig", "Ask me every time": "Fråga mig varje gång", "Enable Protocol Encryption": "Aktivera protokollkryptering", "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Tillåter anslutning till jämlikar som använder PE/MSE. Kommer i de flesta fall att öka antalet anslutningsbara jämlikar men kan också leda till ökad CPU-användning", - "Show the Seedbox when a new download is added": "Visa Seedbox när en ny hämtning läggs till", + "Show the Seedbox when a new download is added": "Visa distributionslådan när en ny hämtning läggs till", "Download added": "Hämtning tillagd", "Change API Server": "Ändra API-server", - "Localisation": "Lokalisering", "Default Content Language": "Standardinnehållsspråk", - "Same as interface": "Samma som gränssnittet", "Title translation": "Titelöversättning", "Translated - Original": "Översatt - original", "Original - Translated": "Original - översatt", @@ -568,17 +479,14 @@ "Only show content available in this language": "Visa endast innehåll tillgängligt på detta språk", "Translations depend on availability. Some options also might not be supported by all API servers": "Översättningar beror på tillgänglighet. Vissa alternativ kanske inte stöds av alla API-servrar", "added": "tillagd", - "The source link was copied to the clipboard": "Källlänken kopierades till urklippet", "Max. Down / Up Speed": "Max. ner- / upphastighet", "Show Release Info": "Visa utgivningsinformation", "Parental Guide": "Föräldraguide", - "Rebuild bookmarks database": "Ombyggnad av databas för bokmärken", + "Rebuild bookmarks database": "Bygg om databas för bokmärken", "Rebuilding bookmarks...": "Ombyggnad av bokmärken...", "Submit metadata & translations": "Skicka metadata och översättningar", "Not available": "Inte tillgängligt", - "Cast not available": "Skådespelare inte tillgängligt", - "Show an 'Undo' button when a bookmark is removed": "Visa en \"Ångra\"-knapp när ett bokmärke tas bort", - "was added to bookmarks": "lades till bokmärken", + "Cast not available": "Rollfördelning inte tillgänglig", "was removed from bookmarks": "togs bort från bokmärken", "Bookmark restored": "Bokmärke återställdes", "Undo": "Ångra", @@ -586,7 +494,7 @@ "Zoom": "Zooma", "Contrast": "Kontrast", "Brightness": "Ljusstyrka", - "Hue": "Hue", + "Hue": "Färgton", "Saturation": "Mättnad", "Decrease Zoom by": "Minska zoomen med", "Increase Zoom by": "Öka zoomen med", @@ -594,8 +502,8 @@ "Increase Contrast by": "Öka kontrasten med", "Decrease Brightness by": "Minska ljusstyrkan med", "Increase Brightness by": "Öka ljusstyrkan med", - "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", - "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Rotate Hue counter-clockwise by": "Rotera färgton moturs med", + "Rotate Hue clockwise by": "Rotera färgton medurs med", "Decrease Saturation by": "Minska mättnad med", "Increase Saturation by": "Öka mättnad med", "Automatically update the API Server URLs": "Uppdatera automatiskt API-serverns URL:er", @@ -606,7 +514,6 @@ "Updating the API Server URLs": "Uppdaterar API-serverns URL:er", "API Server URLs updated": "API-serverns URL:er uppdaterade", "API Server URLs already updated": "API-serverns URL:er redan uppdaterade", - "Change API server(s) to the new URLs?": "Ändra API-servrarna till de nya URL:erna?", "API Server URLs could not be updated": "API-serverns URL:er kunde inte uppdateras", "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "Du kan lägga till flera API-servrar separerade med ett , från vilka den väljer slumpmässigt (*för lastbalansering) tills den hittar den första tillgängliga", "The API Server URL(s) was copied to the clipboard": "API-servrarnas URL:er kopierades till urklippet", @@ -625,9 +532,16 @@ "Language": "Språk", "Allow Audio Passthrough": "Tillåt ljudgenomgång", "release info link": "utgivningsinformationslänk", - "parental guide link": "parental guide link", + "parental guide link": "föräldraguidelänk", "IMDb page link": "IMDB-sidlänk", "submit metadata & translations link": "skicka länk för metadata och översättningar", - "episode title": "episode title", - "full cast & crew link": "full cast & crew link" + "episode title": "avsnittstitel", + "full cast & crew link": "hel rollfördelning- & arbetslagslänk", + "Click providers to enable / disable": "Klicka på leverantörer för att aktivera / inaktivera", + "Right-click to filter results by": "Högerklicka för att filtrera resultat efter", + "to filter by All": "att filtrera efter Allt", + "more...": "mer...", + "Seeds": "Distributioner", + "Peers": "Jämlikar", + "less...": "mindre..." } \ No newline at end of file diff --git a/src/app/language/ta.json b/src/app/language/ta.json new file mode 100644 index 0000000000..4775158154 --- /dev/null +++ b/src/app/language/ta.json @@ -0,0 +1,547 @@ +{ + "External Player": "External Player", + "Made with": "Made with", + "by a bunch of geeks from All Around The World": "by a bunch of geeks from All Around The World", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Movies": "திரைப்படங்கள்", + "TV Series": "TV Series", + "Anime": "Anime", + "Genre": "Genre", + "All": "All", + "Action": "Action", + "Adventure": "Adventure", + "Animation": "Animation", + "Children": "Children", + "Comedy": "நகைச்சுவை", + "Crime": "Crime", + "Documentary": "Documentary", + "Drama": "Drama", + "Family": "Family", + "Fantasy": "Fantasy", + "Game Show": "Game Show", + "Horror": "Horror", + "Mini Series": "Mini Series", + "Mystery": "Mystery", + "News": "செய்திகள்", + "Reality": "Reality", + "Romance": "Romance", + "Science Fiction": "Science Fiction", + "Soap": "Soap", + "Special Interest": "Special Interest", + "Sport": "விளையாட்டு", + "Suspense": "Suspense", + "Talk Show": "Talk Show", + "Thriller": "Thriller", + "Western": "Western", + "Sort by": "Sort by", + "Updated": "Updated", + "Year": "Year", + "Name": "Name", + "Search": "தேடு", + "Season": "Season", + "Seasons": "Seasons", + "Season %s": "Season %s", + "Load More": "Load More", + "Saved": "Saved", + "Settings": "அமைப்புகள்", + "User Interface": "User Interface", + "Default Language": "Default Language", + "Theme": "Theme", + "Start Screen": "Start Screen", + "Favorites": "Favorites", + "Show rating over covers": "Show rating over covers", + "Always On Top": "Always On Top", + "Watched Items": "Watched Items", + "Show": "Show", + "Fade": "Fade", + "Hide": "மறை", + "Subtitles": "துணையுரைகள்", + "Default Subtitle": "Default Subtitle", + "Disabled": "முடுக்கப்பட்டுள்ளது", + "Size": "அளவு", + "Quality": "தரம்", + "Trakt.tv": "Trakt.tv", + "Username": "Username", + "Password": "Password", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "Remote Control": "Remote Control", + "HTTP API Port": "HTTP API Port", + "HTTP API Username": "HTTP API Username", + "HTTP API Password": "HTTP API Password", + "Connection": "Connection", + "Connection Limit": "Connection Limit", + "DHT Limit": "DHT Limit", + "Port to stream on": "Port to stream on", + "0 = Random": "0 = Random", + "Cache Directory": "Cache Directory", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", + "Database": "Database", + "Database Directory": "Database Directory", + "Import Database": "Import Database", + "Export Database": "Export Database", + "Flush bookmarks database": "Flush bookmarks database", + "Flush all databases": "Flush all databases", + "Reset to Default Settings": "Reset to Default Settings", + "Importing Database...": "Importing Database...", + "Please wait": "Please wait", + "Error": "தவறு", + "Biography": "Biography", + "Film-Noir": "Film-Noir", + "History": "வரலாறு", + "Music": "Music", + "Musical": "Musical", + "Sci-Fi": "Sci-Fi", + "Short": "குறும்படம்", + "War": "போர்", + "Rating": "Rating", + "Open IMDb page": "Open IMDb page", + "Health false": "Health false", + "Add to bookmarks": "Add to bookmarks", + "Watch Trailer": "Watch Trailer", + "Watch Now": "Watch Now", + "Ratio:": "Ratio:", + "Seeds:": "Seeds:", + "Peers:": "Peers:", + "Remove from bookmarks": "Remove from bookmarks", + "Changelog": "Changelog", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.", + "Health Unknown": "Health Unknown", + "Episodes": "Episodes", + "Episode %s": "Episode %s", + "Aired Date": "Aired Date", + "Streaming to": "Streaming to", + "connecting": "Connecting", + "Download": "பதிவிறக்கு", + "Upload": "Upload", + "Active Peers": "Active Peers", + "Cancel": "ரத்து செய்", + "startingDownload": "Starting Download", + "downloading": "Downloading", + "ready": "Ready", + "playingExternally": "Playing Externally", + "Custom...": "Custom...", + "Volume": "Volume", + "Ended": "Ended", + "Error loading data, try again later...": "Error loading data, try again later...", + "Miscellaneous": "Miscellaneous", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Flushing...", + "Are you sure?": "Are you sure?", + "We are flushing your databases": "We are flushing your databases", + "Success": "Success", + "Please restart your application": "Please restart your application", + "Restart": "Restart", + "Terms of Service": "Terms of Service", + "I Accept": "I Accept", + "Leave": "Leave", + "Series detail opens to": "Series detail opens to", + "Playback": "Playback", + "Play next episode automatically": "Play next episode automatically", + "Generate Pairing QR code": "Generate Pairing QR code", + "Play": "இயக்கு", + "waitingForSubtitles": "Waiting For Subtitles", + "Play Now": "Play Now", + "Seconds": "Seconds", + "You are currently connected to %s": "You are currently connected to %s", + "Disconnect account": "Disconnect account", + "Syncing...": "Syncing...", + "Done": "Done", + "Subtitles Offset": "Subtitles Offset", + "secs": "secs", + "We are flushing your database": "We are flushing your database", + "Ratio": "Ratio", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", + "Flushing bookmarks...": "Flushing bookmarks...", + "Resetting...": "Resetting...", + "We are resetting the settings": "We are resetting the settings", + "Installed": "Installed", + "Please select a file to play": "Please select a file to play", + "Global shortcuts": "Global shortcuts", + "Video Player": "Video Player", + "Toggle Fullscreen": "Toggle Fullscreen", + "Play/Pause": "Play/Pause", + "Seek Forward": "Seek Forward", + "Increase Volume": "Increase Volume", + "Set Volume to": "Set Volume to", + "Offset Subtitles by": "Offset Subtitles by", + "Toggle Mute": "Toggle Mute", + "Movie Detail": "Movie Detail", + "Toggle Quality": "Toggle Quality", + "Play Movie": "Play Movie", + "Exit Fullscreen": "Exit Fullscreen", + "Seek Backward": "Seek Backward", + "Decrease Volume": "Decrease Volume", + "TV Show Detail": "TV Show Detail", + "Toggle Watched": "Toggle Watched", + "Select Next Episode": "Select Next Episode", + "Select Previous Episode": "Select Previous Episode", + "Select Next Season": "Select Next Season", + "Select Previous Season": "Select Previous Season", + "Play Episode": "Play Episode", + "space": "space", + "shift": "shift", + "ctrl": "ctrl", + "enter": "enter", + "esc": "esc", + "Keyboard Shortcuts": "Keyboard Shortcuts", + "Cut": "Cut", + "Copy": "Copy", + "Paste": "Paste", + "Help Section": "Help Section", + "Did you know?": "Did you know?", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", + "Choose quality": "Choose quality", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", + "Watched icon": "Watched icon", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "External Players": "External Players", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", + "Keyboard Navigation": "Keyboard Navigation", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", + "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "Torrent health": "Torrent health", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "I found a bug, how do I report it?": "I found a bug, how do I report it?", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", + "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", + "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", + "Switch to next tab": "Switch to next tab", + "Switch to previous tab": "Switch to previous tab", + "Switch to corresponding tab": "Switch to corresponding tab", + "through": "through", + "Enlarge Covers": "Enlarge Covers", + "Reduce Covers": "Reduce Covers", + "Open Item Details": "Open Item Details", + "Add Item to Favorites": "Add Item to Favorites", + "Mark as Seen": "Mark as Seen", + "Open this screen": "Open this screen", + "Open Settings": "Open Settings", + "Posters Size": "Posters Size", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.", + "Last Open": "Last Open", + "Exporting Database...": "Exporting Database...", + "Database Successfully Exported": "Database Successfully Exported", + "Display": "Display", + "TV": "TV", + "Type": "Type", + "popularity": "popularity", + "date": "date", + "year": "year", + "rating": "rating", + "updated": "updated", + "name": "name", + "OVA": "OVA", + "ONA": "ONA", + "Movie": "படம்", + "Special": "Special", + "Watchlist": "Watchlist", + "Resolving..": "Resolving..", + "About": "About", + "Open Cache Directory": "Open Cache Directory", + "Open Database Directory": "Open Database Directory", + "Mark as unseen": "Mark as unseen", + "Playback rate": "Playback rate", + "Increase playback rate by %s": "Increase playback rate by %s", + "Decrease playback rate by %s": "Decrease playback rate by %s", + "Set playback rate to %s": "Set playback rate to %s", + "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", + "Color": "நிறம்", + "Local IP Address": "Local IP Address", + "Japan": "Japan", + "Cars": "Cars", + "Dementia": "Dementia", + "Demons": "Demons", + "Ecchi": "Ecchi", + "Game": "Game", + "Harem": "Harem", + "Historical": "Historical", + "Josei": "Josei", + "Kids": "Kids", + "Magic": "Magic", + "Martial Arts": "Martial Arts", + "Mecha": "Mecha", + "Military": "Military", + "Parody": "Parody", + "Police": "Police", + "Psychological": "Psychological", + "Samurai": "Samurai", + "School": "School", + "Seinen": "Seinen", + "Shoujo": "Shoujo", + "Shoujo Ai": "Shoujo Ai", + "Shounen": "Shounen", + "Shounen Ai": "Shounen Ai", + "Slice of Life": "Slice of Life", + "Space": "Space", + "Sports": "Sports", + "Super Power": "Super Power", + "Supernatural": "Supernatural", + "Vampire": "Vampire", + "VPN": "VPN", + "Connect": "Connect", + "Create Account": "Create Account", + "Celebrate various events": "Celebrate various events", + "Disconnect": "Disconnect", + "Downloaded": "Downloaded", + "Loading stuck ? Click here !": "Loading stuck ? Click here !", + "Torrent Collection": "Torrent Collection", + "Remove this torrent": "Remove this torrent", + "Rename this torrent": "Rename this torrent", + "Open Collection Directory": "Open Collection Directory", + "Store this torrent": "Store this torrent", + "Enter new name": "Enter new name", + "This name is already taken": "This name is already taken", + "Always start playing in fullscreen": "Always start playing in fullscreen", + "Magnet link": "Magnet link", + "Error resolving torrent.": "Error resolving torrent.", + "%s hour(s) remaining": "%s hour(s) remaining", + "%s minute(s) remaining": "%s minute(s) remaining", + "%s second(s) remaining": "%s second(s) remaining", + "Unknown time remaining": "Unknown time remaining", + "Set player window to video resolution": "Set player window to video resolution", + "Set player window to double of video resolution": "Set player window to double of video resolution", + "Set player window to half of video resolution": "Set player window to half of video resolution", + "Retry": "Retry", + "Import a Torrent": "Import a Torrent", + "Not Seen": "Not Seen", + "Seen": "Seen", + "Title": "Title", + "The video playback encountered an issue. Please try an external player like %s to view this content.": "The video playback encountered an issue. Please try an external player like %s to view this content.", + "Font": "Font", + "Decoration": "Decoration", + "None": "None", + "Outline": "Outline", + "Opaque Background": "Opaque Background", + "No thank you": "No thank you", + "Report an issue": "Report an issue", + "Email": "Email", + "Submit": "Submit", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", + "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", + "No results found": "No results found", + "Open Favorites": "Open Favorites", + "Open About": "Open About", + "Minimize to Tray": "Minimize to Tray", + "Close": "மூடு", + "Restore": "Restore", + "Features": "Features", + "Connect To %s": "Connect To %s", + "Cannot be stored": "Cannot be stored", + "Overall Ratio": "Overall Ratio", + "Translate Synopsis": "Translate Synopsis", + "N/A": "N/A", + "Your disk is almost full.": "Your disk is almost full.", + "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", + "Playing Next": "Playing Next", + "See-through Background": "See-through Background", + "Bold": "Bold", + "Currently watching": "Currently watching", + "No, it's not that": "No, it's not that", + "Correct": "Correct", + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Downloading", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Original", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "ஆம்", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Brightness", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Check for updates", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." +} \ No newline at end of file diff --git a/src/app/language/te.json b/src/app/language/te.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/te.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/th.json b/src/app/language/th.json new file mode 100644 index 0000000000..e281403036 --- /dev/null +++ b/src/app/language/th.json @@ -0,0 +1,547 @@ +{ + "External Player": "เครื่องเล่นภายนอก", + "Made with": "สร้างจาก", + "by a bunch of geeks from All Around The World": "โดยเหล่ากี๊กจากทั่วทุกมุมโลก", + "Initializing %s. Please Wait...": "กำลังเริ่ม %s กรุณารอสักครู่...", + "Movies": "ภาพยนตร์", + "TV Series": "ละครซีรี่ส์", + "Anime": "อนิเมะ", + "Genre": "ประเภท", + "All": "ทั้งหมด", + "Action": "แอ็คชั่น‎", + "Adventure": "ผจญภัย", + "Animation": "แอนิเมชัน", + "Children": "เด็กๆ", + "Comedy": "ตลก", + "Crime": "อาชญากรรม", + "Documentary": "สารคดี", + "Drama": "ดราม่า", + "Family": "ครอบครัว", + "Fantasy": "แฟนตาซี", + "Game Show": "เกมโชว์", + "Horror": "สยองขวัญ‎", + "Mini Series": "ซีรีส์สั้น", + "Mystery": "ลึกลับ", + "News": "ข่าว", + "Reality": "เรียลิตี้", + "Romance": "รักโรแมนติก", + "Science Fiction": "นิยายวิทยาศาสตร์ ไซ-ไฟ", + "Soap": "ละครตบจูบ", + "Special Interest": "ความสนใจพิเศษ", + "Sport": "กีฬา", + "Suspense": "สองจิตสองใจ", + "Talk Show": "ทอล์คโชว์", + "Thriller": "ระทึกขวัญ", + "Western": "ตะวันตก", + "Sort by": "เรียงตาม", + "Updated": "ปรับรุ่นแล้ว", + "Year": "ปี", + "Name": "ชื่อ", + "Search": "ค้นหา", + "Season": "ปี", + "Seasons": "ภาค", + "Season %s": "ฤดูกาล %s", + "Load More": "โหลดเพิ่มเติม", + "Saved": "บันทึกแล้ว", + "Settings": "การตั้งค่า", + "User Interface": "ส่วนติดต่อผู้ใช้", + "Default Language": "ภาษาเริ่มต้น", + "Theme": "ธีม", + "Start Screen": "หน้าจอเริ่มต้น", + "Favorites": "ชื่นชอบ", + "Show rating over covers": "แสดงการจัดอันดับบนหน้าปก", + "Always On Top": "อยู่ด้านบนเสมอ", + "Watched Items": "รายการที่ดูแล้ว", + "Show": "แสดง", + "Fade": "เลือน", + "Hide": "ซ่อน", + "Subtitles": "คำบรรยาย", + "Default Subtitle": "คำบรรยายเริ่มต้น", + "Disabled": "ปิดใช้งาน", + "Size": "ขนาด", + "Quality": "คุณภาพ", + "Trakt.tv": "Trakt.tv", + "Username": "ชื่อผู้ใช้", + "Password": "รหัสผ่าน", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "Remote Control": "รีโมตควบคุม", + "HTTP API Port": "พอร์ตของ HTTP API", + "HTTP API Username": "ชื่อผู้ใช้ของ HTTP API", + "HTTP API Password": "รหัสผ่านของ HTTP API", + "Connection": "การเชื่อมต่อ", + "Connection Limit": "ขีดจำกัดของการเชื่อมต่อ", + "DHT Limit": "ขีดจำกัดของ DHT", + "Port to stream on": "พอร์ตในการสตรีม", + "0 = Random": "0 = สุ่ม", + "Cache Directory": "ไดเรกทอรีแคช", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", + "Database": "ฐานข้อมูล", + "Database Directory": "ที่อยู่ของฐานข้อมูล", + "Import Database": "นำเข้าฐานข้อมูล", + "Export Database": "ส่งออกฐานข้อมูล", + "Flush bookmarks database": "ล้างฐานข้อมูลที่คั่นทั้งหมด", + "Flush all databases": "ล้างฐานข้อมูลทั้งหมด", + "Reset to Default Settings": "รีเซ็ตการตั้งค่า", + "Importing Database...": "กำลังนำเข้าฐานข้อมูล...", + "Please wait": "กรุณารอสักครู่", + "Error": "ข้อผิดพลาด", + "Biography": "ชีวประวัติ", + "Film-Noir": "ฟิล์มนัวร์", + "History": "ประวัติศาสตร์", + "Music": "ละครเพลง", + "Musical": "ดนตรี", + "Sci-Fi": "นิยายวิทยาศาสตร์", + "Short": "สั้น", + "War": "สงคราม", + "Rating": "การจัดอันดับ", + "Open IMDb page": "เปิดหน้า IMDb", + "Health false": "Health false", + "Add to bookmarks": "เพิ่มไปยังบุ๊คมาร์ก", + "Watch Trailer": "ดูตัวอย่าง", + "Watch Now": "ดูเดี๋ยวนี้", + "Ratio:": "อัตราส่วน:", + "Seeds:": "ผู้ส่ง:", + "Peers:": "ผู้รับ:", + "Remove from bookmarks": "นำออกจากรายการคั่น", + "Changelog": "รายการการเปลี่ยนแปลง", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.", + "Health Unknown": "ไม่ทราบสุขภาพ", + "Episodes": "ตอน", + "Episode %s": "ตอน %s", + "Aired Date": "วันที่ออกอากาศ", + "Streaming to": "ส่งสัญญาณสดไปยัง", + "connecting": "กำลังเชื่อมต่อ", + "Download": "ดาวน์โหลด", + "Upload": "อัปโหลด", + "Active Peers": "เพียร์ที่ทำงานอยู่", + "Cancel": "ยกเลิก", + "startingDownload": "กำลังเริ่มดาวน์โหลด", + "downloading": "กำลังดาวน์โหลด", + "ready": "พร้อมแล้ว", + "playingExternally": "เล่นภายนอก", + "Custom...": "ปรับเอง...", + "Volume": "ระดับ", + "Ended": "จบแล้ว", + "Error loading data, try again later...": "การดึงข้อมูลเกิดความผิดพลาด กรุณาลองใหม่ในภายหลัง...", + "Miscellaneous": "จิปาถะ", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Flushing...", + "Are you sure?": "แน่ใจนะ?", + "We are flushing your databases": "We are flushing your databases", + "Success": "สำเร็จ", + "Please restart your application": "Please restart your application", + "Restart": "เริ่มใหม่", + "Terms of Service": "เงื่อนไขการให้บริการ", + "I Accept": "ฉันยอมรับ", + "Leave": "ออก", + "Series detail opens to": "Series detail opens to", + "Playback": "Playback", + "Play next episode automatically": "Play next episode automatically", + "Generate Pairing QR code": "Generate Pairing QR code", + "Play": "เล่น", + "waitingForSubtitles": "Waiting For Subtitles", + "Play Now": "เล่นเลย", + "Seconds": "วินาที", + "You are currently connected to %s": "You are currently connected to %s", + "Disconnect account": "เลิกเชื่อมต่อบัญชี", + "Syncing...": "กำลังปรับประสาน...", + "Done": "สำเร็จ", + "Subtitles Offset": "Subtitles Offset", + "secs": "วิ", + "We are flushing your database": "We are flushing your database", + "Ratio": "อัตราส่วน", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", + "Flushing bookmarks...": "Flushing bookmarks...", + "Resetting...": "Resetting...", + "We are resetting the settings": "We are resetting the settings", + "Installed": "ติดตั้งแล้ว", + "Please select a file to play": "Please select a file to play", + "Global shortcuts": "Global shortcuts", + "Video Player": "เครื่องเล่นวิดีโอ", + "Toggle Fullscreen": "Toggle Fullscreen", + "Play/Pause": "เล่น/พัก", + "Seek Forward": "Seek Forward", + "Increase Volume": "เพิ่มเสียง", + "Set Volume to": "Set Volume to", + "Offset Subtitles by": "Offset Subtitles by", + "Toggle Mute": "Toggle Mute", + "Movie Detail": "Movie Detail", + "Toggle Quality": "Toggle Quality", + "Play Movie": "เล่นหนัง", + "Exit Fullscreen": "ออกจากเต็มหน้าจอ", + "Seek Backward": "Seek Backward", + "Decrease Volume": "ลดเสียง", + "TV Show Detail": "TV Show Detail", + "Toggle Watched": "Toggle Watched", + "Select Next Episode": "Select Next Episode", + "Select Previous Episode": "Select Previous Episode", + "Select Next Season": "Select Next Season", + "Select Previous Season": "Select Previous Season", + "Play Episode": "Play Episode", + "space": "space", + "shift": "shift", + "ctrl": "ctrl", + "enter": "enter", + "esc": "esc", + "Keyboard Shortcuts": "Keyboard Shortcuts", + "Cut": "ตัด", + "Copy": "คัดลอก", + "Paste": "วาง", + "Help Section": "Help Section", + "Did you know?": "รู้หรือไม่?", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", + "Choose quality": "เลือกคุณภาพ", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", + "Watched icon": "Watched icon", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "External Players": "เครื่องเล่นภายนอก", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", + "Keyboard Navigation": "Keyboard Navigation", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", + "Custom Torrents and Magnet Links": "Custom Torrents and Magnet Links", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "Torrent health": "Torrent health", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "I found a bug, how do I report it?": "I found a bug, how do I report it?", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", + "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.", + "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", + "Switch to next tab": "Switch to next tab", + "Switch to previous tab": "Switch to previous tab", + "Switch to corresponding tab": "Switch to corresponding tab", + "through": "through", + "Enlarge Covers": "Enlarge Covers", + "Reduce Covers": "Reduce Covers", + "Open Item Details": "Open Item Details", + "Add Item to Favorites": "Add Item to Favorites", + "Mark as Seen": "Mark as Seen", + "Open this screen": "Open this screen", + "Open Settings": "Open Settings", + "Posters Size": "Posters Size", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.", + "Last Open": "Last Open", + "Exporting Database...": "Exporting Database...", + "Database Successfully Exported": "Database Successfully Exported", + "Display": "Display", + "TV": "ทีวี", + "Type": "Type", + "popularity": "popularity", + "date": "วัน", + "year": "ปี", + "rating": "rating", + "updated": "updated", + "name": "name", + "OVA": "OVA", + "ONA": "ONA", + "Movie": "Movie", + "Special": "Special", + "Watchlist": "Watchlist", + "Resolving..": "Resolving..", + "About": "About", + "Open Cache Directory": "Open Cache Directory", + "Open Database Directory": "Open Database Directory", + "Mark as unseen": "Mark as unseen", + "Playback rate": "Playback rate", + "Increase playback rate by %s": "Increase playback rate by %s", + "Decrease playback rate by %s": "Decrease playback rate by %s", + "Set playback rate to %s": "Set playback rate to %s", + "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", + "Color": "สี", + "Local IP Address": "Local IP Address", + "Japan": "Japan", + "Cars": "Cars", + "Dementia": "Dementia", + "Demons": "Demons", + "Ecchi": "Ecchi", + "Game": "เกมโชว์", + "Harem": "Harem", + "Historical": "Historical", + "Josei": "Josei", + "Kids": "Kids", + "Magic": "Magic", + "Martial Arts": "Martial Arts", + "Mecha": "Mecha", + "Military": "Military", + "Parody": "Parody", + "Police": "Police", + "Psychological": "Psychological", + "Samurai": "ซามูไร", + "School": "โรงเรียน", + "Seinen": "Seinen", + "Shoujo": "Shoujo", + "Shoujo Ai": "Shoujo Ai", + "Shounen": "Shounen", + "Shounen Ai": "Shounen Ai", + "Slice of Life": "Slice of Life", + "Space": "อวกาศ", + "Sports": "กีฬา", + "Super Power": "พลังพิเศษ", + "Supernatural": "เหนือธรรมชาติ", + "Vampire": "แวมไพร์", + "VPN": "VPN", + "Connect": "Connect", + "Create Account": "Create Account", + "Celebrate various events": "Celebrate various events", + "Disconnect": "Disconnect", + "Downloaded": "Downloaded", + "Loading stuck ? Click here !": "Loading stuck ? Click here !", + "Torrent Collection": "Torrent Collection", + "Remove this torrent": "Remove this torrent", + "Rename this torrent": "Rename this torrent", + "Open Collection Directory": "Open Collection Directory", + "Store this torrent": "Store this torrent", + "Enter new name": "Enter new name", + "This name is already taken": "This name is already taken", + "Always start playing in fullscreen": "Always start playing in fullscreen", + "Magnet link": "Magnet link", + "Error resolving torrent.": "Error resolving torrent.", + "%s hour(s) remaining": "%s hour(s) remaining", + "%s minute(s) remaining": "%s minute(s) remaining", + "%s second(s) remaining": "%s second(s) remaining", + "Unknown time remaining": "Unknown time remaining", + "Set player window to video resolution": "Set player window to video resolution", + "Set player window to double of video resolution": "Set player window to double of video resolution", + "Set player window to half of video resolution": "Set player window to half of video resolution", + "Retry": "Retry", + "Import a Torrent": "Import a Torrent", + "Not Seen": "Not Seen", + "Seen": "Seen", + "Title": "Title", + "The video playback encountered an issue. Please try an external player like %s to view this content.": "The video playback encountered an issue. Please try an external player like %s to view this content.", + "Font": "Font", + "Decoration": "Decoration", + "None": "None", + "Outline": "Outline", + "Opaque Background": "Opaque Background", + "No thank you": "No thank you", + "Report an issue": "Report an issue", + "Email": "Email", + "Submit": "Submit", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", + "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", + "No results found": "No results found", + "Open Favorites": "Open Favorites", + "Open About": "Open About", + "Minimize to Tray": "Minimize to Tray", + "Close": "ปิด", + "Restore": "Restore", + "Features": "คุณสมบัติ", + "Connect To %s": "เชื่อมต่อ ", + "Cannot be stored": "Cannot be stored", + "Overall Ratio": "Overall Ratio", + "Translate Synopsis": "แปลเรื่องย่อ", + "N/A": "N/A", + "Your disk is almost full.": "Your disk is almost full.", + "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", + "Playing Next": "Playing Next", + "See-through Background": "See-through Background", + "Bold": "Bold", + "Currently watching": "Currently watching", + "No, it's not that": "No, it's not that", + "Correct": "Correct", + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "กำลังดาวน์โหลด", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Search Results", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "ต้นฉบับ", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Unknown", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Yes", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "แปล - ต้นฉบับ", + "Original - Translated": "ต้นฉบับ - แปล", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "ความสว่าง", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "ตรวจหาการปรับรุ่น", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." +} \ No newline at end of file diff --git a/src/app/language/tl.json b/src/app/language/tl.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/tl.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/tr.json b/src/app/language/tr.json index c7192cdc28..d5537561ee 100644 --- a/src/app/language/tr.json +++ b/src/app/language/tr.json @@ -44,7 +44,6 @@ "Load More": "Daha Fazla Yükle", "Saved": "Kaydedildi", "Settings": "Ayarlar", - "Show advanced settings": "Gelişmiş seçenekleri göster", "User Interface": "Kullanıcı Arayüzü", "Default Language": "Varsayılan Dil", "Theme": "Tema", @@ -61,31 +60,26 @@ "Disabled": "Devre Dışı", "Size": "Boyut", "Quality": "Kalite", - "Only list movies in": "Sadece şu filmleri listele", - "Show movie quality on list": "Film kalitesini listede göster", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "%s bağlantısı ile, %s üzerinden izlediğiniz bölümleri otomatik olarak paylaşabilirsiniz", "Username": "Kullanıcı Adı", "Password": "Şifre", - "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "%s stores an encrypted hash of your password in your local database": "%s, yerel veritabanınızda parolanızın şifrelenmiş özütünü saklar", "Remote Control": "Uzaktan Kumanda", "HTTP API Port": "HTTP API Portu", "HTTP API Username": "HTTP API Kullanıcı Adı", "HTTP API Password": "HTTP API Şifre", "Connection": "Bağlantı", - "TV Show API Endpoint": "Dizi API'si Uç Noktası", "Connection Limit": "Bağlantı Sınırı", "DHT Limit": "DHT Sınırı", "Port to stream on": "Yayının yapılacağı port numarası", "0 = Random": "0 = Rastgele", "Cache Directory": "Önbellek Dizini", - "Clear Tmp Folder after closing app?": "Uygulamayı kapattıktan sonra geçici dosyaları temizle?", + "Clear Cache Folder after closing the app?": "Uygulamayı kapattıktan sonra önbellek dizinini temizle?", "Database": "Veri Tabanı", "Database Directory": "Veri Tabanı Dizini", "Import Database": "Veri Tabanını İçe Aktar", "Export Database": "Veritabanı Dışarıya Aktar", "Flush bookmarks database": "Yer imi veri tabanını tamamen sil", - "Flush subtitles cache": "Altyazı önbelleğini sil", "Flush all databases": "Bütün veri tabanlarını tamamen sil", "Reset to Default Settings": "Varsayılan Ayarlara Sıfırla", "Importing Database...": "Veri Tabanı İçeri Aktarılıyor...", @@ -110,7 +104,7 @@ "Peers:": "Çeken:", "Remove from bookmarks": "Yer imlerinden kaldır", "Changelog": "Değişiklik Listesi", - "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s, dünyanın birçok yerinden çok sayıda geliştirici ve tasarımcının bir çok API dosyasını birleştirerek oluşturduğu torrentteki filmleri, mümkün olduğunca kolay izlemeniz için tasarlanmış bir uygulamadır.", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Açık kaynağa sahip bir projeyiz. Dünyanın her yerindeyiz. Filmleri seviyoruz. Dostum, patlamış mısırı da seviyoruz.", "Health Unknown": "Kaynak Durumu Bilinmiyor", "Episodes": "Bölümler", @@ -131,8 +125,8 @@ "Ended": "Tamamlandı", "Error loading data, try again later...": "Veri yüklenirken hata oluştu, daha sonra tekrar deneyin...", "Miscellaneous": "Karışık", - "First Unwatched Episode": "İzlenmemiş İlk Bölüm", - "Next Episode In Series": "Sıradaki Bölüm", + "First unwatched episode": "İzlenmemiş ilk bölüm", + "Next episode": "Sıradaki bölüm", "Flushing...": "Temizleniyor...", "Are you sure?": "Emin misiniz?", "We are flushing your databases": "Veritabanlarınızı tamamen siliyoruz", @@ -142,7 +136,7 @@ "Terms of Service": "Kullanım Koşulları", "I Accept": "Kabul Ediyorum", "Leave": "Vazgeç", - "When Opening TV Series Detail Jump To": "Dizi Detayını Açarken Şuraya Atla", + "Series detail opens to": "Dizi ayrıntıları şuraya açılır", "Playback": "Oynatma", "Play next episode automatically": "Sıradaki bölümü otomatik olarak başlat", "Generate Pairing QR code": "Eşleme QR kodu oluştur", @@ -152,23 +146,17 @@ "Seconds": "Saniye", "You are currently connected to %s": "Şu an bağlısınız: %s", "Disconnect account": "Hesabın bağlantısını kes", - "Sync With Trakt": "Trakt'la Eşle", "Syncing...": "Eşleniyor...", "Done": "Tamamlandı", "Subtitles Offset": "Altyazıları Ayarla", "secs": "saniye", "We are flushing your database": "Veritabanınızı temizliyoruz", "Ratio": "Oran", - "Advanced Settings": "Gelişmiş Ayarlar", - "Tmp Folder": "Geçici Dizini", - "URL of this stream was copied to the clipboard": "Bu yayının bağlantısı panoya kopyalandı", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Hata, veritabanı büyük ihtimalle bozulmuş. Ayarlardan yer imlerini temizlemeyi deneyin.", "Flushing bookmarks...": "Yer imleri temizleniyor...", "Resetting...": "Sıfırlanıyor...", "We are resetting the settings": "Ayarlarınızı sıfırlıyoruz", "Installed": "Yüklendi", - "We are flushing your subtitle cache": "Altyazı ön belleğini temizliyoruz", - "Subtitle cache deleted": "Altyazı ön belleği temizlendi", "Please select a file to play": "Oynatmak için bir dosya seçiniz", "Global shortcuts": "Global kısayollar", "Video Player": "Video Oynatıcı", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Tam Ekrandan Çık", "Seek Backward": "Geri Oynat", "Decrease Volume": "Sesi azalt", - "Show Stream URL": "Yayın URL'sini Göster", "TV Show Detail": "Dizi Detayı", "Toggle Watched": "İzlenenlere Geç", "Select Next Episode": "Sıradaki Bölümü Seç", @@ -204,34 +191,34 @@ "Paste": "Yapıştır", "Help Section": "Yardım Bölümü", "Did you know?": "Biliyor musunuz?", - "What does %s offer?": "What does %s offer?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "What does %s offer?": "%s ne sunuyor?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "Filmleri ve dizileri %s ile kolaylıkla izleyebilirsiniz. Tek yapmanız gereken kapak resimlerinden birine tıklamanız, ardından \"Şimdi İzle\"ye basmanız. Ayrıca deneyiminiz isteğinize göre ayarlanabilir:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Filmlerimiz yalnızca Yüksek Çözünürlüklü filmleri içermektedir, sadece 720p ve 1080p. Bir filmi izlemek için, basitçe %s'ı açın ve gezinti çubuğundaki 'Filmler' sekmesiyle ulaşılabilen film arşivine bakın. Varsayılan görünüm size filmleri popülerliğine göre sıralı gösterecek, fakat 'Tür' ve 'Sırala' süzgeçleri sayesinde kendi süzgeçlerinizi uygulayabilirsiniz. İzlemek istediğiniz bir filmi seçtiğinizde, kapak resmine tıklayınız. Sonra da 'Hemen İzle'ye tıklayın. Patlamış mısırları sakın unutmayın!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "Dizi sekmesi, gezinme çubuğunda 'Diziler'e tıklayarak ulaşabileceğiniz ve arşivinizde bulunan dizileri gösterecek olan kısım. Aynen Filmler'de olduğu gibi, ne izlemek istediğinize karar verirken yardımcı olması için kendi süzgeçlerinizi uygulayabilirsiniz. Bu arşivde kapak resmine tıkladığınızda yeni bir pencere açılarak Sezon ve Bölümler arasında gezinmenizi sağlayacak. Kararınızı verdiğinizde sadece 'Şimdi İzle' düğmesine basmanız yeterli.", "Choose quality": "Kaliteyi seç", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "'Şimdi İzle' düğmesinin yanındaki butonu sürükleyerek yayının kalitesini seçebilirsiniz. Ayrıca Ayarlar sekmesinden sabit bir kalite seçeneğini de seçebilirsiniz. Uyarı: daha iyi kalite daha yüksek miktarda veri indirme anlamına gelir.", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Çoğu Film ve Dizi'nin sizin dilinizde altyazısı mevcuttur. Ayarlar sekmesinden bunu ayarlayabilirsiniz. Hatta Filmler için Film Detayı sayfasında açılır menüden de seçebilirsiniz.", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Kapak resmi üzerindeki kalp simgesine tıklamak filmi/diziyi beğendiklerinize ekleyecektir. Bu listeye gezinme çubuğundaki kalp şeklindeki simgeyi tıklayarak ulaşabilirsiniz. Listeden bir öğeyi çıkarmak için tekrar aynı simgeye tıklamanız yeterli! Ne kadar basit, değil mi?", "Watched icon": "İzlendi simgesi", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s izlediklerinizi hatırlatacaktır - biraz hatırlamaya yardımcı olmaktan zarar gelmez. Kapak resimleri üzerindeki göz şeklindei simgeye tıklayarak bir öğeyi izlendi olarak işaretleyebilirsiniz. Hatta Ayarlar sekmesinden listenizi Trakt.tv web sayfasıyla eşleyebilirsiniz.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "%s'da arama sayfasını açmak için büyüteç simgesini kullanabilirsiniz. Herhangi bir Başlık, Aktör, Yönetmen ya da Yıl girin, 'Enter' tuşuna basın ve isteğinizi karşılamak için neler sunabileceğimizi görün. Şu anki aramadan çıkmak için girdiğiniz metnin yanındaki 'X' simgesine basın ya da farklı bir şey arayın.", "External Players": "Harici Oynatıcılar", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "Dahili oynatıcı yerine özel bir oynatıcı kullanmayı tercih ederseniz 'Şimdi İzle' düğmesinin yanındaki simgeye tıklayarak bunu yapabilirsiniz. Yüklü olan oynatıcılarınızın bir listesi gösterilecek, herhangi birini seçin ve %s açtıklarınızı bunda oynatacak. Eğer oynatıcınızı listede bulamıyorsanız bize rapor edin.", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "Özelleştirmeyi daha da ileriye taşımak için size geniş bir seçenek paneli sunuyoruz. Ayarlara ulaşmak için gezinme çubuğundaki tekerlek simgesine tıklayın.", "Keyboard Navigation": "Klavya Kısayolları", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "Klavyenizdeki '?' tuşuna veya Ayarlar sekmesindeki klavye şeklindeki simgeye tıklayarak kısayol tuşlarının tamamının listesini görebilirsiniz.", "Custom Torrents and Magnet Links": "Özel Torrentler ve Magnet Bağlantılar", - "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "Özel torrentler'i ve magnet bağlantıları %s'da kullanabilirsiniz. Basitçe, .torrent dosyasını uygulamanın penceresine sürükleyin ve bırakın ya da herhangi bir magnet bağlantıyı yapıştırın.", "Torrent health": "Torrent durumu", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "Filmler ve Diziler'in ayrıntılarında; griye, kırmızıya, sarıya veya yeşile boyanmış küçük bir dairecik bulacaksınız. Bu renkler torrentin durumunu açıklamaktadır. Yeşil bir torrent çabucak indirilecektir, kırmızı torrent belki de hiç indirilemeyecek ya da çok yavaş şekilde indirilecektir. Gri rengi ise Filmler ekranında durum hesaplamasında bir hata olduğunu ve Dizi ekranında ise durumu göstermesi amacıyla tıklanması gerektiğini ifade eder.", - "How does %s work?": "How does %s work?", - "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "%s nasıl çalışıyor?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s torrentler üzerinden içeriği izlemenizi sağlar. Filmlerimiz %s, Dizilerimiz %s tarafından sunulmaktadır, Metadata %s tarafından sağlanmaktadır. Kendi sunucularımızda içerik barındırmamaktayız.", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent akışı nedir? Pekala, torrentler Bittorent protokolünü kullanmaktadır, yani önceden indirdiğiniz parçaları gönderirken içeriğin küçük parçalarını diğeri kullanıcıların bilgisayarından indirmeniz demektir. Bir parçayı izlerken, diğer parça arka planda indiriliyor olur. Bu aktarım, içeriğin sağlam kalmasını sağlar.", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Filmi tamamen indirdiğinizde, parçaları diğer kullanıcılara göndermeye devam edersiniz. %s'ı kapattığınızda her şey bilgisayarınızdan silinir. İşte bu kadar basit.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "Uygulama Node-Webkit, HTML, CSS ve Javascript ile yazılmıştır. Kodun en büyük parçasını bilgisayarınızda barındırmanızın dışında Google Chrome gibi çalışır. Evet, %s sıradan bir internet sitesinin teknolojisiyle aynı teknolojiye sahiptir. Şey gibi diyelim... Wikipedia... ya da Youtube!", "I found a bug, how do I report it?": "Hata buldum, bunu nasıl bildiririm?", - "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", - "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "You can paste magnet links anywhere in %s with CTRL+V.": "%s üzerinde dilediğiniz yere Windows ve Linux'ta CTRL + V, OS X'te Cmd + V kombinasyonuyla magnet linki yapıştırabilirsiniz.", + "You can drag & drop a .torrent file into %s.": "%s'ın içine .torrent dosyasını sürükleyip bırakabilirsiniz", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "Eğer bir Dizi için altyazı eksikse bunu %s adresinden ekleyebilirsiniz. Bir Film için de aynısı geçerli, sadece %s adresine bakın.", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Trakt.tv'de oturum açarak izlediklerinizi kaydedebilir ve farklı cihazlar arasında eşleyebilirsiniz.", "Clicking on the rating stars will display a number instead.": "Oy yıldızlarına tıkladığınızda yıldızlar yerine sayılar gösterilir", @@ -309,10 +296,7 @@ "Super Power": "Süper Güçler", "Supernatural": "Doğaüstü", "Vampire": "Vampir", - "Automatically Sync on Start": "Başlangıçta Otomatik Olarak Senkronize Et", "VPN": "VPN", - "Activate automatic updating": "Otomatik güncellemeyi aç", - "Please wait...": "Lütfen bekleyin...", "Connect": "Bağlan", "Create Account": "Hesap Oluştur", "Celebrate various events": "Etkinlikleri kutlayın", @@ -320,10 +304,8 @@ "Downloaded": "İndirildi", "Loading stuck ? Click here !": "Yükleme takıldı mı ? Buraya tıkla !", "Torrent Collection": "Torrent Koleksiyonu", - "Drop Magnet or .torrent": "Magneti ya da torrenti bırak", "Remove this torrent": "Bu torrenti sil", "Rename this torrent": "bu torrentin adını değiştir", - "Flush entire collection": "Tüm koleksiyonu temizle", "Open Collection Directory": "Koleksiyon dizinini aç", "Store this torrent": "Bu torrenti sakla", "Enter new name": "Yeni isim gir", @@ -352,101 +334,214 @@ "No thank you": "Hayır teşekkür ederim", "Report an issue": "Sorun bildir", "Email": "Email", - "Log in": "Giriş yap", - "Report anonymously": "Gizli olarak rapor et", - "Note regarding anonymous reports:": "Gizli olarak gönderilen raporlara hitaben not:", - "You will not be able to edit or delete your report once sent.": "Gönderdikten sonra raporunuzu değiştiremeyecek ve silemeyeceksiniz", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Eğer daha fazla bilgi gerekirse ek bilgileri sağlayamacağınız için rapor kapatılabilir.", - "Step 1: Please look if the issue was already reported": "Adım 1: Lütfen sorun daha önceden rapor edilmiş mi bakın", - "Enter keywords": "Anahtar kelimeleri girin", - "Already reported": "Zaten rapor edildi", - "I want to report a new issue": "Yeni bir sorun rapor etmek istiyorum", - "Step 2: Report a new issue": "Adım 2: Yeni bir sorun bildir", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Not: lütfen bize ulaşmak için bu formu kullanmayın. Bu sadece hata raporları ile sınırlı.", - "The title of the issue": "Sorunun başlığı", - "Description": "Açıklama", - "200 characters minimum": "Minimum 200 karakter", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Sorunun kısa bir açıklaması. Eğer uygunsa hatayı tekrar oluşturmak için gereken adımları içersin.", "Submit": "Gönder", - "Step 3: Thank you !": "Adım 3: Teşekkürler !", - "Your issue has been reported.": "Sorununuz rapor edildi.", - "Open in your browser": "Tarayıcıda aç", - "No issues found...": "Hiçbir hata bulunamadı...", - "First method": "İlk metod", - "Use the in-app reporter": "Uygulama içi raporlamayı kullanın", - "You can find it later on the About page": "Daha sonra Hakkında sayfasında bulabilirsiniz", - "Second method": "İkinci metod", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "%s hata filtresini, daha önce bu hata rapor edilmiş mi ya da zaten düzeltilmiş mi diye aramak ve kontrol etmek için kullanabilirsiniz.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Eğer mümkünse bir ekran görüntüsü ekleyin - Sorununuz bir tasarım özelliği ya da hatası ile mi ilgili?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "İyi bir hata raporu birilerinin sizin arkanızdan daha fazla bilgi için koşuşturmaması demektir. Çevre detaylarını eklediğinize emin olun.", "Warning: Always use English when contacting us, or we might not understand you.": "Dikkat: Bizimle irtibata geçerken her zaman İngilizce kullanın, yoksa neden bahsettiğinizi anlamayabiliriz.", - "Search for torrent": "Search for torrent", "No results found": "Sonuç bulunamadı", - "Invalid credentials": "Kimlik Bilgileri Geçersiz", "Open Favorites": "Favorileri Aç", "Open About": "Hakkında'yı Aç", "Minimize to Tray": "Simge Durumuna Küçült", "Close": "Kapat", "Restore": "İlk Ayarlara Getir", - "Resume Playback": "Oynatmayı Sürdür", "Features": "Özellikler", "Connect To %s": "Bağlan: %s", - "The magnet link was copied to the clipboard": "Magnet linki panoya kopyalandı", - "Big Picture Mode": "Büyük Resim Modu", - "Big Picture Mode is unavailable on your current screen resolution": "Büyük Resim Modu mevcut ekran çözünürlüğünüzde kullanılamaz", "Cannot be stored": "Saklanamaz", - "%s reported this torrent as fake": "%s bu torrenti sahte olarak raporladı", - "Randomize": "Rastgele", - "Randomize Button for Movies": "Filmler için Rastgele Butonu", "Overall Ratio": "Toplam Oran", "Translate Synopsis": "Özeti Çevir", "N/A": "Yok", "Your disk is almost full.": "Disk alanınız dolmak üzere", "You need to make more space available on your disk by deleting files.": "Dosyalarınızı silerek diskinizde daha fazla yer açmalısınız.", "Playing Next": "Sıradaki Oynatılıyor", - "Trending": "Popüler", - "Remember Filters": "Filtreleri Hatırla", - "Automatic Subtitle Uploading": "Otomatik Altyazı Yükleme", "See-through Background": "Şeffaf Arkaplan", "Bold": "Kalın", "Currently watching": "Şimdi izleniyor", "No, it's not that": "Hayır, bu o değil", "Correct": "Doğru", - "Indie": "Bağımsız", - "Init Database": "Init Database", + "Init Database": "Init Veritabanı", "Status: %s ...": "Durum: %s ...", - "Create Temp Folder": "Create Temp Folder", - "Set System Theme": "Set System Theme", - "Disclaimer": "Disclaimer", + "Create Temp Folder": "Geçici klasör oluştur", + "Set System Theme": "Sistem temasını ayarla", + "Disclaimer": "Feragatname", "Series": "Diziler", - "Finished": "Bitirilmiş", "Event": "Etkinlik", - "action": "aksiyon", - "war": "savaş", "Local": "Yerel", "Try another subtitle or drop one in the player": "Başka bir altyazı deneyin veya oynatıcıya sürükleyip bırakın", - "animation": "Animasyon", - "family": "aile", "show": "şov", "movie": "film", - "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", + "Something went wrong downloading the update": "Güncellemeyi indirirken bir problemle karşılaşıldı", "Error converting subtitle": "Altyazı dönüştürülemedi", "No subtitles found": "Altyazı bulunamadı", "Try again later or drop a subtitle in the player": "Daha sonra tekrar deneyin veya oynatıcıya bir altyazı sürükleyin", - "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "You should save the content of the old directory, then delete it": "Eski dizindeki içeriği kaydetmeli, sonrasında silmelisiniz", "Search on %s": "%s'de ara", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Ses dili", "Subtitle": "Altyazı", - "Code:": "Code:", + "Code:": "Kod:", "Error reading subtitle timings, file seems corrupted": "Altyazı zamanlamaları okunamadı. Dosya bozulmuş görünüyor.", - "Connection Not Secured": "Bağlantı güvenli değil", - "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Open File to Import": "İçeri Aktarmak için Dosya Seç", + "Browse Directory to save to": "Kaydetme dizini belirle", "Cancel and use VPN": "İptal et ve VPN kullan", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "VPN'i etkinleştir" + "Resume seeding after restarting the app?": "Uygulamayı yeniden başlattığında göndermeye devam et?", + "Seedbox": "Seedbox", + "Cache Folder": "Önbellek Dizini", + "Show cast": "Oyuncuları göster", + "Filename": "Dosya adı", + "Stream Url": "Yayın URL'si", + "Show playback controls": "Oynatma kontrollerini göster", + "Downloading": "İndiriliyor", + "Hide playback controls": "Oynatma kontrollerini gizle", + "Poster Size": "Poster Boyutu", + "UI Scaling": "Kullanıcı arayüzü ölçeklendirme", + "Show all available subtitles for default language in flag menu": "Bayrak menüsünde varsayılan dil için tüm altyazıları göster", + "Cache Folder Button": "Önbellek Dizini Düğmesi", + "Enable remote control": "Uzaktan kontrole izin ver", + "Server": "Sunucu", + "API Server(s)": "API Sunucusu/ları", + "Proxy Server": "Proxy Sunucusu", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Güncellemeden önce veritabanınızı dışa aktarmayı unutmayın ki, gerektiğinde favorilerinizi, izlendi işaretlemelerinizi veya ayarlarınızı geri aktarabilin.", + "Update Now": "Şimdi güncelle", + "Database Exported": "Veritabanı dışa aktarıldı", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Kaydedilen torrentler", + "Search Results": "Arama Sonuçları", + "Paste a Magnet link": "Magnet bağlantısı yapıştır", + "Import a Torrent file": "Bir torrent yükle", + "Select data types to import": "İçe aktarmak istediğiniz veri tiplerini seç", + "Please select which data types you want to import ?": "İçe aktarmak istediğiniz veri tiplerini seçiniz", + "Watched items": "İzlenmiş öğeler", + "Bookmarked items": "Yer imlerine eklenen öğeler", + "Download list is empty...": "İndirme listesi boş...", + "Active Torrents Limit": "Aktif Torrent Limiti", + "Toggle Subtitles": "Altyazıyı aç/kapat", + "Toggle Crop to Fit screen": "Kırp/Sığdır arasında geçiş yap", + "Original": "Orijinal ", + "Fit screen": "Ekrana sığdır", + "Video already fits screen": "Video zaten ekrana sığıyor", + "The filename was copied to the clipboard": "Dosya adı panoya kopyalandı", + "The stream url was copied to the clipboard": "Yayın url'si panoya kopyalandı", + "* %s stores an encrypted hash of your password in your local database": "%s, yerel veritabanınızda parolanızın şifrelenmiş özütünü saklar", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Cihazınız video formatını veya codecleri desteklemiyor olabilir.
VLC ile diğer çözünürlük kalitesini veya yayınını yapın", + "Hide cast": "Oyuncuları gizle", + "Tabs": "Sekmeler", + "Native window frame": "Yerel pencere kenarları", + "Open Cache Folder": "Önbellek Dizinini Aç", + "Restart Popcorn Time": "Popcorn Time'ı yeniden başlat", + "Developer Tools": "Geliştirici araçları", + "Movies API Server": "Film Sunucu API'si/leri", + "Series API Server": "Dizi Sunucu API'si/leri", + "Anime API Server": "Anime Sunucu API'si/leri", + "The image url was copied to the clipboard": "Resim url'si panoya kopyalandı", + "Popcorn Time currently supports": "Popcorn Time'ın şu anda destekledikleri:", + "There is also support for Chromecast, AirPlay & DLNA devices.": "Chromecast, AirPlay & DLNA cihazları için destek de var.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*Aynı anda birden fazla filtre ve sekmeyi ayarlayabilir ve daha sonra ekleyebilirsiniz.", + "as well as overwrite or reset your preferences)": " Tercihlerinizin üzerine yazabilir veya sıfırlayabilirsiniz.)", + "Default Filters": "Varsayılan filtreler", + "Set Filters": "Filtreleri belirle", + "Reset Filters": "Filtreleri sıfırla", + "Your Default Filters have been changed": "Varsayılan filtreleriniz değiştirildi", + "Your Default Filters have been reset": "Varsayılan filtreleriniz sıfırlandı", + "Setting Filters...": "Filtreleri belirleniyor...", + "Default": "Varsayılan", + "Custom": "Özel...", + "Remember": "Hatırla", + "Cache": "Önbellek", + "Unknown": "Bilinmiyor", + "Change Subtitles Position": "Altyazı konumunu değiştir", + "Minimize": "Küçült", + "Separate directory for Downloads": "İndirmeler için ayrı dizin", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Bunu aktifleştirmek \"Şimdi İzle\" ve \"İndir\" seçenekleri arasındaki önbellek paylaşımını kaldırır", + "Downloads Directory": "İndirilenler dizini", + "Open Downloads Directory": "İndirilenler dizinini aç", + "Delete related cache ?": "İlgili önbelleği sil ?", + "Yes": "Evet", + "No": "Hayır", + "Cache files deleted": "Önbellek dosyaları silindi", + "Delete related cache when removing from Seedbox": "Seedboxtan kaldırırken dosya ile ilgili önbelleği kaldır", + "Always": "Her zaman", + "Ask me every time": "Her seferinde sor", + "Enable Protocol Encryption": "Protokol şifrelemeyi etkinleştir", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "PE/MSE kullanan akranlara bağlanmaya izin verir. Çoğu durumda bağlantılı eş sayısını artıracaktır, ancak CPU kullanımının artmasına neden olabilir", + "Show the Seedbox when a new download is added": "Yeni indirme eklendiğinde Seedbox'u göster", + "Download added": "Eklenenleri indir", + "Change API Server": "API Sunucularını değiştir", + "Default Content Language": "Varsayılan içerik dili", + "Title translation": "Başlık çevirme", + "Translated - Original": "Çeviri - Orijinal", + "Original - Translated": "Orijinal - Çeviri", + "Translated only": "Sadece çeviri", + "Original only": "Sadece orijinal", + "Translate Posters": "Posterleri varsayılan dile çevir", + "Translate Episode Titles": "Bölüm isimlerini varsayılan dile çevir", + "Only show content available in this language": "Sadece bu dilde olan içeriği göster", + "Translations depend on availability. Some options also might not be supported by all API servers": "Çeviriler kullanılabilirliğe bağlıdır. Bazı seçenekler tüm API sunucuları tarafından desteklenmeyebilir", + "added": "eklendi", + "Max. Down / Up Speed": "Maks. İndirme / Gönderme Hızı", + "Show Release Info": "Yayınlanma bilgisini göster", + "Parental Guide": "Ebeveyn rehberi", + "Rebuild bookmarks database": "Yer imi veritabanını yeniden oluştur", + "Rebuilding bookmarks...": "Yer imleri yeniden oluşturuluyor...", + "Submit metadata & translations": "Metaveri ve çevirileri gönder", + "Not available": "Mevcut değil", + "Cast not available": "Oyuncular mevcut değil", + "was removed from bookmarks": "yer imlerinden kaldırıldı", + "Bookmark restored": "Yer imleri eski haline getirildi", + "Undo": "Geri al", + "minute(s) remaining before preloading next episode": "sıradaki bölümü önceden indirmek için kalan dakika", + "Zoom": "Yakınlaştırma", + "Contrast": "Kontrast", + "Brightness": "Parlaklık", + "Hue": "Renk", + "Saturation": "Doygunluk", + "Decrease Zoom by": "Yakınlaştırmayı şu kadar azalt", + "Increase Zoom by": "Yakınlaştırmayı şu kadar arttır", + "Decrease Contrast by": "Kontrastı şu kadar azalt", + "Increase Contrast by": "Kontrastı şu kadar arttır", + "Decrease Brightness by": "Parlaklığı şu kadar azalt", + "Increase Brightness by": "Parlaklığı şu kadar arttır", + "Rotate Hue counter-clockwise by": "Rengi saat yönünün tersine şu miktarda çevir", + "Rotate Hue clockwise by": "Rengi saat yönüne şu miktarda çevir", + "Decrease Saturation by": "Doygunluğu şu kadar azalt", + "Increase Saturation by": "Doygunluğu şu kadar arttır", + "Automatically update the API Server URLs": "Sunucu API URL'lerini otomatik olarak güncelle", + "Enable automatically updating the API Server URLs": "Sunucu API URL'lerini otomatik olarak güncellemeyi etkinleştir", + "Automatically update the app when a new version is available": "Yeni versiyon çıktığında uygulamayı otomatik olarak güncelle", + "Enable automatically updating the app when a new version is available": "Yeni versiyon çıktığında otomatik olarak güncellemeyi aktifleştir", + "Check for updates": "Güncellemeleri kontrol et", + "Updating the API Server URLs": "Sunucu API URL'leri güncelleniyor", + "API Server URLs updated": "Sunucu API URL'leri güncellendi", + "API Server URLs already updated": "Sunucu API URL'leri zaten güncel", + "API Server URLs could not be updated": "Sunucu API URL'leri güncellenemedi", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "\",\" ile ayrılmış birden fazla API sunucusu ekleyebilirsiniz, ilk mevcut olanı bulana kadar aralarından rastgele (*yük dengeleme için) seçecek. ", + "The API Server URL(s) was copied to the clipboard": "Sunucu API URL'si/leri panoya kopyalandı", + "0 = Disable preloading": "0 = Önceden yüklemeyi devredışı bırak", + "Search field always expanded": "Arama çubuğu her zaman geniş", + "DHT UDP Requests Limit": "DHT UDP istekleri sınırı", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Otomatik olarak, %s'da izlediğiniz film ve bölümleri için altyazılar için %s'a bağlan", + "Create an account": "Hesap oluştur", + "Search for something or drop a .torrent / magnet link...": "Bir şey ara ya da bir torrent dosyası/magnet bağlantısı sürükle...", + "Torrent removed": "Torrent kaldırıldı", + "Remove": "Kaldır", + "Connect to %s": "Bağlan: %s", + "to automatically 'scrobble' episodes you watch in %s": "%s'da izlediğiniz bölümleri otomatik olarak 'scrobble'lamak için", + "Sync now": "Şimdi eşitle", + "Same as Default Language": "Varsayılan dil ile aynı", + "Language": "Dil", + "Allow Audio Passthrough": "Ses geçişine izin ver", + "release info link": "yayın bilgisi bağlantısı", + "parental guide link": "ebeveyn rehberi bağlantısı", + "IMDb page link": "IMDb sayfası bağlantısı", + "submit metadata & translations link": "metaveri ve çevirileri gönderme bağlantısı", + "episode title": "bölüm başlığı", + "full cast & crew link": "tüm oyuncular ve ekip bağlantısı", + "Click providers to enable / disable": "Sağlayıcılara tıklayarak etkinleştirin/etkisizleştirin", + "Right-click to filter results by": "Sağ tıklayarak şuna göre filtrelemeyi etkinleştirin:", + "to filter by All": "Tümüne göre filtrelemek için", + "more...": "daha fazla...", + "Seeds": "Gönderen:", + "Peers": "Çeken:", + "less...": "daha az..." } \ No newline at end of file diff --git a/src/app/language/uk.json b/src/app/language/uk.json index 71e587b907..fc1a2e1182 100644 --- a/src/app/language/uk.json +++ b/src/app/language/uk.json @@ -44,7 +44,6 @@ "Load More": "Завантажити ще", "Saved": "Збережено", "Settings": "Налаштування", - "Show advanced settings": "Показати розширені налаштування", "User Interface": "Інтерфейс користувача", "Default Language": "Усталена мова", "Theme": "Тема", @@ -61,10 +60,7 @@ "Disabled": "Вимкнено", "Size": "Розмір", "Quality": "Якість", - "Only list movies in": "Перераховувати фільми лише в", - "Show movie quality on list": "Показувати якість фільмів у списку", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "Приєднатись до %s, щоб автоматично дивитись епізоди з %s", "Username": "Логін", "Password": "Пароль", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "Логін HTTP API", "HTTP API Password": "Пароль HTTP API", "Connection": "З’єднання", - "TV Show API Endpoint": "API для роботи з телешоу", "Connection Limit": "Ліміт підключень", "DHT Limit": "Ліміт DHT", "Port to stream on": "Порт трансляції", "0 = Random": "0 = Випадково", "Cache Directory": "Тека кешування", - "Clear Tmp Folder after closing app?": "Спорожнити тимчасову теку по закриттю застосунку?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "База даних", "Database Directory": "Тека бази даних", "Import Database": "Імпортувати базу даних", "Export Database": "Експортувати базу даних", "Flush bookmarks database": "Очистити закладки", - "Flush subtitles cache": "Очистити кеш субтитрів", "Flush all databases": "Очистити всі бази даних", "Reset to Default Settings": "Скинути налаштування", "Importing Database...": "Імпортується база даних...", @@ -131,8 +125,8 @@ "Ended": "Завершено", "Error loading data, try again later...": "Помилка завантаження даних, спробуйте пізніше...", "Miscellaneous": "Різне", - "First Unwatched Episode": "Перша непереглянута серія", - "Next Episode In Series": "Наступна серія", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", "Flushing...": "Flushing...", "Are you sure?": "Ви впевнені?", "We are flushing your databases": "Очищаються ваші бази даних", @@ -142,7 +136,7 @@ "Terms of Service": "Угода користувача", "I Accept": "Я згоден", "Leave": "Покинути", - "When Opening TV Series Detail Jump To": "При відкритті деталей телешоу перейти до", + "Series detail opens to": "Series detail opens to", "Playback": "Відтворення", "Play next episode automatically": "Починати наступну серію автоматично", "Generate Pairing QR code": "Згенерувати QR-код парування", @@ -152,23 +146,17 @@ "Seconds": "Секунд", "You are currently connected to %s": "Ви зараз під'єднані до %s", "Disconnect account": "Від’єднати обліковий запис", - "Sync With Trakt": "Синхронізувати з Trakt", "Syncing...": "Синхронізація...", "Done": "Зроблено", "Subtitles Offset": "Зсув субтитрів", "secs": "с", "We are flushing your database": "Очищається ваша база даних", "Ratio": "Коефіцієнт", - "Advanced Settings": "Розширені налаштування", - "Tmp Folder": "Тимчасова тека", - "URL of this stream was copied to the clipboard": "Адресу цієї трансляції скопійовано в буфер обміну", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Помилка; напевне, базу даних пошкоджено. Спробуйте очистити закладки в налаштуваннях.", "Flushing bookmarks...": "Очищуються закладки...", "Resetting...": "Скидання...", "We are resetting the settings": "Скидаються налаштування", "Installed": "Встановлено", - "We are flushing your subtitle cache": "Очищується кеш субтитрів", - "Subtitle cache deleted": "Кеш субтитрів стерто", "Please select a file to play": "Виберіть файл для відтворення", "Global shortcuts": "Глобальні скорочення", "Video Player": "Відеопрогравач", @@ -185,7 +173,6 @@ "Exit Fullscreen": "Вийти з повноекранного режиму", "Seek Backward": "Перемотати назад", "Decrease Volume": "Зменшити гучність", - "Show Stream URL": "Показати адресу трансляції", "TV Show Detail": "Деталі телешоу", "Toggle Watched": "Перемкнути переглянуті", "Select Next Episode": "Вибрати наступну серію", @@ -309,10 +296,7 @@ "Super Power": "Супер сильні", "Supernatural": "Надприродні", "Vampire": "Вампір", - "Automatically Sync on Start": "Автоматично синхронізуватись при запуску", "VPN": "VPN", - "Activate automatic updating": "Увімкнути автоматичне оновлення", - "Please wait...": "Будь-ласка, зачекайте...", "Connect": "З'єднання", "Create Account": "Створити акаунт", "Celebrate various events": "Св'ядкувати різні свята", @@ -320,10 +304,8 @@ "Downloaded": "Завантажено", "Loading stuck ? Click here !": "Завантаження зупинилось? Клікніть тут!", "Torrent Collection": "Колекція торентів", - "Drop Magnet or .torrent": "Перенесіть magnet або торент-файл", "Remove this torrent": "Вилучити цей торент", "Rename this torrent": "Перейменувати цей торент", - "Flush entire collection": "Очистити усю колекцію", "Open Collection Directory": "Відкрити теку з колекцією", "Store this torrent": "Зберегти цей торент", "Enter new name": "Вкажіть нове ім'я", @@ -352,101 +334,214 @@ "No thank you": "Ні, дякую", "Report an issue": "Повідомити про проблему", "Email": "Ел. пошта", - "Log in": "Увійти", - "Report anonymously": "Звітувати анонімно", - "Note regarding anonymous reports:": "Примітка з приводу анонімних повідомлень:", - "You will not be able to edit or delete your report once sent.": "Надіславши звіт ви не зможете відредагувати чи видалити його.", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "Якщо буде потрібна будь-яка додаткова інформація звіт буде закрито через неможливість додати цю інформацію.", - "Step 1: Please look if the issue was already reported": "Крок 1: Будь ласка подивіться, може про проблему вже повідомлено", - "Enter keywords": "Введіть ключ", - "Already reported": "Вже повідомлено", - "I want to report a new issue": "Хочу повідомити про нову проблему", - "Step 2: Report a new issue": "Крок 2: Повідомити про нову проблему", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "Примітка: будь ласка, не використовуйте цю форму, для зв'язку з нами. Вона лише для повідомлень про помилки.", - "The title of the issue": "Назва проблеми", - "Description": "Опис", - "200 characters minimum": "Щонайменше 200 символів", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "Короткий опис проблеми. Коли відбувається та кроки для її відтворення.", "Submit": "Відправити", - "Step 3: Thank you !": "Крок 3: Дякую!", - "Your issue has been reported.": "Про вашу помилку було повідомлено.", - "Open in your browser": "Відкрийте у своєму браузері", - "No issues found...": "Проблем не знайдено...", - "First method": "Перший метод", - "Use the in-app reporter": "Використовуйте звіт-форму у програмі", - "You can find it later on the About page": "Ви можете знайти його на сторінці Про нас", - "Second method": "Другий метод", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Використовуйте %s фільтр для пошуку та перевірки чи була така проблема раніше та її вирішення.", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Додайте знімок екрану при потребі - Ваш запит стосується характеристик дизайну чи помилок в програмі?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "Якісний звіт про помилку не повинен змушувати інших шукати Вас для додаткової інформації. Обов'язково опишіть деталі свого пристрою.", "Warning: Always use English when contacting us, or we might not understand you.": "Увага: Завжди пишіть англійською мовою для зв'язку з нами, інакше ми можемо Вас не зрозуміти.", - "Search for torrent": "Search for torrent", "No results found": "Не знайдено жодних результатів", - "Invalid credentials": "Недійсні повноваження", "Open Favorites": "Відкрити вподобання", "Open About": "Відкрити \"Про програму\"", "Minimize to Tray": "Згорнути до трею", "Close": "Закрити", "Restore": "Відновити", - "Resume Playback": "Відновити відтворення", "Features": "Особливості", "Connect To %s": "Підключитися до %s", - "The magnet link was copied to the clipboard": "Магнітне посилання було скопійовано в буфер обміну", - "Big Picture Mode": "Режим великого зображення", - "Big Picture Mode is unavailable on your current screen resolution": "Big Picture Mode недоступний для вашого розширення екрану.", "Cannot be stored": "Не можна зберегти", - "%s reported this torrent as fake": "%s повідомити про цей торрент як про не дійсний", - "Randomize": "Випадкове", - "Randomize Button for Movies": "Кнопка \"Випадкове\" для фільмів", "Overall Ratio": "Загальний рейтинг", "Translate Synopsis": "Перекладений опис", "N/A": "Не доступне", "Your disk is almost full.": "Ваш диск майже повен.", "You need to make more space available on your disk by deleting files.": "Вам слід вивільнити більше простору на диску видаливши файли.", "Playing Next": "Наступне почнеться", - "Trending": "Тенденції", - "Remember Filters": "Запям'ятати фільтри", - "Automatic Subtitle Uploading": "Автоматичне завантаження фільтрів", "See-through Background": "прозоре тло", "Bold": "Напівжирний", "Currently watching": "Зараз в ефірі", "No, it's not that": "Ні, це не те", "Correct": "Вірно", - "Indie": "Інді", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", "Disclaimer": "Disclaimer", "Series": "Series", - "Finished": "Finished", "Event": "Event", - "action": "action", - "war": "war", "Local": "Місцевий", "Try another subtitle or drop one in the player": "Спробуйте інші субтитри або перетягніть їх у плеєр", - "animation": "animation", - "family": "family", "show": "show", "movie": "movie", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "Сталася помилка при конвертації субтитрів", "No subtitles found": "Субтитри не знайдено", "Try again later or drop a subtitle in the player": "Спробуйте пізніше або завантажте субтитри в плеєр", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "Пошук в %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", "Audio Language": "Audio Language", "Subtitle": "Subtitle", "Code:": "Code:", "Error reading subtitle timings, file seems corrupted": "Помилка читання таймінгу субтитрів, схоже, файл пошкоджений.", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", + "Browse Directory to save to": "Browse Directory to save to", "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Завантаження", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Результати пошуку", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Розмір оригіналу", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Невідомо", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Так.", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Яскравість", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Перевірити наявність оновлень", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/language/ur.json b/src/app/language/ur.json new file mode 100644 index 0000000000..9e26dfeeb6 --- /dev/null +++ b/src/app/language/ur.json @@ -0,0 +1 @@ +{} \ No newline at end of file diff --git a/src/app/language/vi.json b/src/app/language/vi.json new file mode 100644 index 0000000000..b461cefa2c --- /dev/null +++ b/src/app/language/vi.json @@ -0,0 +1,547 @@ +{ + "External Player": "Trình phát ngoài", + "Made with": "Được làm bằng", + "by a bunch of geeks from All Around The World": "bởi một loạt các chuyên viên máy tính từ khắp thế giới", + "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Movies": "Phim", + "TV Series": "Truyền hình", + "Anime": "Anime", + "Genre": "Thể loại", + "All": "Tất cả", + "Action": "Hành động", + "Adventure": "Phiêu lưu", + "Animation": "Hoạt hình", + "Children": "Trẻ em", + "Comedy": "Hài kịch", + "Crime": "Hình sự", + "Documentary": "Phim tài liệu", + "Drama": "Kịch", + "Family": "Gia đình", + "Fantasy": "Viễn tưởng", + "Game Show": "Trò chơi truyền hình", + "Horror": "Kinh dị", + "Mini Series": "Dài tập", + "Mystery": "Bí ẩn", + "News": "Tin tức", + "Reality": "Thực tế", + "Romance": "Lãng mạn", + "Science Fiction": "Khoa học viễn tưởng", + "Soap": "Phim truyền hình", + "Special Interest": "Sở thích đặc biệt", + "Sport": "Thể thao", + "Suspense": "Hồi hộp", + "Talk Show": "Buổi trò chuyện", + "Thriller": "Gay cấn", + "Western": "Miền Tây", + "Sort by": "Sắp xếp theo", + "Updated": "Được cập nhật", + "Year": "Năm", + "Name": "Tiêu đề", + "Search": "Tìm kiếm", + "Season": "Mùa", + "Seasons": "Mùa", + "Season %s": "Mùa %s", + "Load More": "Xem thêm", + "Saved": "Đã lưu", + "Settings": "Cài đặt", + "User Interface": "Giao diện người dùng", + "Default Language": "Ngôn ngữ", + "Theme": "Chủ đề", + "Start Screen": "Màn hình bắt đầu", + "Favorites": "Yêu thích", + "Show rating over covers": "Hiển thị đánh giá trên ảnh bìa", + "Always On Top": "Luôn ở trên cùng", + "Watched Items": "Các mục đã xem", + "Show": "Hiển thị", + "Fade": "Mờ nhạt", + "Hide": "Ẩn", + "Subtitles": "Phụ đề", + "Default Subtitle": "Phụ đề mặc định", + "Disabled": "Tắt", + "Size": "Kích cỡ", + "Quality": "Chất lượng", + "Trakt.tv": "Trakt.tv", + "Username": "Tên người dùng", + "Password": "Mật khẩu", + "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "Remote Control": "Điều khiển từ xa", + "HTTP API Port": "Cổng HTTP API", + "HTTP API Username": "Tên người dùng HTTP API", + "HTTP API Password": "Mật khẩu HTTP API", + "Connection": "Kết nối", + "Connection Limit": "Giới hạn kết nối", + "DHT Limit": "Giới hạn DHT", + "Port to stream on": "Cổng để truyền đến", + "0 = Random": "0 = Ngẫu nhiên", + "Cache Directory": "Thư mục lưu trữ tạm thời", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", + "Database": "Cơ sở dữ liệu", + "Database Directory": "Thư mục cơ sở dữ liệu", + "Import Database": "Nhập Cơ sở dữ liệu", + "Export Database": "Xuất Cơ sở dữ liệu", + "Flush bookmarks database": "Xoá dữ liệu đánh dấu", + "Flush all databases": "Xoá tất cả dữ liệu", + "Reset to Default Settings": "Thiết lập lại Cài đặt mặc định", + "Importing Database...": "Đang nhập Dữ Llệu...", + "Please wait": "Vui lòng chờ...", + "Error": "Lỗi", + "Biography": "Tiểu sử", + "Film-Noir": "Phim đen trắng", + "History": "Lịch sử", + "Music": "Âm nhạc", + "Musical": "Nhạc kịch", + "Sci-Fi": "Khoa học - Viễn tưởng", + "Short": "Ngắn", + "War": "Chiến tranh", + "Rating": "Đánh giá", + "Open IMDb page": "Mở trang IMDb", + "Health false": "Tình trạng lỗi", + "Add to bookmarks": "Thêm vào Dấu trang", + "Watch Trailer": "Xem Đoạn giới thiệu", + "Watch Now": "Xem ngay", + "Ratio:": "Tỉ lệ:", + "Seeds:": "Seeds:", + "Peers:": "Peers:", + "Remove from bookmarks": "Xóa khỏi Đánh dấu", + "Changelog": "Thay đổi", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "Chúng tôi là một dự án mã nguồn mở. Chúng tôi đền từ khắp nơi trên thế giới. Chúng tôi yêu những bộ phim. Còn các bạn, các bạn có yêu bỏng ngô không?", + "Health Unknown": "Health Unknown", + "Episodes": "Các tập", + "Episode %s": "Tập %s", + "Aired Date": "Ngày phát sóng", + "Streaming to": "Phát đến", + "connecting": "Đang kết nối", + "Download": "Tải xuống", + "Upload": "Tải lên", + "Active Peers": "Active Peers", + "Cancel": "Hủy", + "startingDownload": "Đang bắt đầu tải xuống", + "downloading": "Đang tải xuống", + "ready": "Sẵn sàng", + "playingExternally": "Playing Externally", + "Custom...": "Tùy chọn...", + "Volume": "Âm lượng", + "Ended": "Đã kết thúc", + "Error loading data, try again later...": "Lỗi tải dữ liệu, hãy thử lại sau...", + "Miscellaneous": "Khác", + "First unwatched episode": "First unwatched episode", + "Next episode": "Next episode", + "Flushing...": "Flushing...", + "Are you sure?": "Bạn chắc không?", + "We are flushing your databases": "We are flushing your databases", + "Success": "Thành Công", + "Please restart your application": "Vui lòng khởi động lại ứng dụng", + "Restart": "Khởi động lại", + "Terms of Service": "Điều khoản Dịch vụ", + "I Accept": "Tôi đồng ý", + "Leave": "Rời khỏi", + "Series detail opens to": "Series detail opens to", + "Playback": "Phát lại", + "Play next episode automatically": "Phát tập tiếp theo tự động", + "Generate Pairing QR code": "Tạo mã QR ghép nối", + "Play": "Phát", + "waitingForSubtitles": "Đang chờ phụ đề", + "Play Now": "Xem ngay", + "Seconds": "Giây", + "You are currently connected to %s": "You are currently connected to %s", + "Disconnect account": "Ngắt kết nối tài khoản", + "Syncing...": "Đang đồng bộ...", + "Done": "Xong", + "Subtitles Offset": "Subtitles Offset", + "secs": "giây", + "We are flushing your database": "We are flushing your database", + "Ratio": "Ratio", + "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "Error, database is probably corrupted. Try flushing the bookmarks in settings.", + "Flushing bookmarks...": "Flushing bookmarks...", + "Resetting...": "Resetting...", + "We are resetting the settings": "We are resetting the settings", + "Installed": "Đã cài đặt", + "Please select a file to play": "Please select a file to play", + "Global shortcuts": "Phím tắt chung", + "Video Player": "Trình phát", + "Toggle Fullscreen": "Toàn màn hình", + "Play/Pause": "Phát/Tạm Dừng", + "Seek Forward": "Tua đi", + "Increase Volume": "Tăng âm lượng", + "Set Volume to": "Đặt âm lượng ở mức", + "Offset Subtitles by": "Phụ đề bởi", + "Toggle Mute": "Tắt tiếng", + "Movie Detail": "Chi tiết phim", + "Toggle Quality": "Chất lượng", + "Play Movie": "Xem Phim", + "Exit Fullscreen": "Thoát toàn màn hình", + "Seek Backward": "Tua lại", + "Decrease Volume": "Giảm âm lượng", + "TV Show Detail": "Chi tiết chương trình TV", + "Toggle Watched": "Đã xem", + "Select Next Episode": "Chọn tập tiếp theo", + "Select Previous Episode": "Chọn tập trước", + "Select Next Season": "Chọn mùa tiếp theo", + "Select Previous Season": "Chọn mùa trước", + "Play Episode": "Xem Tập", + "space": "phím cách", + "shift": "shift", + "ctrl": "ctrl", + "enter": "enter", + "esc": "esc", + "Keyboard Shortcuts": "Phím tắt", + "Cut": "Cắt", + "Copy": "Sao chép", + "Paste": "Dán", + "Help Section": "Giúp đỡ", + "Did you know?": "Bạn có biết?", + "What does %s offer?": "What does %s offer?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.", + "Choose quality": "Chọn chất lượng", + "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.", + "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.", + "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?", + "Watched icon": "Biểu tượng Đã xem", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "External Players": "Trình phát ngoài", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.", + "Keyboard Navigation": "Phím điều hướng", + "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.", + "Custom Torrents and Magnet Links": "Torrent và Magnet Link tuỳ chỉnh", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "Torrent health": "Torrent health", + "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.", + "How does %s work?": "How does %s work?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "I found a bug, how do I report it?": "Tôi tìm thấy một lỗi, làm thế nào để tôi có thể báo cáo nó?", + "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", + "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.", + "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "Bạn có thể đăng nhập vào Track.tv để lưu tất cả những gì đã xem, và đồng bộ chúng lên nhiều thiết bị khác của bạn.", + "Clicking on the rating stars will display a number instead.": "Clicking on the rating stars will display a number instead.", + "This application is entirely written in HTML5, CSS3 and Javascript.": "This application is entirely written in HTML5, CSS3 and Javascript.", + "You can find out more about a movie or a TV series? Just click the IMDb icon.": "You can find out more about a movie or a TV series? Just click the IMDb icon.", + "Switch to next tab": "Chuyển sang tab kế tiếp", + "Switch to previous tab": "Chuyển về tab trước đó", + "Switch to corresponding tab": "Chuyển đến tab tương ứng", + "through": "qua", + "Enlarge Covers": "Enlarge Covers", + "Reduce Covers": "Reduce Covers", + "Open Item Details": "Open Item Details", + "Add Item to Favorites": "Add Item to Favorites", + "Mark as Seen": "Đánh dấu đã xem", + "Open this screen": "Open this screen", + "Open Settings": "Open Settings", + "Posters Size": "Posters Size", + "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.": "This feature only works if you have your TraktTv account synced. Please go to Settings and enter your credentials.", + "Last Open": "Last Open", + "Exporting Database...": "Exporting Database...", + "Database Successfully Exported": "Database Successfully Exported", + "Display": "Display", + "TV": "TV", + "Type": "Type", + "popularity": "popularity", + "date": "date", + "year": "năm", + "rating": "đánh giá", + "updated": "cập nhật", + "name": "tiêu đề", + "OVA": "OVA", + "ONA": "ONA", + "Movie": "Phim", + "Special": "Special", + "Watchlist": "Watchlist", + "Resolving..": "Resolving..", + "About": "Giới thiệu", + "Open Cache Directory": "Open Cache Directory", + "Open Database Directory": "Open Database Directory", + "Mark as unseen": "Mark as unseen", + "Playback rate": "Playback rate", + "Increase playback rate by %s": "Increase playback rate by %s", + "Decrease playback rate by %s": "Decrease playback rate by %s", + "Set playback rate to %s": "Set playback rate to %s", + "Playback rate adjustment is not available for this video!": "Playback rate adjustment is not available for this video!", + "Color": "Màu", + "Local IP Address": "Local IP Address", + "Japan": "Japan", + "Cars": "Ô tô", + "Dementia": "Dementia", + "Demons": "Ác quỷ", + "Ecchi": "Ecchi", + "Game": "Trò chơi", + "Harem": "Harem", + "Historical": "Historical", + "Josei": "Josei", + "Kids": "Thiếu Nhi", + "Magic": "Ảo Thuật", + "Martial Arts": "Võ thuật", + "Mecha": "Mecha", + "Military": "Quân đội", + "Parody": "Bắt chước", + "Police": "Cảnh sát", + "Psychological": "Tâm lý học", + "Samurai": "Samurai", + "School": "Trường Học", + "Seinen": "Seinen", + "Shoujo": "Shoujo", + "Shoujo Ai": "Shoujo Ai", + "Shounen": "Shounen", + "Shounen Ai": "Shounen Ai", + "Slice of Life": "Slice of Life", + "Space": "Vũ Trụ", + "Sports": "Thể Thao", + "Super Power": "Siêu năng lực", + "Supernatural": "Siêu nhiên", + "Vampire": "Ma cà rồng", + "VPN": "VPN", + "Connect": "Connect", + "Create Account": "Create Account", + "Celebrate various events": "Celebrate various events", + "Disconnect": "Ngắt kết nối", + "Downloaded": "Downloaded", + "Loading stuck ? Click here !": "Loading stuck ? Click here !", + "Torrent Collection": "Torrent Collection", + "Remove this torrent": "Remove this torrent", + "Rename this torrent": "Rename this torrent", + "Open Collection Directory": "Open Collection Directory", + "Store this torrent": "Store this torrent", + "Enter new name": "Enter new name", + "This name is already taken": "This name is already taken", + "Always start playing in fullscreen": "Always start playing in fullscreen", + "Magnet link": "Magnet link", + "Error resolving torrent.": "Error resolving torrent.", + "%s hour(s) remaining": "%s hour(s) remaining", + "%s minute(s) remaining": "%s minute(s) remaining", + "%s second(s) remaining": "%s second(s) remaining", + "Unknown time remaining": "Unknown time remaining", + "Set player window to video resolution": "Set player window to video resolution", + "Set player window to double of video resolution": "Set player window to double of video resolution", + "Set player window to half of video resolution": "Set player window to half of video resolution", + "Retry": "Retry", + "Import a Torrent": "Import a Torrent", + "Not Seen": "Not Seen", + "Seen": "Seen", + "Title": "Title", + "The video playback encountered an issue. Please try an external player like %s to view this content.": "The video playback encountered an issue. Please try an external player like %s to view this content.", + "Font": "Font", + "Decoration": "Decoration", + "None": "None", + "Outline": "Outline", + "Opaque Background": "Opaque Background", + "No thank you": "No thank you", + "Report an issue": "Report an issue", + "Email": "Email", + "Submit": "Submit", + "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.", + "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "Include a screenshot if relevant - Is your issue about a design feature or a bug?", + "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.", + "Warning: Always use English when contacting us, or we might not understand you.": "Warning: Always use English when contacting us, or we might not understand you.", + "No results found": "No results found", + "Open Favorites": "Open Favorites", + "Open About": "Open About", + "Minimize to Tray": "Minimize to Tray", + "Close": "Đóng", + "Restore": "Restore", + "Features": "Features", + "Connect To %s": "Connect To %s", + "Cannot be stored": "Cannot be stored", + "Overall Ratio": "Overall Ratio", + "Translate Synopsis": "Translate Synopsis", + "N/A": "N/A", + "Your disk is almost full.": "Your disk is almost full.", + "You need to make more space available on your disk by deleting files.": "You need to make more space available on your disk by deleting files.", + "Playing Next": "Playing Next", + "See-through Background": "See-through Background", + "Bold": "Bold", + "Currently watching": "Currently watching", + "No, it's not that": "No, it's not that", + "Correct": "Correct", + "Init Database": "Init Database", + "Status: %s ...": "Status: %s ...", + "Create Temp Folder": "Create Temp Folder", + "Set System Theme": "Set System Theme", + "Disclaimer": "Disclaimer", + "Series": "Series", + "Event": "Event", + "Local": "Local", + "Try another subtitle or drop one in the player": "Try another subtitle or drop one in the player", + "show": "show", + "movie": "movie", + "Something went wrong downloading the update": "Something went wrong downloading the update", + "Error converting subtitle": "Error converting subtitle", + "No subtitles found": "No subtitles found", + "Try again later or drop a subtitle in the player": "Try again later or drop a subtitle in the player", + "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "Search on %s": "Search on %s", + "Audio Language": "Audio Language", + "Subtitle": "Subtitle", + "Code:": "Code:", + "Error reading subtitle timings, file seems corrupted": "Error reading subtitle timings, file seems corrupted", + "Open File to Import": "Open File to Import", + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "Cancel and use VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "Cache Folder", + "Show cast": "Show cast", + "Filename": "Filename", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "Đang tải xuống", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "Server", + "API Server(s)": "API Server(s)", + "Proxy Server": "Proxy Server", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "Update Now", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "Kết quả tìm kiếm", + "Paste a Magnet link": "Paste a Magnet link", + "Import a Torrent file": "Import a Torrent file", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "Watched items", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "Nguyên bản", + "Fit screen": "Fit screen", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "Movies API Server", + "Series API Server": "Series API Server", + "Anime API Server": "Anime API Server", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time currently supports", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "Cache", + "Unknown": "Không rõ", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "Minimize", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "Có", + "No": "No", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "Always", + "Ask me every time": "Ask me every time", + "Enable Protocol Encryption": "Enable Protocol Encryption", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "Parental Guide", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "Zoom", + "Contrast": "Contrast", + "Brightness": "Độ sáng", + "Hue": "Hue", + "Saturation": "Saturation", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "Increase Contrast by", + "Decrease Brightness by": "Decrease Brightness by", + "Increase Brightness by": "Increase Brightness by", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "Decrease Saturation by", + "Increase Saturation by": "Increase Saturation by", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "Kiểm tra cập nhật", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "Create an account", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "Remove", + "Connect to %s": "Connect to %s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "Sync now", + "Same as Default Language": "Same as Default Language", + "Language": "Language", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMDb page link", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "more...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." +} \ No newline at end of file diff --git a/src/app/language/zh-cn.json b/src/app/language/zh-cn.json index 60ec8e5c3b..9fee12f0d0 100644 --- a/src/app/language/zh-cn.json +++ b/src/app/language/zh-cn.json @@ -2,7 +2,7 @@ "External Player": "外部播放器", "Made with": "由来自世界各地的极客共同创建", "by a bunch of geeks from All Around The World": "开发", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Initializing %s. Please Wait...": "正在初始化 %s. 请稍等...", "Movies": "电影", "TV Series": "电视剧", "Anime": "动漫", @@ -44,7 +44,6 @@ "Load More": "加载更多", "Saved": "已保存", "Settings": "设置", - "Show advanced settings": "显示高级设置", "User Interface": "界面", "Default Language": "默认语言", "Theme": "主题", @@ -61,31 +60,26 @@ "Disabled": "已禁用", "Size": "字体大小", "Quality": "影片质量", - "Only list movies in": "列表中只显示", - "Show movie quality on list": "在列表中显示影片质量", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "连接到 %s 以自动同步您在 %s 中观看的剧集", "Username": "用户名", "Password": "密码", - "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", + "%s stores an encrypted hash of your password in your local database": "%s 将密码的加密哈希存储在本地数据库中", "Remote Control": "远程控制", "HTTP API Port": "HTTP API 接口", "HTTP API Username": "HTTP API 用户名", "HTTP API Password": "HTTP API 密码", "Connection": "连接", - "TV Show API Endpoint": "电视剧 API 接口", "Connection Limit": "连接上限", "DHT Limit": "DHT上限", "Port to stream on": "流媒体传输接口", "0 = Random": "0 = 随机", "Cache Directory": "缓存目录", - "Clear Tmp Folder after closing app?": "关闭应用后清空临时文件目录?", + "Clear Cache Folder after closing the app?": "关闭应用后清除缓存文件夹与下载文件", "Database": "数据库", "Database Directory": "数据库目录", "Import Database": "导入数据库", "Export Database": "导出数据库", "Flush bookmarks database": "清空收藏", - "Flush subtitles cache": "清空字幕缓存", "Flush all databases": "清空所有数据库", "Reset to Default Settings": "重置为默认设置", "Importing Database...": "数据库导入中...", @@ -110,7 +104,7 @@ "Peers:": "连接数:", "Remove from bookmarks": "从收藏移除", "Changelog": "变更日志", - "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.", + "%s is the result of many developers and designers putting a bunch of APIs together to make the experience of watching torrent movies as simple as possible.": "%s 是许多开发人员和设计人员将一系列 API 组合在一起以使观看 torrent 电影的体验尽可能简单的结果。", "We are an open source project. We are from all over the world. We love our movies. And boy, do we love popcorn.": "我们的项目是开源的。我们来自世界不同的角落。我们热爱电影。 还有,我们超爱爆米花。", "Health Unknown": "健康度未知", "Episodes": "集", @@ -131,8 +125,8 @@ "Ended": "已完结", "Error loading data, try again later...": "载入数据出错,请稍后重试...", "Miscellaneous": "其他选项", - "First Unwatched Episode": "未观看内容的第一集", - "Next Episode In Series": "此电视剧中的下一集", + "First unwatched episode": "未观看内容的第一集", + "Next episode": "此电视剧中的下一集", "Flushing...": "正在清除...", "Are you sure?": "您确定吗?", "We are flushing your databases": "正在清空您的数据", @@ -142,7 +136,7 @@ "Terms of Service": "服务条款", "I Accept": "接受", "Leave": "离开", - "When Opening TV Series Detail Jump To": "打开连续剧详情时跳转到", + "Series detail opens to": "节目详情打开到", "Playback": "播放设置", "Play next episode automatically": "自动播放下一集", "Generate Pairing QR code": "生成二维码", @@ -152,23 +146,17 @@ "Seconds": "秒", "You are currently connected to %s": "您当前已连接到 %s", "Disconnect account": "解除账号绑定", - "Sync With Trakt": "与Trakt同步", "Syncing...": "同步中...", "Done": "完成", "Subtitles Offset": "字幕微调", "secs": "秒", "We are flushing your database": "正在清除您的数据", "Ratio": "比率", - "Advanced Settings": "高级设置", - "Tmp Folder": "临时文件目录", - "URL of this stream was copied to the clipboard": "此流媒体的网址已复制到剪贴板", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "错误,数据库似乎已损坏。请尝试在设置中清空收藏。", "Flushing bookmarks...": "正在清空收藏...", "Resetting...": "正在重置...", "We are resetting the settings": "正在重置设置", "Installed": "已安装", - "We are flushing your subtitle cache": "正在清空您的字幕缓存", - "Subtitle cache deleted": "字幕缓存已删除", "Please select a file to play": "请选择一个文件开始播放", "Global shortcuts": "通用快捷键", "Video Player": "视频播放器", @@ -185,7 +173,6 @@ "Exit Fullscreen": "退出全屏", "Seek Backward": "快退", "Decrease Volume": "减小音量", - "Show Stream URL": "显示视频网络地址", "TV Show Detail": "电视剧详情", "Toggle Watched": "标记为已播放", "Select Next Episode": "选择下一集", @@ -204,34 +191,34 @@ "Paste": "粘贴", "Help Section": "帮助板块", "Did you know?": "你知道吗?", - "What does %s offer?": "What does %s offer?", - "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:", - "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!", + "What does %s offer?": "%s 提供什么?", + "With %s, you can watch Movies and TV Series really easily. All you have to do is click on one of the covers, then click 'Watch Now'. But your experience is highly customizable:": "使用 %s,您可以非常轻松地观看电影和电视剧。您所要做的就是单击其中一个封面,然后单击“立即观看”。但是您的体验是可以高度可定制的:", + "Our Movies collection only contains High-Definition movies, available in 720p and 1080p. To watch a movie, simply open %s and navigate through the movies collection, reachable through the 'Movies' tab, in the navigation bar. The default view will show you all movies sorted by popularity, but you can apply your own filters, thanks to the 'Genre' and 'Sort by' filters. Once you have chosen a movie you want to watch, click its cover. Then click 'Watch Now'. Don't forget the popcorn!": "我们的电影仅包含 720p 和 1080p 的高清电影。 要观看电影,只需打开 %s 并浏览电影,可通过导航栏中的“电影”标签访问。默认视图将显示按受欢迎程度排序的所有电影,但您可以应用自己的筛选器,这要归功于“类型”和“排序方式”筛选器。选择要观看的电影后,单击其封面。 然后点击“立即观看”。别忘了爆米花!", "The TV Series tab, that you can reach by clicking 'TV Series' in the navigation bar, will show you all available series in our collection. You can also apply your own filters, same as the Movies, to help you decide what to watch. In this collection, also just click the cover: the new window that will appear will allow you to navigate through Seasons and Episodes. Once your mind is set, just click the 'Watch Now' button.": "点击导航栏中的“电视剧”标签页,会显示库中所有可用的电视剧。和电影一样,您也可以按自己的喜好来过滤想看的节目。在库中点击电视剧封面,新的窗口将会提供季和集的导航。挑选完毕后,点击“立即观看”即可。", "Choose quality": "选择影片质量", "A slider next to the 'Watch Now' button will let you choose the quality of the stream. You can also set a fixed quality in the Settings tab. Warning: a better quality equals more data to download.": "“立即观看”按钮旁的滑块可以让你自由选择影片的质量。您也可以在设置中设定默认质量。提示:影片质量越高,需要下载的数据量越大。", "Most of our Movies and TV Series have subtitles in your language. You can set them in the Settings tab. For the Movies, you can even set them through the dropdown menu, in the Movie Details page.": "大部分电影和电视剧都有与您的语言相对应的字幕,您可以在设置页面做相应更改。对于电影,在详情页字幕的下拉菜单里可以直接设置。", "Clicking the heart icon on a cover will add the movie/show to your favorites. This collection is reachable through the heart-shaped icon, in the navigation bar. To remove an item from your collection, just click on the icon again! How simple is that?": "点击封面中的心形图标可以将电影/电视剧添加到您的收藏中。点击导航栏中的心形图标即可查看收藏。要从您的收藏中删除某项目,只需再次点击心形图标即可,是不是很简单?", "Watched icon": "已观看图标", - "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.", - "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.", + "%s will keep in mind what you've already watched - a little help remembering doesn't cause any harm. You can also set an item as watched by clicking the eye-shaped icon on the covers. You can even build and synchronize your collection with Trakt.tv website, via the Settings tab.": "%s 会记住您已经看过的内容 - 帮助您记住不会造成任何影响。您还可以通过单击封面上的眼形图标将项目设置为已观看。您甚至可以通过设置选项,创建您的收藏并将其与 Trakt.tv 网站同步。", + "In %s, you can use the magnifier icon to open the search. Type a Title, an Actor, a Director or even a Year, press 'Enter' and let us show you what we can offer to fill your needs. To close your current search, you can click on the 'X' located next to your entry or type something else in the field.": "在 %s 中,您可以使用放大镜图标打开搜索。输入标题、演员、导演甚至年份,按“Enter”,让我们向您展示我们可以提供什么来满足您的需求。要关闭当前搜索,您可以单击条目旁边的“X”或在字段中输入其他内容。", "External Players": "外部播放器", - "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.", + "If you prefer to use a custom player instead of the built in one, you can do so by clicking the allocated icon on the 'Watch Now' button. A list of your installed players will be shown, select one and %s will send everything to it. If your player isn't on the list, please report it to us.": "如果您更喜欢使用自定义播放器而不是内置播放器,您可以通过单击“立即观看”按钮上的分配图标来实现。将显示您安装的播放器列表,选择一个,%s 会将所有内容发送给它。如果您的播放器不在列表中,请向我们报告。", "To push the customization even further, we offer you a large panel of options. To access the Settings, click the wheel-shaped icon in the navigation bar.": "若您需要更深层次的定制,我们为您提供了单独的设置页面。点击导航栏中的齿轮图标即可进入。", "Keyboard Navigation": "键盘导航", "The entire list of keyboard shortcuts is available by pressing '?' on your keyboard, or through the keyboard-shaped icon in the Settings tab.": "按下键盘中的“?”键,或点击设置页面的键盘图标,即可查看所有快捷键。", "Custom Torrents and Magnet Links": "自定义种子和磁力链接", - "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.", + "You can use custom torrents and magnets links in %s. Simply drag and drop .torrent files into the application's window, and/or paste any magnet link.": "您可以在 %s 中使用自定义种子和磁力链接。只需将 .torrent 文件拖放到应用程序的窗口中,或粘贴任何磁力链接即可。", "Torrent health": "种子健康度", "On the details of Movies/TV Series, you can find a little circle, colored in grey, red, yellow or green. Those colors refer to the health of the torrent. A green torrent will be downloaded quickly, while a red torrent may not be downloaded at all, or very slowly. The color grey represents an error in the health calculation for Movies, and needs to be clicked in TV Series in order to display the health.": "在电影/电视剧详情页,您会看到一个小圆点,呈现灰、红、黄、绿不同颜色。这些颜色反映了种子的健康度。绿色的种子下载速度非常快,红色的种子则可能根本无法下载。灰色代表电影的健康度计算有误,在电视剧列表中需要手动点击灰色圆点来查询其健康度。", - "How does %s work?": "How does %s work?", - "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.", + "How does %s work?": "%s 是如何工作的?", + "%s streams video content through torrents. Our movies are provided by %s and our TV Series by %s, while getting all metadata from %s. We don't host any content ourselves.": "%s 通过种子流媒体传输视频内容。我们的电影由 %s 提供,我们的电视剧由 %s 提供,同时从 %s 获取所有元数据。我们自己不托管任何内容。", "Torrent streaming? Well, torrents use Bittorrent protocol, which basically means that you download small parts of the content from another user's computer, while sending the parts you already downloaded to another user. Then, you watch those parts, while the next ones are being downloaded in the background. This exchange allows the content to stay healthy.": "种子的边下边播如何实现?简单来说,您的种子文件使用Bittorrent协议,从其他用户的电脑上下载微小的文件区块,与此同时您已下载好的区块将发送给其他用户。您观看已下载区块的同时,后台正在下载紧接其后的内容。接收进来的同时分享出去,能使种子的健康度得到保障。", - "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.", - "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!", + "Once the movie is fully downloaded, you continue to send parts to the other users. And everything is deleted from your computer when you close %s. As simple as that.": "电影完全下载后,您将继续将部分内容发送给其他用户。当您关闭 %s 时,所有内容都会从您的计算机中删除。 就是如此简单。", + "The application itself is built with Node-Webkit, HTML, CSS and Javascript. It works like the Google Chrome browser, except that you host the biggest part of the code on your computer. Yes, %s works on the same technology as a regular website, like... let's say Wikipedia, or Youtube!": "应用程序本身是使用 Node-Webkit、HTML、CSS 和 Javascript 构建的。它的工作方式与 Google Chrome 浏览器类似,不同之处在于您将大部分代码托管在计算机上。是的,%s 使用与常规网站相同的技术,例如...比如说 Wikipedia 或 Youtube!", "I found a bug, how do I report it?": "发现漏洞,我该如何反馈?", - "You can paste magnet links anywhere in %s with CTRL+V.": "You can paste magnet links anywhere in %s with CTRL+V.", - "You can drag & drop a .torrent file into %s.": "You can drag & drop a .torrent file into %s.", + "You can paste magnet links anywhere in %s with CTRL+V.": "您可以使用 CTRL+V 将磁力链接粘贴到 %s 中的任何位置。", + "You can drag & drop a .torrent file into %s.": "您可以将 .torrent 文件拖放到 %s 中。", "If a subtitle for a TV series is missing, you can add it on %s. And the same way for a movie, but on %s.": "如果某集电视剧缺少对应的字幕, 您可以到这里添加 %s。 电影也一样,只不过地址在这儿 %s。", "You can login to Trakt.tv to save all your watched items, and synchronize them across multiple devices.": "您可以登录至Trakt.tv来保存已观看项目,并将他们同步到多种设备上。", "Clicking on the rating stars will display a number instead.": "点击评分的星级图标可以切换到数字模式。", @@ -309,10 +296,7 @@ "Super Power": "超能力", "Supernatural": "超自然", "Vampire": "吸血鬼", - "Automatically Sync on Start": "启动时自动同步", "VPN": "VPN", - "Activate automatic updating": "启用自动更新", - "Please wait...": "请稍候...", "Connect": "连接", "Create Account": "创建账户", "Celebrate various events": "节日活动庆祝", @@ -320,10 +304,8 @@ "Downloaded": "已下载", "Loading stuck ? Click here !": "载入时卡住了?点击这里!", "Torrent Collection": "种子收藏", - "Drop Magnet or .torrent": "拖放磁力连接或种子文件", "Remove this torrent": "移除此种子", "Rename this torrent": "重命名此种子", - "Flush entire collection": "清空所有收藏", "Open Collection Directory": "打开收藏目录", "Store this torrent": "储存此种子", "Enter new name": "输入新名称", @@ -352,101 +334,214 @@ "No thank you": "不用了 谢谢", "Report an issue": "反馈问题", "Email": "电子邮件", - "Log in": "登录", - "Report anonymously": "匿名反馈", - "Note regarding anonymous reports:": "匿名反馈提示:", - "You will not be able to edit or delete your report once sent.": "您将无法在发送之后编辑或删除您的反馈。", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "如果缺少附加信息,您将无法进一步提供它们,反馈可能会被关闭。", - "Step 1: Please look if the issue was already reported": "第1步:请检查问题是否已经被反馈", - "Enter keywords": "输入关键词", - "Already reported": "已反馈", - "I want to report a new issue": "我想反馈一个新问题", - "Step 2: Report a new issue": "第2步:反馈一个新问题", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "注意:请不要通过此方式联系我们,此方式仅用于 Bug 反馈。", - "The title of the issue": "问题标题", - "Description": "问题描述", - "200 characters minimum": "至少 200 字", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "简短描述问题所在,可能的话,请附上出现问题的具体步骤。", "Submit": "提交问题", - "Step 3: Thank you !": "第3步:谢谢您!", - "Your issue has been reported.": "您的问题已经反馈。", - "Open in your browser": "在浏览器中打开", - "No issues found...": "问题未找到...", - "First method": "方法一", - "Use the in-app reporter": "使用软件自带的反馈程序", - "You can find it later on the About page": "您可以稍后在“关于”页面查看", - "Second method": "方法二", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "使用 %s 问题过滤器搜索和检查此问题是否已反馈或已修复。", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "如有相关截图请附上 —— 您的问题与功能设计有关还是与 Bug 反馈有关?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "别让他人花额外精力来索要具体信息,提供完整全面的信息是优秀反馈者的必备品质。请确认您已将系统环境包含在反馈信息内。", "Warning: Always use English when contacting us, or we might not understand you.": "注意:联系我们时请使用英语,否则我们很难理解。", - "Search for torrent": "Search for torrent", "No results found": "未找到任何结果", - "Invalid credentials": "证书无效", "Open Favorites": "打开收藏", "Open About": "打开“关于”", "Minimize to Tray": "最小化到系统托盘", "Close": "关闭", "Restore": "恢复", - "Resume Playback": "恢复播放", "Features": "功能", "Connect To %s": "连接到 %s", - "The magnet link was copied to the clipboard": "磁力连接已复制到剪贴板", - "Big Picture Mode": "大屏幕模式", - "Big Picture Mode is unavailable on your current screen resolution": "大屏幕模式在您当前的屏幕分辨率下不可用", "Cannot be stored": "无法储存", - "%s reported this torrent as fake": "%s 反馈此种子为虚假种子", - "Randomize": "随机", - "Randomize Button for Movies": "随机排列按钮", "Overall Ratio": "全局下载/上传比", "Translate Synopsis": "翻译影片简介", "N/A": "不适用", "Your disk is almost full.": "您的硬盘快满了。", "You need to make more space available on your disk by deleting files.": "您需要删除一些文件以提供更多可用空间。", "Playing Next": "正在播放下一集", - "Trending": "流行", - "Remember Filters": "记住筛选器", - "Automatic Subtitle Uploading": "自动上传字幕", "See-through Background": "透明背景", "Bold": "粗体", "Currently watching": "正在观看", "No, it's not that": "不是", "Correct": "是的", - "Indie": "独立", - "Init Database": "Init Database", - "Status: %s ...": "Status: %s ...", - "Create Temp Folder": "Create Temp Folder", - "Set System Theme": "Set System Theme", - "Disclaimer": "Disclaimer", - "Series": "Series", - "Finished": "Finished", - "Event": "Event", - "action": "action", - "war": "war", + "Init Database": "初始化数据库", + "Status: %s ...": "状态: %s ...", + "Create Temp Folder": "创建临时文件夹", + "Set System Theme": "设置系统主题", + "Disclaimer": "免责声明", + "Series": "节目", + "Event": "结束", "Local": "本地字幕", "Try another subtitle or drop one in the player": "直接将字幕拖入播放器或尝试其他字幕", - "animation": "animation", - "family": "family", - "show": "show", - "movie": "movie", - "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", + "show": "节目", + "movie": "电影", + "Something went wrong downloading the update": "下载更新出现问题", "Error converting subtitle": "字幕转换出错", "No subtitles found": "字幕未找到", "Try again later or drop a subtitle in the player": "请将字幕文件拖入播放器或稍后重试", - "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", + "You should save the content of the old directory, then delete it": "您应该保存旧目录的内容,然后将其删除", "Search on %s": "搜索 %s", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", - "Audio Language": "Audio Language", - "Subtitle": "Subtitle", - "Code:": "Code:", + "Audio Language": "音频语言", + "Subtitle": "字幕", + "Code:": "代码:", "Error reading subtitle timings, file seems corrupted": "载入字幕时间轴出错,文件似乎已损坏", - "Connection Not Secured": "Connection Not Secured", - "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", - "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Open File to Import": "打开要导入的文件", + "Browse Directory to save to": "浏览要保存到的目录", + "Cancel and use VPN": "取消并使用 VPN", + "Resume seeding after restarting the app?": "重启应用后继续做种?", + "Seedbox": "Seedbox", + "Cache Folder": "缓存文件夹", + "Show cast": "演员阵容", + "Filename": "文件名", + "Stream Url": "流媒体网址", + "Show playback controls": "显示播放控件", + "Downloading": "下载", + "Hide playback controls": "隐藏播放控件", + "Poster Size": "海报大小", + "UI Scaling": "界面缩放", + "Show all available subtitles for default language in flag menu": "在标志菜单中显示默认语言的所有可用字幕", + "Cache Folder Button": "缓存文件夹按钮", + "Enable remote control": "启用远程控制", + "Server": "服务器", + "API Server(s)": "API 服务器", + "Proxy Server": "代理服务器", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "请记住在更新之前导出您的数据库,以防有必要恢复您的收藏夹,标记为已观看或设置", + "Update Now": "现在更新", + "Database Exported": "数据库导出", + "ThePirateBay": "海盗湾", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "保存种子", + "Search Results": "搜索结果", + "Paste a Magnet link": "粘贴磁铁链接", + "Import a Torrent file": "导入 Torrent 文件", + "Select data types to import": "选择要导入的数据类型", + "Please select which data types you want to import ?": "请选择您要导入的数据类型?", + "Watched items": "观看项目", + "Bookmarked items": "收藏项目", + "Download list is empty...": "下载列表为空...", + "Active Torrents Limit": "活动种子限制", + "Toggle Subtitles": "切换字幕", + "Toggle Crop to Fit screen": "切换裁剪以适应屏幕", + "Original": "原始屏幕", + "Fit screen": "适合屏幕", + "Video already fits screen": "视频已经适合屏幕", + "The filename was copied to the clipboard": "文件名已复制到剪贴板", + "The stream url was copied to the clipboard": "流媒体网址已复制到剪贴板", + "* %s stores an encrypted hash of your password in your local database": "* %s 将密码的加密哈希存储在本地数据库中", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "您的设备可能不支持视频格式/编解码器。
尝试其他分辨率质量或使用 VLC 播放", + "Hide cast": "隐藏演员表", + "Tabs": "标签", + "Native window frame": "本机窗口框架", + "Open Cache Folder": "打开缓存文件夹", + "Restart Popcorn Time": "重启 Popcorn Time", + "Developer Tools": "开发者工具", + "Movies API Server": "电影 API 服务器", + "Series API Server": "节目 API 服务器", + "Anime API Server": "动漫 API 服务器", + "The image url was copied to the clipboard": "图片网址已复制到剪贴板", + "Popcorn Time currently supports": "Popcorn Time 目前支持", + "There is also support for Chromecast, AirPlay & DLNA devices.": "还支持 Chromecast、AirPlay 和 DLNA 设备。", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*您可以同时设置多个筛选器和标签,当然以后还可以设置其他任何筛选器和标签。)", + "as well as overwrite or reset your preferences)": "以及覆盖或重置您的设置)", + "Default Filters": "默认筛选器", + "Set Filters": "设置筛选器", + "Reset Filters": "重置筛选器", + "Your Default Filters have been changed": "您的默认筛选器已更改", + "Your Default Filters have been reset": "您的默认筛选器已重置", + "Setting Filters...": "设置筛选器...", + "Default": "默认", + "Custom": "自定义", + "Remember": "记住筛选器", + "Cache": "缓存", + "Unknown": "未知", + "Change Subtitles Position": "更改字幕位置", + "Minimize": "最小化", + "Separate directory for Downloads": "单独的下载目录", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "启用将阻止“立即观看”和“下载”功能之间共享缓存", + "Downloads Directory": "下载目录", + "Open Downloads Directory": "打开下载目录", + "Delete related cache ?": "删除相关缓存?", + "Yes": "是", + "No": "否", + "Cache files deleted": "缓存文件已删除", + "Delete related cache when removing from Seedbox": "从 Seedbox 中删除时删除相关缓存", + "Always": "总是", + "Ask me every time": "每次都询问", + "Enable Protocol Encryption": "启用加密协议", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "允许连接到使用 PE/MSE 的对等点。 在大多数情况下会增加可连接对等点的数量,但也可能导致 CPU 使用率增加", + "Show the Seedbox when a new download is added": "添加新下载时显示 Seedbox", + "Download added": "已添加下载", + "Change API Server": "更改 API 服务器", + "Default Content Language": "默认内容语言", + "Title translation": "标题翻译", + "Translated - Original": "翻译 - 原文", + "Original - Translated": "原文 - 翻译", + "Translated only": "仅翻译", + "Original only": "仅原文", + "Translate Posters": "翻译海报", + "Translate Episode Titles": "翻译剧集标题", + "Only show content available in this language": "仅显示以该语言提供的内容", + "Translations depend on availability. Some options also might not be supported by all API servers": "翻译取决于可用性。某些选项也可能不受所有 API 服务器的支持", + "added": "添加", + "Max. Down / Up Speed": "最大下降/上传速度", + "Show Release Info": "显示发布信息", + "Parental Guide": "家长指南", + "Rebuild bookmarks database": "重建收藏数据库", + "Rebuilding bookmarks...": "正在重建收藏...", + "Submit metadata & translations": "提交元数据和翻译", + "Not available": "无法使用", + "Cast not available": "演员表不可用", + "was removed from bookmarks": "已从收藏中删除", + "Bookmark restored": "收藏已恢复", + "Undo": "恢复", + "minute(s) remaining before preloading next episode": "开始预先加载下一集之前的剩余运行时间", + "Zoom": "缩放", + "Contrast": "对比度", + "Brightness": "亮度", + "Hue": "色调", + "Saturation": "饱和度", + "Decrease Zoom by": "缩小缩放", + "Increase Zoom by": "增加缩放", + "Decrease Contrast by": "降低对比度", + "Increase Contrast by": "增加对比度", + "Decrease Brightness by": "降低亮度", + "Increase Brightness by": "增加亮度", + "Rotate Hue counter-clockwise by": "逆时针旋转色调", + "Rotate Hue clockwise by": "顺时针旋转色调", + "Decrease Saturation by": "减少饱和度", + "Increase Saturation by": "增加饱和度", + "Automatically update the API Server URLs": "自动更新 API 服务器网址", + "Enable automatically updating the API Server URLs": "启用自动更新 API 服务器网址", + "Automatically update the app when a new version is available": "有新版本可用时自动更新应用程序", + "Enable automatically updating the app when a new version is available": "当有新版本可用时启用自动更新应用程序", + "Check for updates": "检查更新", + "Updating the API Server URLs": "更新 API 服务器网址", + "API Server URLs updated": "API 服务器网址更新", + "API Server URLs already updated": "API 服务器网址已更新", + "API Server URLs could not be updated": "API 服务器网址无法更新", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "您可以添加多个以,分隔的 API 服务器,它将从中随机选择(*用于负载平衡),直到找到第一个可用的", + "The API Server URL(s) was copied to the clipboard": "API 服务器网址已复制到剪贴板", + "0 = Disable preloading": "0 = 禁用预加载", + "Search field always expanded": "搜索范围总是扩大", + "DHT UDP Requests Limit": "DHT UDP 请求限制", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "连接至%s自动获取您观看的电影和剧集的字幕%s", + "Create an account": "创建一个帐户", + "Search for something or drop a .torrent / magnet link...": "搜索某些内容或添加 .torrent / 磁力链接...", + "Torrent removed": "Torrent 已移除", + "Remove": "移除", + "Connect to %s": "连接到 %s", + "to automatically 'scrobble' episodes you watch in %s": "自动“整理”您在 %s 中观看的剧集", + "Sync now": "立即同步", + "Same as Default Language": "与默认语言相同", + "Language": "语言", + "Allow Audio Passthrough": "允许音频直通", + "release info link": "发布信息链接", + "parental guide link": "家长指南链接", + "IMDb page link": "IMDb 页面链接", + "submit metadata & translations link": "提交元数据和翻译链接", + "episode title": "剧集标题", + "full cast & crew link": "完整的演员和工作人员链接", + "Click providers to enable / disable": "单击提供程序以启用或禁用", + "Right-click to filter results by": "右键单击提供程序,以显示当前提供程序的搜索结果", + "to filter by All": "默认搜索,显示全部提供程序的搜索结果", + "more...": "显示搜索结果...", + "Seeds": "种子数", + "Peers": "连接数", + "less...": "隐藏搜索结果..." } \ No newline at end of file diff --git a/src/app/language/zh-tw.json b/src/app/language/zh-tw.json index 77b9a9eb4d..c19056d3fe 100644 --- a/src/app/language/zh-tw.json +++ b/src/app/language/zh-tw.json @@ -2,7 +2,7 @@ "External Player": "外部播放器", "Made with": "由一群來自世界各地的技客以 ❤ ", "by a bunch of geeks from All Around The World": "由一群來自世界各地的愛好者製作", - "Initializing %s. Please Wait...": "Initializing %s. Please Wait...", + "Initializing %s. Please Wait...": "正在初始化%s,請稍候...", "Movies": "電影", "TV Series": "電視劇", "Anime": "動畫", @@ -44,7 +44,6 @@ "Load More": "載入更多", "Saved": "已儲存", "Settings": "設定", - "Show advanced settings": "顯示進階設定", "User Interface": "使用者介面", "Default Language": "預設語言", "Theme": "背景主題", @@ -61,10 +60,7 @@ "Disabled": "停用", "Size": "大小", "Quality": "畫質", - "Only list movies in": "電影清單只列出", - "Show movie quality on list": "在清單上顯示影片畫質", "Trakt.tv": "Trakt.tv", - "Connect to %s to automatically 'scrobble' episodes you watch in %s": "連線到 %s 以自動匯入您在 %s 觀看的每一集", "Username": "使用者帳號", "Password": "密碼", "%s stores an encrypted hash of your password in your local database": "%s stores an encrypted hash of your password in your local database", @@ -73,19 +69,17 @@ "HTTP API Username": "HTTP API 使用者帳號", "HTTP API Password": "HTTP API 密碼", "Connection": "連線", - "TV Show API Endpoint": "電視劇 API 接口", "Connection Limit": "連線數量限制", "DHT Limit": "DHT 數量限制", "Port to stream on": "串流傳輸阜", "0 = Random": "0 = 隨機", "Cache Directory": "快取資料夾", - "Clear Tmp Folder after closing app?": "程式結束時清空暫存資料夾?", + "Clear Cache Folder after closing the app?": "Clear Cache Folder after closing the app?", "Database": "資料庫", "Database Directory": "資料庫資料夾", "Import Database": "匯入資料庫", "Export Database": "匯出資料庫", "Flush bookmarks database": "清除書籤資料庫", - "Flush subtitles cache": "清除字幕快取", "Flush all databases": "清除所有資料庫", "Reset to Default Settings": "重置設定", "Importing Database...": "正在匯入資料庫...", @@ -131,8 +125,8 @@ "Ended": "完結", "Error loading data, try again later...": "載入資料錯誤,請稍後嘗試...", "Miscellaneous": "其他選項", - "First Unwatched Episode": "第一集尚未觀看的影片", - "Next Episode In Series": "影集中的下一集", + "First unwatched episode": "First unwatched episode", + "Next episode": "下一集", "Flushing...": "清空中...", "Are you sure?": "您確定嗎?", "We are flushing your databases": "正在清除資料庫", @@ -142,7 +136,7 @@ "Terms of Service": "服務條款", "I Accept": "我同意", "Leave": "離開", - "When Opening TV Series Detail Jump To": "當開啟電視影集詳細內容時跳至", + "Series detail opens to": "Series detail opens to", "Playback": "播放設定", "Play next episode automatically": "自動播放下一集", "Generate Pairing QR code": "產生配對 QR Code", @@ -152,23 +146,17 @@ "Seconds": "秒", "You are currently connected to %s": "您目前已連接到 %s", "Disconnect account": "帳號中斷連線", - "Sync With Trakt": "與 Trakt 同步", "Syncing...": "同步中...", "Done": "完成", "Subtitles Offset": "字幕偏移值", "secs": "秒", "We are flushing your database": "正在清除資料庫", "Ratio": "比率", - "Advanced Settings": "進階設定", - "Tmp Folder": "暫存資料夾", - "URL of this stream was copied to the clipboard": "串流 URL 已複製到剪貼簿中", "Error, database is probably corrupted. Try flushing the bookmarks in settings.": "錯誤,資料庫可能已損毀。請嘗試清除設定分頁中的書籤。", "Flushing bookmarks...": "清除書籤中...", "Resetting...": "重置中...", "We are resetting the settings": "正在重置設定值", "Installed": "已安裝", - "We are flushing your subtitle cache": "正在清除字幕快取", - "Subtitle cache deleted": "字幕快取已刪除", "Please select a file to play": "選擇要播放的檔案", "Global shortcuts": "全域快捷鍵", "Video Player": "播放器", @@ -185,7 +173,6 @@ "Exit Fullscreen": "離開全螢幕", "Seek Backward": "向前", "Decrease Volume": "降低音量", - "Show Stream URL": "顯示串流 URL", "TV Show Detail": "電視劇詳細內容", "Toggle Watched": "已觀賞", "Select Next Episode": "選擇下一集", @@ -309,10 +296,7 @@ "Super Power": "超能力", "Supernatural": "超自然", "Vampire": "吸血鬼", - "Automatically Sync on Start": "啟動時自動同步", "VPN": "VPN", - "Activate automatic updating": "啟用自動更新", - "Please wait...": "請稍候...", "Connect": "連線", "Create Account": "建立帳號", "Celebrate various events": "慶祝各種事件", @@ -320,10 +304,8 @@ "Downloaded": "已下載", "Loading stuck ? Click here !": "載入卡住了?按這裡!", "Torrent Collection": "Torrent 收藏", - "Drop Magnet or .torrent": "刪除磁力連結或 .torrent 檔案", "Remove this torrent": "移除這個 Torrent", "Rename this torrent": "重新命名這個 Torrent", - "Flush entire collection": "清除所有收藏", "Open Collection Directory": "開啟收藏資料夾", "Store this torrent": "儲存這個 Torrent", "Enter new name": "輸入新名稱", @@ -352,101 +334,214 @@ "No thank you": "不了,謝謝", "Report an issue": "回報問題", "Email": "Email", - "Log in": "登入", - "Report anonymously": "匿名回報", - "Note regarding anonymous reports:": "關於匿名舉報的註釋:", - "You will not be able to edit or delete your report once sent.": "一旦送出回報後將無法修改或刪除", - "If any additionnal information is required, the report might be closed, as you won't be able to provide them.": "如果需要任何其它附加信息,該報告可能會被關閉,因為你無法再次提供。", - "Step 1: Please look if the issue was already reported": "第1步:請先檢查是否已有相同的問題被回報", - "Enter keywords": "輸入關鍵字", - "Already reported": "已回報", - "I want to report a new issue": "我想要回報新問題", - "Step 2: Report a new issue": "第2步:回報新問題", - "Note: please don't use this form to contact us. It is limited to bug reports only.": "注意:請不要用這個表格來聯絡我們。這個表格僅供問題的回報。", - "The title of the issue": "問題主旨", - "Description": "說明", - "200 characters minimum": "至少200個字元", - "A short description of the issue. If suitable, include the steps required to reproduce the bug.": "一段對問題的簡短描述。如果可以的話,請描述重現這些問題的步驟。", "Submit": "提交", - "Step 3: Thank you !": "第3步:謝謝您的回報!", - "Your issue has been reported.": "您的問題已回報。", - "Open in your browser": "開啟您的瀏覽器", - "No issues found...": "找不到相關問題...", - "First method": "第一種方法", - "Use the in-app reporter": "使用應用程式內的報告器", - "You can find it later on the About page": "您稍後可以在關於頁面找到它", - "Second method": "第二種方法", "Use the %s issue filter to search and check if the issue has already been reported or is already fixed.": "使用 %s 問題過濾器來搜索和檢查問題是否已經報告或者修復。", "Include a screenshot if relevant - Is your issue about a design feature or a bug?": "如果相關的話請附上截圖 - 你的問題是關於設計還是錯誤?", "A good bug report shouldn't leave others needing to chase you up for more information. Be sure to include the details of your environment.": "一個好的臭蟲回報能夠讓人不需要向您追問更多資訊。請盡可能詳細描述您的環境。", "Warning: Always use English when contacting us, or we might not understand you.": "警告:請使用英文聯絡我們,否則我們可能無法理解你的意思。", - "Search for torrent": "Search for torrent", "No results found": "找不到搜尋結果", - "Invalid credentials": "憑證無效", "Open Favorites": "開啟我的最愛", "Open About": "關於", "Minimize to Tray": "最小化至系統匣", "Close": "關閉", "Restore": "還原", - "Resume Playback": "回復播放速率", "Features": "功能", "Connect To %s": "連線至 %s", - "The magnet link was copied to the clipboard": "磁力連結已複製至剪貼簿", - "Big Picture Mode": "大畫面模式", - "Big Picture Mode is unavailable on your current screen resolution": "大畫面模式對於您目前螢幕解析度無法使用", "Cannot be stored": "無法儲存", - "%s reported this torrent as fake": "%s 已回報此 Torrent 來源虛假。", - "Randomize": "隨機選擇", - "Randomize Button for Movies": "隨機選擇電影按鈕", "Overall Ratio": "總體比例", "Translate Synopsis": "翻譯劇情簡介", "N/A": "無", "Your disk is almost full.": "您的硬碟空間不足。", "You need to make more space available on your disk by deleting files.": "您需要讓您的硬碟透過刪除檔案才有更多的可用空間。", "Playing Next": "準備播放下一集", - "Trending": "趨勢圖", - "Remember Filters": "記住篩選器", - "Automatic Subtitle Uploading": "字幕自動上傳中", "See-through Background": "不透明背景", "Bold": "粗體", "Currently watching": "目前正在觀看", "No, it's not that": "並不是那樣的", "Correct": "正確", - "Indie": "Indie", "Init Database": "Init Database", "Status: %s ...": "Status: %s ...", "Create Temp Folder": "Create Temp Folder", "Set System Theme": "Set System Theme", - "Disclaimer": "Disclaimer", - "Series": "Series", - "Finished": "Finished", + "Disclaimer": "免責聲明", + "Series": "電視劇", "Event": "Event", - "action": "action", - "war": "war", "Local": "本機", "Try another subtitle or drop one in the player": "嘗試載入別的字幕或直接拉進此播放器", - "animation": "animation", - "family": "family", - "show": "show", - "movie": "movie", + "show": "顯示", + "movie": "電影", "Something went wrong downloading the update": "Something went wrong downloading the update", - "Activate Update seeding": "Activate Update seeding", - "Disable Anime Tab": "Disable Anime Tab", - "Disable Indie Tab": "Disable Indie Tab", "Error converting subtitle": "無法轉換字幕", "No subtitles found": "無法找到字幕", "Try again later or drop a subtitle in the player": "稍後再嘗試載入字幕或直接拉進此播放器", "You should save the content of the old directory, then delete it": "You should save the content of the old directory, then delete it", "Search on %s": "在 %s 搜尋", - "Are you sure you want to clear the entire Torrent Collection ?": "Are you sure you want to clear the entire Torrent Collection ?", - "Audio Language": "Audio Language", - "Subtitle": "Subtitle", - "Code:": "Code:", + "Audio Language": "聲道語言", + "Subtitle": "字幕", + "Code:": "代碼:", "Error reading subtitle timings, file seems corrupted": "無法讀取字幕的時間軸,或許此字幕檔案已損壞", - "Connection Not Secured": "Connection Not Secured", "Open File to Import": "Open File to Import", - "Browse Directoy to save to": "Browse Directoy to save to", - "Cancel and use VPN": "Cancel and use VPN", - "Continue seeding torrents after restart app?": "Continue seeding torrents after restart app?", - "Enable VPN": "Enable VPN" + "Browse Directory to save to": "Browse Directory to save to", + "Cancel and use VPN": "取消並使用VPN", + "Resume seeding after restarting the app?": "Resume seeding after restarting the app?", + "Seedbox": "Seedbox", + "Cache Folder": "緩存文件夾", + "Show cast": "Show cast", + "Filename": "檔案名稱", + "Stream Url": "Stream Url", + "Show playback controls": "Show playback controls", + "Downloading": "下載中...", + "Hide playback controls": "Hide playback controls", + "Poster Size": "Poster Size", + "UI Scaling": "UI Scaling", + "Show all available subtitles for default language in flag menu": "Show all available subtitles for default language in flag menu", + "Cache Folder Button": "Cache Folder Button", + "Enable remote control": "Enable remote control", + "Server": "伺服器 ", + "API Server(s)": "API 伺服器 ", + "Proxy Server": "代理伺服器", + "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings": "Remember to Export your Database before updating in case its necessary to restore your Favorites, marked as watched or settings", + "Update Now": "現在更新", + "Database Exported": "Database Exported", + "ThePirateBay": "ThePirateBay", + "1337x": "1337x", + "RARBG": "RARBG", + "Saved Torrents": "Saved Torrents", + "Search Results": "搜尋結果", + "Paste a Magnet link": "貼上磁力連結", + "Import a Torrent file": "匯入Torrent檔案", + "Select data types to import": "Select data types to import", + "Please select which data types you want to import ?": "Please select which data types you want to import ?", + "Watched items": "已觀看項目", + "Bookmarked items": "Bookmarked items", + "Download list is empty...": "Download list is empty...", + "Active Torrents Limit": "Active Torrents Limit", + "Toggle Subtitles": "Toggle Subtitles", + "Toggle Crop to Fit screen": "Toggle Crop to Fit screen", + "Original": "原始尺寸", + "Fit screen": "符合螢幕", + "Video already fits screen": "Video already fits screen", + "The filename was copied to the clipboard": "The filename was copied to the clipboard", + "The stream url was copied to the clipboard": "The stream url was copied to the clipboard", + "* %s stores an encrypted hash of your password in your local database": "* %s stores an encrypted hash of your password in your local database", + "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC": "Your device might not support the video format/codecs.
Try other resolution quality or casting with VLC", + "Hide cast": "Hide cast", + "Tabs": "Tabs", + "Native window frame": "Native window frame", + "Open Cache Folder": "Open Cache Folder", + "Restart Popcorn Time": "Restart Popcorn Time", + "Developer Tools": "Developer Tools", + "Movies API Server": "電影 API 伺服器", + "Series API Server": "電視劇 API 伺服器", + "Anime API Server": "動漫 API 伺服器", + "The image url was copied to the clipboard": "The image url was copied to the clipboard", + "Popcorn Time currently supports": "Popcorn Time 目前支援", + "There is also support for Chromecast, AirPlay & DLNA devices.": "There is also support for Chromecast, AirPlay & DLNA devices.", + "(*You can set multiple Filters and tabs at the same time and of course any additional ones later": "(*You can set multiple Filters and tabs at the same time and of course any additional ones later", + "as well as overwrite or reset your preferences)": "as well as overwrite or reset your preferences)", + "Default Filters": "Default Filters", + "Set Filters": "Set Filters", + "Reset Filters": "Reset Filters", + "Your Default Filters have been changed": "Your Default Filters have been changed", + "Your Default Filters have been reset": "Your Default Filters have been reset", + "Setting Filters...": "Setting Filters...", + "Default": "Default", + "Custom": "Custom", + "Remember": "Remember", + "Cache": "快取", + "Unknown": "未知", + "Change Subtitles Position": "Change Subtitles Position", + "Minimize": "最小化", + "Separate directory for Downloads": "Separate directory for Downloads", + "Enabling will prevent the sharing of cache between the Watch Now and Download functions": "Enabling will prevent the sharing of cache between the Watch Now and Download functions", + "Downloads Directory": "Downloads Directory", + "Open Downloads Directory": "Open Downloads Directory", + "Delete related cache ?": "Delete related cache ?", + "Yes": "是", + "No": "否", + "Cache files deleted": "Cache files deleted", + "Delete related cache when removing from Seedbox": "Delete related cache when removing from Seedbox", + "Always": "總是", + "Ask me every time": "每次詢問我", + "Enable Protocol Encryption": "啟用加密協議", + "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage": "Allows connecting to peers that use PE/MSE. Will in most cases increase the number of connectable peers but might also result in increased CPU usage", + "Show the Seedbox when a new download is added": "Show the Seedbox when a new download is added", + "Download added": "Download added", + "Change API Server": "Change API Server", + "Default Content Language": "Default Content Language", + "Title translation": "Title translation", + "Translated - Original": "Translated - Original", + "Original - Translated": "Original - Translated", + "Translated only": "Translated only", + "Original only": "Original only", + "Translate Posters": "Translate Posters", + "Translate Episode Titles": "Translate Episode Titles", + "Only show content available in this language": "Only show content available in this language", + "Translations depend on availability. Some options also might not be supported by all API servers": "Translations depend on availability. Some options also might not be supported by all API servers", + "added": "added", + "Max. Down / Up Speed": "Max. Down / Up Speed", + "Show Release Info": "Show Release Info", + "Parental Guide": "家長指引", + "Rebuild bookmarks database": "Rebuild bookmarks database", + "Rebuilding bookmarks...": "Rebuilding bookmarks...", + "Submit metadata & translations": "Submit metadata & translations", + "Not available": "Not available", + "Cast not available": "Cast not available", + "was removed from bookmarks": "was removed from bookmarks", + "Bookmark restored": "Bookmark restored", + "Undo": "Undo", + "minute(s) remaining before preloading next episode": "minute(s) remaining before preloading next episode", + "Zoom": "縮放", + "Contrast": "對比", + "Brightness": "亮度", + "Hue": "色調", + "Saturation": "飽和度", + "Decrease Zoom by": "Decrease Zoom by", + "Increase Zoom by": "Increase Zoom by", + "Decrease Contrast by": "Decrease Contrast by", + "Increase Contrast by": "增加對比度", + "Decrease Brightness by": "降低光度", + "Increase Brightness by": "增加光度", + "Rotate Hue counter-clockwise by": "Rotate Hue counter-clockwise by", + "Rotate Hue clockwise by": "Rotate Hue clockwise by", + "Decrease Saturation by": "降低飽和度", + "Increase Saturation by": "增加飽和度", + "Automatically update the API Server URLs": "Automatically update the API Server URLs", + "Enable automatically updating the API Server URLs": "Enable automatically updating the API Server URLs", + "Automatically update the app when a new version is available": "Automatically update the app when a new version is available", + "Enable automatically updating the app when a new version is available": "Enable automatically updating the app when a new version is available", + "Check for updates": "檢查更新", + "Updating the API Server URLs": "Updating the API Server URLs", + "API Server URLs updated": "API Server URLs updated", + "API Server URLs already updated": "API Server URLs already updated", + "API Server URLs could not be updated": "API Server URLs could not be updated", + "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available": "You can add multiple API Servers separated with a , from which it will select randomly (*for load balancing) until it finds the first available", + "The API Server URL(s) was copied to the clipboard": "The API Server URL(s) was copied to the clipboard", + "0 = Disable preloading": "0 = Disable preloading", + "Search field always expanded": "Search field always expanded", + "DHT UDP Requests Limit": "DHT UDP Requests Limit", + "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s": "Connect to %s to automatically fetch subtitles for movies and episodes you watch in %s", + "Create an account": "建立賬號", + "Search for something or drop a .torrent / magnet link...": "Search for something or drop a .torrent / magnet link...", + "Torrent removed": "Torrent removed", + "Remove": "移除", + "Connect to %s": "連線到%s", + "to automatically 'scrobble' episodes you watch in %s": "to automatically 'scrobble' episodes you watch in %s", + "Sync now": "立即同步", + "Same as Default Language": "Same as Default Language", + "Language": "語言", + "Allow Audio Passthrough": "Allow Audio Passthrough", + "release info link": "release info link", + "parental guide link": "parental guide link", + "IMDb page link": "IMBb 頁面連結", + "submit metadata & translations link": "submit metadata & translations link", + "episode title": "episode title", + "full cast & crew link": "full cast & crew link", + "Click providers to enable / disable": "Click providers to enable / disable", + "Right-click to filter results by": "Right-click to filter results by", + "to filter by All": "to filter by All", + "more...": "更多...", + "Seeds": "Seeds", + "Peers": "Peers", + "less...": "less..." } \ No newline at end of file diff --git a/src/app/lib/cache.js b/src/app/lib/cache.js deleted file mode 100644 index 84b0d31770..0000000000 --- a/src/app/lib/cache.js +++ /dev/null @@ -1,132 +0,0 @@ -(function (App) { - 'use strict'; - - var cache = App.Config.cache; - var db = openDatabase(cache.name, '', cache.desc, cache.size); - - var tableStruct = 'id TEXT, data TEXT, ttl INTEGER, date_saved INTEGER'; - - // Update db - if (db.version !== cache.version) { - db.changeVersion(db.version, cache.version, function (tx) { - win.debug('New database version'); - - _.each(cache.tables, function (table) { - tx.executeSql('DROP TABLE IF EXISTS ' + table, [], function () { - win.debug('Create table ' + table); - tx.executeSql('CREATE TABLE ' + table + ' (' + tableStruct + ')'); - }, function (tx, err) { - win.error('Ceating db table', err); - }); - }); - }); - } - - var buildWhereIn = function (ids) { - return 'id IN (' + _.map(ids, function () { - return '?'; - }).join(',') + ')'; - }; - - var Cache = function (table) { - this.table = table; - this.db = db; - }; - - _.extend(Cache.prototype, { - getItems: function (ids) { - var self = this; - - // getItems can be use with scalar id - ids = $.makeArray(ids); - - var deferred = Q.defer(); - db.transaction(function (tx) { - // Select item in db - var query = 'SELECT * FROM ' + self.table + ' WHERE ' + buildWhereIn(ids); - tx.executeSql(query, ids, function (tx, results) { - var cachedData = {}; - var expiredData = []; - var now = +new Date(); - - // Filter expired item - for (var i = 0; i < results.rows.length; i++) { - var row = results.rows.item(i); - var data = JSON.parse(row.data); - - if (row.ttl !== 0 && row.ttl < now - row.date_saved) { - expiredData.push(row.id); - } else { - cachedData[row.id] = data; - } - } - - // Delete expired data - if (!_.isEmpty(expiredData)) { - self.deleteItems(expiredData); - } - - deferred.resolve(cachedData); - }, function (tx, err) { - win.error('Expired data cleaning', err); - deferred.resolve([]); - }); - }); - return deferred.promise; - }, - - setItem: function (id, item, ttl) { - var items = {}; - items[id] = item; - this.setItems(items, ttl); - }, - - setItems: function (items, ttl) { - var self = this; - ttl = +ttl || 0; - var now = +new Date(); - - self.getItems(_.keys(items)) - .then(function (cachedData) { - db.transaction(function (tx) { - _.each(cachedData, function (item, id) { - var data = JSON.stringify(item); - tx.executeSql('UPDATE ' + self.table + ' SET data = ?, ttl = ?, date_saved = ? WHERE id = ?', [data, ttl, now, id]); - }); - - var missedData = _.difference(_.keys(items), _.keys(cachedData)); - _.each(missedData, function (id) { - var data = JSON.stringify(items[id]); - var query = 'INSERT INTO ' + self.table + ' VALUES (?, ?, ?, ?)'; - tx.executeSql(query, [id, data, ttl, now]); - }); - }, function (err) { - win.error('db.transaction()', err); - }); - }); - }, - - deleteItems: function (ids) { - var self = this; - db.transaction(function (tx) { - var query = 'DELETE FROM ' + self.table + ' WHERE ' + buildWhereIn(ids); - tx.executeSql(query, ids, function () {}); - }); - }, - - flushTable: function () { - var self = this; - - return Q.Promise(function (resolve, reject) { - db.transaction(function (tx) { - var query = 'DELETE FROM ' + self.table; - tx.executeSql(query, function () {}); - resolve(); - }); - }); - } - }); - - App.Cache = Cache; - -})(window.App); diff --git a/src/app/lib/cachev2.js b/src/app/lib/cachev2.js deleted file mode 100644 index dc66f6f889..0000000000 --- a/src/app/lib/cachev2.js +++ /dev/null @@ -1,134 +0,0 @@ -(function (App) { - 'use strict'; - - // Wraps a IndexedDB Request in a promise - function WrapRequest(deferred, request) { - if (request === undefined) { - request = deferred; - deferred = Q.defer(); - } - - var existingSuccess = request.onsuccess; - request.onsuccess = function () { - deferred.resolve(this.result); - if (existingSuccess !== null) { - existingSuccess.call(request); - } - }; - - var existingError = request.onerror; - request.onerror = function () { - deferred.reject(this.error); - if (existingError !== null) { - existingError.call(request); - } - }; - - return deferred; - } - - function Cache(table) { - var self = this; - - this.table = table; - - var db = indexedDB.open(App.Config.cachev2.name, App.Config.cachev2.version); - db.onsuccess = function () { - self.db = this.result; - }; - db.onupgradeneeded = function () { - var self = this; - App.Config.cachev2.tables.forEach(function (tableName) { - if (_.contains(self.result.objectStoreNames, tableName)) { - return; - } - self.result.createObjectStore(tableName, { - keyPath: '_id' - }); - }); - }; - this._openPromise = WrapRequest(db).promise; - } - - Cache.prototype.set = function (key, value, options) { - options = options || {}; - var data = _.extend(value, { - _id: key, - _ttl: options.ttl || 14400000, - _lastModified: +new Date() - }); - return WrapRequest(this.db.transaction(this.table, 'readwrite').objectStore(this.table).put(data)).promise; - }; - - Cache.prototype.get = function (key) { - var deferred = Q.defer(); - var request = this.db.transaction(this.table, 'readonly').objectStore(this.table).get(key); - request.onsuccess = function () { - delete this.result._id; - delete this.result._ttl; - delete this.result._lastModified; - deferred.resolve(this.result); - }; - request.onerror = function () { - deferred.reject(this.error); - }; - return deferred.promise; - }; - - Cache.prototype.getMultiple = function (keys) { - var deferred = Q.defer(); - var request = this.db.transaction(this.table, 'readonly').objectStore(this.table).openCursor(); - var results = []; - request.onsuccess = function () { - var cursor = this.result; - if (cursor) { - if (_.contains(keys, cursor.key)) { - results.push(cursor.value); - } - cursor.continue(); - } else { - deferred.resolve(results); - } - }; - request.onerror = function () { - deferred.reject(this.error); - }; - return deferred.promise; - }; - - Cache.prototype.update = function (key, value, options) { - var self = this; - options = options || {}; - var deferred = Q.defer(); - var request = this.db.transaction(this.table, 'readonly').objectStore(this.table).get(key); - request.onsuccess = function () { - var data = _.extend(this.result, value); - data._id = key; - data._ttl = options.ttl || 14400000; - data._lastModified = +new Date(); - WrapRequest(deferred, self.db.transaction(this.table, 'readwrite').objectStore(this.table).put(data)); - }; - request.onerror = function () { - deferred.reject(this.error); - }; - return deferred.promise; - }; - - Cache.prototype.gc = function () { - var request = this.db.transaction(this.table, 'readwrite').objectStore(this.table).openCursor(); - request.onsuccess = function () { - var cursor = this.result; - if (cursor) { - var ttl = cursor.value._ttl; - var lastModified = cursor.value._lastModified; - if (new Date() - lastModified > ttl) { - cursor.delete(); - } - cursor.continue(); - } - }; - }; - - App.CacheV2 = Cache; - -})(window.App); diff --git a/src/app/lib/config.js b/src/app/lib/config.js index c421a54166..9b731f7427 100644 --- a/src/app/lib/config.js +++ b/src/app/lib/config.js @@ -130,20 +130,6 @@ 'Western' ], - cache: { - name: 'cachedb', - version: '1.7', - tables: ['subtitle'], - desc: 'Cache database', - size: 10 * 1024 * 1024 - }, - - cachev2: { - name: 'cache', - version: 5, - tables: ['metadata'] - }, - getTabTypes: function() { return _.sortBy( _.filter( diff --git a/src/app/lib/device/ext-player.js b/src/app/lib/device/ext-player.js index 164936386d..0047996033 100644 --- a/src/app/lib/device/ext-player.js +++ b/src/app/lib/device/ext-player.js @@ -58,7 +58,8 @@ type: 'mpv', switches: '--no-terminal', subswitch: '--sub-file=', - fs: '--fs' + fs: '--fs', + filenameswitch: '--force-media-title=' }, 'mpvnet': { type: 'mpvnet', @@ -158,7 +159,10 @@ // "" So it behaves when spaces in path var cmd = '', cmdPath = '', cmdSwitch = '', cmdSub = '', cmdFs = '', cmdFilename = '', cmdUrl = ''; var url = streamModel.attributes.src; - cmdPath += path.normalize('"' + this.get('path') + '" '); + + // A conditional check to see if VLC was installed via flatpak + this.get('path').includes('/flatpak/app/org.videolan.VLC/') ? cmdPath = '/usr/bin/flatpak run org.videolan.VLC ' : cmdPath += path.normalize('"' + this.get('path') + '" '); + cmdSwitch += getPlayerSwitches(this.get('id')) + ' '; var subtitle = streamModel.attributes.subFile || ''; @@ -232,6 +236,7 @@ addPath('/usr/bin'); addPath('/usr/local/bin'); addPath('/snap/bin'); + addPath('/var/lib/flatpak/app/org.videolan.VLC/current/active'); //Fedora Flatpak VLC Dir addPath(process.env.HOME + '/.nix-profile/bin'); // NixOS addPath('/run/current-system/sw/bin'); // NixOS // darwin diff --git a/src/app/lib/models/filter.js b/src/app/lib/models/filter.js index f5bc5016cb..f041e36654 100644 --- a/src/app/lib/models/filter.js +++ b/src/app/lib/models/filter.js @@ -7,6 +7,7 @@ this.set('load', false); this.set('genres', []); this.set('sorters', []); + this.set('kinds', []); this.set('types', []); this.set('ratings', []); this.init(); @@ -14,6 +15,7 @@ this.get('provider').filters().then((filters) => { this.set('genres', filters.genres || []); this.set('sorters', filters.sorters || []); + this.set('kinds', filters.kinds || []); this.set('types', filters.types || []); this.set('ratings', filters.ratings || []); @@ -26,6 +28,7 @@ init() { this.set('sorter', this.get('sorter') || Object.keys(this.get('sorters'))[0]); this.set('genre', this.get('genre') || Object.keys(this.get('genres'))[0]); + this.set('kind', this.get('kind') || Object.keys(this.get('kinds'))[0]); this.set('type', this.get('type') || Object.keys(this.get('types'))[0]); this.set('order', this.get('order') || -1); this.set('rating', this.get('rating') || Object.keys(this.get('ratings'))[0]); diff --git a/src/app/lib/models/generic_collection.js b/src/app/lib/models/generic_collection.js index 78e07b6bf5..00fee6bd91 100644 --- a/src/app/lib/models/generic_collection.js +++ b/src/app/lib/models/generic_collection.js @@ -2,9 +2,8 @@ 'use strict'; var getDataFromProvider = function (providers, collection) { - var deferred = Q.defer(); var filters = Object.assign(collection.filter, {page: providers.torrent.page}); - providers.torrent.fetch(filters) + return providers.torrent.fetch(filters) .then(function (torrents) { // If a new request was started... _.each(torrents.results, function (movie) { @@ -25,14 +24,12 @@ movie.providers = providers; }); - return deferred.resolve(torrents); + return torrents; }) .catch(function (err) { collection.state = 'error'; collection.trigger('loaded', collection, collection.state); }); - - return deferred.promise; }; var PopCollection = Backbone.Collection.extend({ diff --git a/src/app/lib/providers/favorites.js b/src/app/lib/providers/favorites.js index 26b0f35a2c..2f1413a7c0 100644 --- a/src/app/lib/providers/favorites.js +++ b/src/app/lib/providers/favorites.js @@ -10,7 +10,17 @@ }; var queryTorrents = function (filters) { - return App.db.getBookmarks(filters) + let query_func; + if (App.currentview === 'Watched') { + filters.kind = 'Watched'; + query_func = App.db.getWatched; + if (filters.type === 'show') { + filters.type = 'episode'; + } + } else { + query_func = App.db.getBookmarks; // default to favorites + } + return query_func(filters) .then(function (data) { return data; }, @@ -94,76 +104,79 @@ return sorted; }; - var formatForButter = function (items) { + var movie_fetch_wrapper = async function (imdb_id) { + let movieProvider = App.Config.getProviderForType('movie')[0]; + return movieProvider.fetch({keywords: imdb_id, page:1}).then(function (movies) { + return movies.results[0]; + }).catch((error) => {}); + }; + + var show_fetch_wrapper = async function (imdb_id) { + let showProvider = App.Config.getProviderForType('tvshow')[0]; + return showProvider.detail(imdb_id, { + contextLocale: App.settings.contextLanguage || App.settings.language + }).then(function (show) { + show.type = 'show'; + show.country.toLowerCase() === 'jp' ? show.title = show.slug.replace(/-/g, ' ').capitalizeEach() : null; + return show; + }).catch((error) => {}); + }; + + var formatForButter = function (items, kind) { var movieList = []; + var WseriesList = []; items.forEach(function (movie) { - - var deferred = Q.defer(); + var movie_fetch_func = Database.getMovie; + var show_fetch_func = Database.getTVShowByImdb; + var shouldMark = true; + // note: in the future we could check if the movie is also in + // the local db to avoid fetching data we already have + if (kind === 'Watched') { + shouldMark = false; + if (movie.type === 'movie') { + movie.imdb_id = movie.movie_id; + } + // if we're displaying movies from the watched database + // we'll fetch them from the providers instead of the local database + // given that storing them there would make the movie database + // very large + movie_fetch_func = movie_fetch_wrapper; + show_fetch_func = show_fetch_wrapper; + } // we check if its a movie // or tv show then we extract right data if (movie.type === 'movie') { // its a movie - Database.getMovie(movie.imdb_id) - .then(function (data) { - data.type = 'bookmarkedmovie'; - if (/slurm.trakt.us/.test(data.image)) { - data.image = data.image.replace(/slurm.trakt.us/, 'walter.trakt.us'); - } - deferred.resolve(data); - }, - function (err) { - deferred.reject(err); - }); + const promise = movie_fetch_func(movie.imdb_id).then(function (data) { + if (data && shouldMark) { + data.type = 'bookmarkedmovie'; + } + return data; + }); + movieList.push(promise); } else { // its a tv show - var _data = null; - Database.getTVShowByImdb(movie.imdb_id) - .then(function (data) { + if (kind === 'Watched') { + // process only one instance of series + if (WseriesList.includes(movie.imdb_id)) { + return; + } + WseriesList.push(movie.imdb_id); + } + const promise = show_fetch_func(movie.imdb_id).then(function (data) { + if (data && shouldMark) { data.type = 'bookmarkedshow'; - data.imdb = data.imdb_id; - // Fallback for old bookmarks without provider in database or marked as Eztv - if (typeof (data.provider) === 'undefined' || data.provider === 'Eztv') { - data.provider = 'tvshow'; - } - // This is an old boxart, fetch the latest boxart - if (/slurm.trakt.us/.test(data.images.poster)) { - // Keep reference to old data in case of error - _data = data; - var provider = App.Providers.get(data.provider); - return provider.detail(data.imdb_id, data); - } else { - data.poster = data.images.poster; - deferred.resolve(data); - return null; - } - }, function (err) { - deferred.reject(err); - }).then(function (data) { - if (data) { - // Cache new show and return - Database.deleteBookmark(_data.imdb_id); - Database.deleteTVShow(_data.imdb_id); - Database.addTVShow(data); - Database.addBookmark(data.imdb_id, 'tvshow'); - data.type = 'bookmarkedshow'; - deferred.resolve(data); - } - }, function (err) { - // Show no longer exists on provider - // Scrub bookmark and TV show - // But return previous data one last time - // So error to erase database doesn't show - Database.deleteBookmark(_data.imdb_id); - Database.deleteTVShow(_data.imdb_id); - deferred.resolve(_data); - }); + } + data ? data.imdb = data.imdb_id : null; + data ? data.poster = data.images.poster : null; + return data; + }); + movieList.push(promise); } - - movieList.push(deferred.promise); }); - return Q.all(movieList); + return Promise.all(movieList).then(values => values.filter(v => v)); }; Favorites.prototype.extractIds = function (items) { @@ -171,8 +184,12 @@ }; Favorites.prototype.fetch = function (filters) { + if (App.currentview === 'Watched') { + filters.kind = 'Watched'; + } var params = { - page: filters.page + page: filters.page, + kind: filters.kind }; if (filters.type === 'Series') { params.type = 'show'; @@ -182,18 +199,21 @@ } return queryTorrents(params) - .then(formatForButter) .then(function (items) { + return formatForButter(items, filters.kind); + }).then(function (items) { return sort(items, filters); }); }; Favorites.prototype.filters = function () { const data = { + kinds: ['Favorites', 'Watched'], types: ['All', 'Movies', 'Series', 'Anime'], sorters: ['watched items', 'year', 'title', 'rating'] }; let filters = { + kinds: {}, types: {}, sorters: {}, }; @@ -203,6 +223,9 @@ for (const type of data.types) { filters.types[type] = i18n.__(type); } + for (const kind of data.kinds) { + filters.kinds[kind] = i18n.__(kind); + } return Promise.resolve(filters); }; diff --git a/src/app/lib/providers/torrent_cache.js b/src/app/lib/providers/torrent_cache.js index d059b9655d..b727c27f0b 100644 --- a/src/app/lib/providers/torrent_cache.js +++ b/src/app/lib/providers/torrent_cache.js @@ -11,84 +11,28 @@ var handlers = { handletorrent: function (filePath, torrent) { - // just copy the torrent file - var deferred = Q.defer(); - Common.copyFile(torrent, filePath, function (err) { - if (err) { - return handlers.handleError('TorrentCache.handletorrent() error: ' + err, torrent); - } - deferred.resolve(filePath); + return new Promise(function (resolve, reject) { + fs.copyFile(torrent, filePath, function (err) { + if (err) { + return handlers.handleError('TorrentCache.handletorrent() error: ' + err, torrent); + } + resolve(filePath); + }); }); - return deferred.promise; }, handletorrenturl: function (filePath, torrent) { - // try to download the file - var deferred = Q.defer(), - safeTimeoutID = null, - doneReached = false; - var done = function (error) { - clearTimeout(safeTimeoutID); - if (doneReached) { - return; - } - doneReached = true; - if (error) { - // try unlinking the file in case it was created - try { - fs.unlink(filePath); - } catch (e) {} + const request = fetch(torrent) + .then(result => result.arrayBuffer()) + .catch(error => { return handlers.handleError('TorrentCache.handletorrenturl() error: ' + error, torrent); - } - deferred.resolve(filePath); - }; - try { // in case somehow invaid link hase made it through to here - var ws = fs.createWriteStream(filePath), - params = { - url: torrent, - headers: { - 'accept-charset': 'ISO-8859-1,utf-8;q=0.7,*;q=0.3', - 'accept-language': 'en-US,en;q=0.8', - 'accept-encoding': 'gzip,deflate', - 'Accept': 'text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,*/*;q=0.8', - 'User-Agent': 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.143 Safari/537.36' - } - }, - req = request(params) - .on('response', function (resp) { - if (resp.statusCode >= 400) { - return done('Invalid status: ' + resp.statusCode); - } - switch (resp.headers['content-encoding']) { - case 'gzip': - resp.pipe(zlib.createGunzip()).pipe(ws); - break; - case 'deflate': - resp.pipe(zlib.createInflate()).pipe(ws); - break; - default: - resp.pipe(ws); - break; - } - ws - .on('error', done) - .on('close', done); - }) - .on('error', done) - .on('end', function () { - // just to be on the safe side here, set 'huge' amount of time, close event should be triggered on ws long before this one if all goes good. - safeTimeoutID = setTimeout(function () { - done('Waiting for stream to end error: timed out.'); - }, 5 * 1000); - }); - } catch (e) { - done(e); - } - return deferred.promise; + }); + return request.then(function (result) { + fs.writeFileSync(filePath, Buffer.from(result)); + return Promise.resolve(filePath); + }); }, handlemagnet: function (filePath, torrent) { - var deferred = Q.defer(); - deferred.resolve(torrent); - return deferred.promise; + return Promise.resolve(torrent); }, handleSuccess: function (filePath) { win.debug('TorrentCache.handleSuccess() ' + filePath + ' stopped: ' + !stateModel); @@ -144,10 +88,13 @@ if (torrent.substring(0, 8) === 'magnet:?') { return 'magnet'; } + if (torrent.indexOf('https://') === 0) { + return 'torrenturl'; + } + if (torrent.indexOf('http://') === 0) { + return 'torrenturl'; + } if (torrent.indexOf('.torrent') !== -1) { - if (torrent.indexOf('http://') === 0) { - return 'torrenturl'; - } return 'torrent'; } } @@ -190,34 +137,34 @@ }; pmod.checkCache = function (torrent) { - var deferred = Q.defer(), - name = this._getKey(torrent) + '.torrent', - targetPath = path.join(tpmDir, name); + return new Promise((resolve, reject) => { + var name = this._getKey(torrent) + '.torrent', + targetPath = path.join(tpmDir, name); - // check if file already exists - fs.readdir(tpmDir, function (err, files) { - if (err) { - handlers.handleError('TorrentCache.checkCache() readdir:' + err, torrent); - return deferred.reject(err); - } - var idx = files.indexOf(name); - if (idx === -1) { - return deferred.resolve([targetPath, false]); - } - // check if it actually is a file, not dir.. - fs.lstat(targetPath, function (err, stats) { + // check if file already exists + fs.readdir(tpmDir, function (err, files) { if (err) { - handlers.handleError('TorrentCache.checkCache() lstat:' + err, torrent); - return deferred.reject(err); + handlers.handleError('TorrentCache.checkCache() readdir:' + err, torrent); + return reject(err); } - if (stats.isFile()) { - return deferred.resolve([targetPath, true]); + var idx = files.indexOf(name); + if (idx === -1) { + return resolve([targetPath, false]); } - handlers.handleError('TorrentCache.checkCache() target torrent is directory', torrent); - deferred.reject('Target torrent is directory'); + // check if it actually is a file, not dir.. + fs.lstat(targetPath, function (err, stats) { + if (err) { + handlers.handleError('TorrentCache.checkCache() lstat:' + err, torrent); + return reject(err); + } + if (stats.isFile()) { + return resolve([targetPath, true]); + } + handlers.handleError('TorrentCache.checkCache() target torrent is directory', torrent); + reject('Target torrent is directory'); + }); }); }); - return deferred.promise; }; pmod.stop = function () { diff --git a/src/app/lib/providers/trakttv.js b/src/app/lib/providers/trakttv.js index c63f0fdb05..7c6e459418 100644 --- a/src/app/lib/providers/trakttv.js +++ b/src/app/lib/providers/trakttv.js @@ -169,12 +169,12 @@ for (var r in results) { var item = results[r]; var ids = item[item.type].ids; - if ([ids.imdb, ids.tvdb].indexOf(id) !== -1) { + if ([ids.imdb?.toString(), ids.tvdb?.toString()].indexOf(id.toString()) !== -1) { return item.progress; } } return 0; - }); + }.bind(this)); }, scrobble: function(action, type, id, progress) { diff --git a/src/app/lib/views/browser/filter_bar.js b/src/app/lib/views/browser/filter_bar.js index 0cb1c0b12c..091557ec1a 100644 --- a/src/app/lib/views/browser/filter_bar.js +++ b/src/app/lib/views/browser/filter_bar.js @@ -26,11 +26,11 @@ 'click .ratings .dropdown-menu a': 'changeRating', 'click #filterbar-settings': 'settings', 'click #filterbar-tempf': 'tempf', - 'click #filterbar-vpn': 'vpn', 'click .movieTabShow': 'movieTabShow', 'click .tvshowTabShow': 'tvshowTabShow', 'click .animeTabShow': 'animeTabShow', 'click #filterbar-favorites': 'showFavorites', + 'click #filterbar-watched': 'showWatched', 'click #filterbar-watchlist': 'showWatchlist', 'click #filterbar-torrent-collection': 'showTorrentCollection', 'click .triggerUpdate': 'updateDB', @@ -42,34 +42,6 @@ this.render(); this.setActive(App.currentview); }); - - if (VPNht.isInstalled()) { - VPNht.isConnected().then(isConnected => { - if (isConnected) { - $('#filterbar-vpn') - .addClass('vpn-connected') - .addClass('fa-lock') - .removeClass('vpn-disconnected') - .removeClass('fa-unlock'); - } - }); - } - - App.vent.on('vpn:connected', function() { - $('#filterbar-vpn') - .addClass('vpn-connected') - .addClass('fa-lock') - .removeClass('vpn-disconnected') - .removeClass('fa-unlock'); - }); - - App.vent.on('vpn:disconnected', function() { - $('#filterbar-vpn') - .addClass('vpn-disconnected') - .addClass('fa-unlock') - .removeClass('vpn-connected') - .removeClass('fa-lock'); - }); }, focus: function(e) { @@ -112,6 +84,10 @@ case 'favorites': $('#filterbar-favorites').addClass('active'); break; + case 'Watched': + case 'watched': + $('#filterbar-watched').addClass('active'); + break; case 'Watchlist': case 'watchlist': rightSearch.hide(); @@ -198,6 +174,10 @@ App.currentview = 'Favorites'; App.previousview = 'movies'; break; + case 'Watched': + App.currentview = 'Watched'; + App.previousview = 'movies'; + break; case 'Watchlist': App.currentview = 'Watchlist'; App.previousview = 'movies'; @@ -374,10 +354,6 @@ App.settings.os === 'windows' ? nw.Shell.openExternal(Settings.tmpLocation) : nw.Shell.openItem(Settings.tmpLocation); }, - vpn: function(e) { - App.vent.trigger('vpn:open'); - }, - showTorrentCollection: function(e) { e.preventDefault(); if (App.currentview !== 'Torrent-collection') { @@ -457,6 +433,17 @@ this.setActive('Favorites'); }, + showWatched: function(e) { + e.preventDefault(); + App.previousview = App.currentview; + App.currentview = 'Watched'; + App.vent.trigger('about:close'); + App.vent.trigger('torrentCollection:close'); + App.vent.trigger('seedbox:close'); + App.vent.trigger('favorites:list', []); + this.setActive('Watched'); + }, + showWatchlist: function(e) { e.preventDefault(); if (App.currentview !== 'Watchlist') { diff --git a/src/app/lib/views/browser/item.js b/src/app/lib/views/browser/item.js index ecd709b38b..fd006dc5f7 100644 --- a/src/app/lib/views/browser/item.js +++ b/src/app/lib/views/browser/item.js @@ -144,17 +144,19 @@ if (this.model.get('watched') && !itemtype.match('show')) { this.ui.watchedIcon.addClass('selected'); - switch (Settings.watchedCovers) { - case 'fade': - this.$el.addClass('watched'); - break; - case 'hide': - if ($('.search input').val() || itemtype.match('bookmarked')) { + if (App.currentview !== 'Watched') { + switch (Settings.watchedCovers) { + case 'fade': this.$el.addClass('watched'); - } else { - this.$el.remove(); - } - break; + break; + case 'hide': + if ($('.search input').val() || itemtype.match('bookmarked')) { + this.$el.addClass('watched'); + } else { + this.$el.remove(); + } + break; + } } } @@ -207,7 +209,17 @@ } Common.loadImage(poster).then((img) => { - if (this.ui.cover.css) { + if (!img && this.model.get('poster_medium') && poster !== this.model.get('poster_medium')) { + poster = this.model.get('poster_medium'); + this.model.set('poster', poster); + this.model.set('image', poster); + this.model.set('cover', poster); + Common.loadImage(poster).then((img) => { + if (this.ui.cover.css) { + this.ui.cover.css('background-image', 'url(' + (img || noimg) + ')').addClass('fadein'); + } + }); + } else if (this.ui.cover.css) { this.ui.cover.css('background-image', 'url(' + (img || noimg) + ')').addClass('fadein'); } }); @@ -413,7 +425,6 @@ App.vent.trigger('notification:show', new App.Model.Notification({ title: '', body: '' + this.model.get('title') + ' (' + this.model.get('year') + ')' + '
' + i18n.__('was removed from bookmarks'), - showClose: true, autoclose: true, type: 'info', buttons: [{ title: i18n.__('Undo'), action: delCache }] diff --git a/src/app/lib/views/browser/list.js b/src/app/lib/views/browser/list.js index a2657af7c8..848f7ee106 100644 --- a/src/app/lib/views/browser/list.js +++ b/src/app/lib/views/browser/list.js @@ -100,21 +100,25 @@ var errorURL; switch (App.currentview) { case 'movies': - errorURL = App.Config.getProviderForType('movie')[0].apiURL.slice(0); + errorURL = App.Config.getProviderForType('movie')[0].apiURL ? App.Config.getProviderForType('movie')[0].apiURL.slice(0) : ''; break; case 'shows': - errorURL = App.Config.getProviderForType('tvshow')[0].apiURL.slice(0); + errorURL = App.Config.getProviderForType('tvshow')[0].apiURL ? App.Config.getProviderForType('tvshow')[0].apiURL.slice(0) : ''; break; case 'anime': - errorURL = App.Config.getProviderForType('anime')[0].apiURL.slice(0); + errorURL = App.Config.getProviderForType('anime')[0].apiURL ? App.Config.getProviderForType('anime')[0].apiURL.slice(0) : ''; break; default: errorURL = ''; } - errorURL.forEach(function(e, index) { - errorURL[index] = '' + encodeURI(e.replace(/http:\/\/|https:\/\/|\/$/g, '')) + ''; - }); - errorURL = errorURL.join(', ').replace(/,(?=[^,]*$)/, ' &'); + if (errorURL) { + errorURL.forEach(function(e, index) { + errorURL[index] = '' + encodeURI(e.replace(/http:\/\/|https:\/\/|\/$/g, '')) + ''; + }); + errorURL = errorURL.join(', ').replace(/,(?=[^,]*$)/, ' &'); + } else { + errorURL = i18n.__('the URL(s)'); + } return ErrorView.extend({ retry: true, error: i18n.__('The remote ' + App.currentview + ' API failed to respond, please check %s and try again later', errorURL) @@ -139,6 +143,18 @@ }); } break; + case 'Watched': + if (this.collection.state === 'error') { + return ErrorView.extend({ + retry: true, + error: i18n.__('Error, database is probably corrupted. Try flushing the watched items in settings.') + }); + } else if (this.collection.state !== 'loading') { + return ErrorView.extend({ + error: i18n.__('No ' + App.currentview.toLowerCase() + ' items found...') + }); + } + break; case 'Watchlist': if (this.collection.state === 'error') { return ErrorView.extend({ @@ -169,6 +185,9 @@ if (Settings.favoritesTabEnable) { filterBarElem.push('Favorites'); } + if (Settings.watchedTabEnable) { + filterBarElem.push('Watched'); + } _this.initKeyboardShortcuts(); @@ -224,32 +243,44 @@ } } App.currentview = filterBarElem[filterBarPos]; - App.vent.trigger(App.currentview.toLowerCase() + ':list', []); + if (App.currentview === 'Watched') { + App.vent.trigger('favorites:list', []); + } else { + App.vent.trigger(App.currentview.toLowerCase() + ':list', []); + } if (App.currentview === 'movies') { $('.source.movieTabShow').addClass('active'); } else if (App.currentview === 'shows') { $('.source.tvshowTabShow').addClass('active'); } else if (App.currentview === 'Favorites') { $('#filterbar-favorites').addClass('active'); + } else if (App.currentview === 'Watched') { + $('#filterbar-watched').addClass('active'); } else { $('.source.' + App.currentview + 'TabShow').addClass('active'); } } }); - Mousetrap.bind(['ctrl+1', 'ctrl+2', 'ctrl+3', 'ctrl+4'], function (e, combo) { + Mousetrap.bind(['ctrl+1', 'ctrl+2', 'ctrl+3', 'ctrl+4', 'ctrl+5'], function (e, combo) { if ((App.PlayerView === undefined || App.PlayerView.isDestroyed) && $('#about-container').children().length <= 0 && $('#player').children().length <= 0 && combo.charAt(5) <= $(filterBarElem).toArray().length && App.currentview !== filterBarElem[combo.charAt(5) - 1]) { App.vent.trigger('torrentCollection:close'); App.vent.trigger('seedbox:close'); $('.filter-bar').find('.active').removeClass('active'); App.currentview = filterBarElem[combo.charAt(5) - 1]; - App.vent.trigger(App.currentview.toLowerCase() + ':list', []); + if (App.currentview === 'Watched') { + App.vent.trigger('favorites:list', []); + } else { + App.vent.trigger(App.currentview.toLowerCase() + ':list', []); + } if (App.currentview === 'movies') { $('.source.movieTabShow').addClass('active'); } else if (App.currentview === 'shows') { $('.source.tvshowTabShow').addClass('active'); } else if (App.currentview === 'Favorites') { $('#filterbar-favorites').addClass('active'); + } else if (App.currentview === 'Watched') { + $('#filterbar-watched').addClass('active'); } else { $('.source.' + App.currentview + 'TabShow').addClass('active'); } diff --git a/src/app/lib/views/disclaimer.js b/src/app/lib/views/disclaimer.js index abe68528c8..5c46a110fa 100644 --- a/src/app/lib/views/disclaimer.js +++ b/src/app/lib/views/disclaimer.js @@ -19,13 +19,14 @@ e.preventDefault(); Mousetrap.unpause(); AdvSettings.set('dhtEnable', document.getElementById('dhtEnableFR').checked ? true : false); - AdvSettings.set('automaticUpdating', document.getElementById('automaticUpdatingFR').checked ? true : false); + AdvSettings.set('updateNotification', document.getElementById('updateNotificationFR').checked ? true : false); AdvSettings.set('disclaimerAccepted', 1); if (document.getElementById('dhtEnableFR').checked) { App.DhtReader.update(); App.vent.trigger('notification:show', new App.Model.Notification({ title: i18n.__('Please wait') + '...', body: i18n.__('Updating the API Server URLs'), + showClose: false, type: 'danger' })); } else { diff --git a/src/app/lib/views/file_selector.js b/src/app/lib/views/file_selector.js index e6115e3173..dad0de8e7f 100644 --- a/src/app/lib/views/file_selector.js +++ b/src/app/lib/views/file_selector.js @@ -2,6 +2,7 @@ 'use strict'; var that, + magnetName, formatMagnet; var FileSelector = Marionette.View.extend({ @@ -18,10 +19,12 @@ initialize: function () { that = this; + magnetName = Settings.droppedMagnetName; + delete(Settings.droppedMagnetName); formatMagnet = function (link) { // format magnet with Display Name - var index = link.indexOf('\&dn=') + 4, // keep display name + var index = Settings.droppedMagnet.indexOf('\&dn=') !== -1 ? link.indexOf('\&dn=') + 4 : link.indexOf('btih:') + 5, _link = link.substring(index); // remove everything before dn _link = _link.split('\&'); // array of strings starting with & _link = _link[0]; // keep only the first (i.e: display name) @@ -82,19 +85,13 @@ if (!Settings.droppedTorrent && !Settings.droppedMagnet) { $('.store-torrent').hide(); return false; - } else if (Settings.droppedMagnet && Settings.droppedMagnet.indexOf('\&dn=') === -1) { - var storeTorrent = $('.store-torrent'); - storeTorrent.text(i18n.__('Cannot be stored')); - storeTorrent.addClass('disabled').prop('disabled', true); - win.warn('Magnet lacks Display Name, unable to store it'); - return false; } var file, _file; if (Settings.droppedTorrent) { file = Settings.droppedTorrent; } else if (Settings.droppedMagnet && !Settings.droppedStoredMagnet) { _file = Settings.droppedMagnet, - file = formatMagnet(_file); + file = magnetName || formatMagnet(_file); } else if (Settings.droppedMagnet && Settings.droppedStoredMagnet) { file = Settings.droppedStoredMagnet; } @@ -130,7 +127,7 @@ } } else if (Settings.droppedMagnet) { _file = Settings.droppedMagnet, - file = formatMagnet(_file); + file = magnetName || formatMagnet(_file); if (this.isTorrentStored()) { if (Settings.droppedStoredMagnet) { diff --git a/src/app/lib/views/init_modal.js b/src/app/lib/views/init_modal.js index b408717c43..bc84c8a7cd 100644 --- a/src/app/lib/views/init_modal.js +++ b/src/app/lib/views/init_modal.js @@ -49,13 +49,9 @@ e.preventDefault(); - var cache = new App.Cache('subtitle'); - cache.flushTable() - .then(Database.deleteDatabases) - .then(function () { - App.vent.trigger('restartButter'); - }); - + Database.deleteDatabases().then(function () { + App.vent.trigger('restartButter'); + }); }, }); diff --git a/src/app/lib/views/main_window.js b/src/app/lib/views/main_window.js index cf8daed8a6..ee686b7cf7 100644 --- a/src/app/lib/views/main_window.js +++ b/src/app/lib/views/main_window.js @@ -18,7 +18,6 @@ InitModal: '#initializing', Disclaimer: '#disclaimer-container', About: '#about-container', - VPN: '#vpn-container', Keyboard: '#keyboard-container', Help: '#help-container', TorrentCollection: '#torrent-collection-container', @@ -84,13 +83,6 @@ _.bind(this.getRegion('About').empty, this.getRegion('About')) ); - // Add event to show VPN installer - App.vent.on('vpn:show', _.bind(this.showVPN, this)); - App.vent.on( - 'vpn:close', - _.bind(this.getRegion('VPN').empty, this.getRegion('VPN')) - ); - // Keyboard App.vent.on('keyboard:show', _.bind(this.showKeyboard, this)); App.vent.on( @@ -296,7 +288,7 @@ }); // we check if the disclaimer is accepted - if (!AdvSettings.get('disclaimerAccepted') || AdvSettings.get('automaticUpdating') === '' || AdvSettings.get('dhtEnable') === '') { + if (!AdvSettings.get('disclaimerAccepted') || AdvSettings.get('updateNotification') === '' || AdvSettings.get('dhtEnable') === '') { that.showDisclaimer(); } @@ -312,6 +304,7 @@ switch (openScreen) { case 'Watchlist': that.showWatchlist(); break; case 'Favorites': that.showFavorites(); break; + case 'Watched': that.showFavorites(); break; case 'TV Series': that.tvshowTabShow(); break; case 'Anime': that.animeTabShow(); break; case 'Torrent-collection': @@ -461,10 +454,6 @@ this.showChildView('About', new App.View.About()); }, - showVPN: function(e) { - this.showChildView('VPN', new App.View.VPN()); - }, - showTorrentCollection: function(e) { this.showChildView('TorrentCollection', new App.View.TorrentCollection()); }, diff --git a/src/app/lib/views/movie_detail.js b/src/app/lib/views/movie_detail.js index 95ae3706c8..7f0872bfd9 100644 --- a/src/app/lib/views/movie_detail.js +++ b/src/app/lib/views/movie_detail.js @@ -245,9 +245,9 @@ !this.model.get('tmdb_id') && movie && movie.id ? this.model.set('tmdb_id', movie.id) : null; if (movie && movie.credits && movie.credits.cast && movie.credits.crew && (movie.credits.cast[0] || movie.credits.crew[0])) { curSynopsis.old = this.model.get('synopsis'); - curSynopsis.crew = movie.credits.crew.filter(function (el) {return el.job === 'Director';}).map(function (el) {return '' + el.job + ' - ${el.name.replace(/\ /g, ' ')}`;}).join('   ') + '

 

'; - curSynopsis.allcast = movie.credits.cast.map(function (el) {return '${el.name.replace(/\ /g, ' ')} - ${el.character.replace(/\ /g, ' ')}`;}).join('   ') + '

 

'; - curSynopsis.cast = movie.credits.cast.slice(0,10).map(function (el) {return '${el.name.replace(/\ /g, ' ')} - ${el.character.replace(/\ /g, ' ')}`;}).join('   ') + (movie.credits.cast.length > 10 ? '   more...' : '') + '

 

'; + curSynopsis.crew = movie.credits.crew.filter(function (el) {return el.job === 'Director';}).map(function (el) {return '' + el.job + ' - ${el.name.replace(/\ /g, ' ')}`;}).join('   ') + '

 

'; + curSynopsis.allcast = movie.credits.cast.map(function (el) {return '${el.name.replace(/\ /g, ' ')} - ${el.character.replace(/\ /g, ' ')}`;}).join('   ') + '

 

'; + curSynopsis.cast = movie.credits.cast.slice(0,10).map(function (el) {return '${el.name.replace(/\ /g, ' ')} - ${el.character.replace(/\ /g, ' ')}`;}).join('   ') + (movie.credits.cast.length > 10 ? '   more...' : '') + '

 

'; } // Fallback to english when source and TMDb call in default language that is other than english fail to fetch synopsis if (!this.model.get('synopsis') && Settings.language !== 'en') { diff --git a/src/app/lib/views/play_control.js b/src/app/lib/views/play_control.js index 89a3e5408d..0fcb2996da 100644 --- a/src/app/lib/views/play_control.js +++ b/src/app/lib/views/play_control.js @@ -200,7 +200,7 @@ hideTooltipsSubs: function (e) { this.hideTooltips(); if (e.button === 2) { - nw.Shell.openExternal('https://www.opensubtitles.org/search/' + (this.model.get('imdb_id') ? this.model.get('imdb_id').replace('tt', 'imdbid-') : '')); + nw.Shell.openExternal('https://www.opensubtitles.org/search/sublanguageid-all/' + (this.model.get('imdb_id') ? this.model.get('imdb_id').replace('tt', 'imdbid-') : '')); } }, diff --git a/src/app/lib/views/player/loading.js b/src/app/lib/views/player/loading.js index e44c4b1d2a..e677d13a67 100644 --- a/src/app/lib/views/player/loading.js +++ b/src/app/lib/views/player/loading.js @@ -26,12 +26,10 @@ streaming: '.external-play', controls: '.player-controls', cancel_button: '#cancel-button', - cancel_button_vpn: '#cancel-button-vpn', playingbarBox: '.playing-progressbar', playingbar: '#playingbar-contents', minimizeIcon: '.minimize-icon', maximizeIcon: '.maximize-icon', - vpn: '#vpn-contents', userIp: '#userIp', userCity: '#userCity', userCountry: '#userCountry', @@ -43,7 +41,6 @@ events: { 'click #cancel-button': 'cancelStreaming', 'click #cancel-button-regular': 'cancelStreaming', - 'click #cancel-button-vpn': 'cancelStreamingVPN', 'dblclick .text_filename': 'openItem', 'click .pause': 'pauseStreaming', 'click .stop': 'stopStreaming', @@ -88,30 +85,6 @@ this.listenTo(this.model, 'change:state', this.onStateUpdate); }, - showVPNLoader: function() { - request( - { - url: 'https://myip.ht/status', - json: true - }, - (err, _, data) => { - if (err || !data || data.error) { - console.log('can\'t extract user data, using default loader'); - } else { - this.ui.cancel_button.css('visibility', 'hidden'); - this.ui.vpn.css('display', 'block'); - this.ui.state.css('top', '200px'); - this.ui.userIp.text(data.ip); - this.ui.userCity.text(data.advanced.city); - this.ui.userCountry.text(data.advanced.countryName); - this.ui.userZIP.text(data.advanced.postalCode); - this.ui.userISP.text(data.isp); - this.ui.map.parent().html(''); - } - } - ); - }, - initKeyboardShortcuts: function() { var that = this; Mousetrap.bind('ctrl+v', function (e) { @@ -201,7 +174,6 @@ this.ui.stateTextDownload.text(i18n.__('Downloading')); this.ui.progressbar.parent().css('visibility', 'hidden'); if (streamInfo && streamInfo.get('device')) { - this.ui.vpn.css('display', 'none'); this.ui.playingbar.css('width', '0%'); this.ui.cancel_button.css('visibility', 'visible'); if (Settings.activateLoCtrl === true) { @@ -312,11 +284,6 @@ App.vent.trigger('torrentcache:stop'); }, - cancelStreamingVPN: function() { - this.cancelStreaming(); - App.vent.trigger('vpn:open'); - }, - showpcontrols: function (e) { if (Settings.activateLoCtrl === false) { AdvSettings.set('activateLoCtrl', true); @@ -437,7 +404,7 @@ onBeforeDestroy: function() { $('.filter-bar').show(); $('#header').removeClass('header-shadow'); - $('.button, #watch-now, .show-details .sdo-watch, .sdow-watchnow, .playerchoice, .file-item, .file-item a, .result-item, .result-item > *:not(.item-icon), .trash-torrent, .collection-paste, .collection-import, .seedbox .item-play, #torrent-list .item-row, #torrent-show-list .item-row, #torrent-list .item-play, #torrent-show-list .item-play').removeClass('disabled').removeProp('disabled'); + $('.button, #watch-now, .show-details .sdo-watch, .sdow-watchnow, .playerchoice, .file-item, .file-item a, .result-item, .result-item > *:not(.item-icon), .trash-torrent, .collection-paste, .collection-import, .seedbox .item-play, .seedbox .exit-when-done, #torrent-list .item-row, #torrent-show-list .item-row, #torrent-list .item-play, #torrent-show-list .item-play').removeClass('disabled').removeProp('disabled'); Mousetrap.bind(['esc', 'backspace'], function(e) { App.vent.trigger('show:closeDetail'); App.vent.trigger('movie:closeDetail'); diff --git a/src/app/lib/views/player/player.js b/src/app/lib/views/player/player.js index c0abbc659f..29a1055aec 100644 --- a/src/app/lib/views/player/player.js +++ b/src/app/lib/views/player/player.js @@ -401,13 +401,13 @@ onPlayerError: function (error) { this.sendToTrakt('stop'); - // TODO: user errors if (this.model.get('type') === 'video/youtube') { - setTimeout(function () { - App.vent.trigger('player:close'); - }, 2000); + $('.vjs-error-display').hide(); + var msCatch = document.getElementsByClassName('trailer_mouse_catch')[0]; + msCatch.style.cursor = 'pointer'; + msCatch.onmouseup = function (e) { Common.openOrClipboardLink(e, _this.model.get('src'), i18n.__('link')); }; + msCatch.onclick = function () { _this.closePlayer(); }; } - var videoPlayer = $('#video_player'); }, metadataCheck: function () { @@ -782,9 +782,9 @@ adjustHue: function (difference) { this.filters.hue += difference; if (this.filters.hue < -180) { - this.filters.hue = -180; + this.filters.hue += 360; } else if (this.filters.hue > 180) { - this.filters.hue = 180; + this.filters.hue -= 360; } this.applyFilters(); this.displayOverlayMsg(i18n.__('Hue') + ': ' + this.filters.hue.toFixed(0)); @@ -807,7 +807,12 @@ // On some devices, the image turns orange if both hue-rotate() and saturate() are used! // So we only add the hue-rotate() filter if requested by the user. const hueAdjustment = hue === 0 ? '' : `hue-rotate(${hue}deg)`; - curVideo[0].style.filter = `brightness(${brightness}) contrast(${contrast}) ${hueAdjustment} saturate(${saturation})`; + // By default, increasing brightness in HTML5 also visually increases saturation and contrast + // To match other players, we reduce contrast and saturation, to keep the other filters steady + const deltaB = brightness - 1.0; + const finalContrast = contrast - deltaB * 0.333; + const finalSaturation = saturation - deltaB * 0.5; + curVideo[0].style.filter = `brightness(${brightness}) contrast(${finalContrast}) ${hueAdjustment} saturate(${finalSaturation})`; }, bindKeyboardShortcuts: function () { @@ -1263,7 +1268,7 @@ if (this.inFullscreen && !win.isFullscreen) { $('.btn-os.fullscreen').removeClass('active'); } - $('.button, #watch-now, .show-details .sdo-watch, .sdow-watchnow, .playerchoice, .file-item, .file-item a, .result-item, .result-item > *:not(.item-icon), .trash-torrent, .collection-paste, .collection-import, .seedbox .item-play, #torrent-list .item-row, #torrent-show-list .item-row, #torrent-list .item-play, #torrent-show-list .item-play').removeClass('disabled').removeProp('disabled'); + $('.button, #watch-now, .show-details .sdo-watch, .sdow-watchnow, .playerchoice, .file-item, .file-item a, .result-item, .result-item > *:not(.item-icon), .trash-torrent, .collection-paste, .collection-import, .seedbox .item-play, .seedbox .exit-when-done, #torrent-list .item-row, #torrent-show-list .item-row, #torrent-list .item-play, #torrent-show-list .item-play').removeClass('disabled').removeProp('disabled'); this.unbindKeyboardShortcuts(); Mousetrap.bind('ctrl+v', function (e) { }); diff --git a/src/app/lib/views/seedbox.js b/src/app/lib/views/seedbox.js index 576eead654..114cf75de4 100644 --- a/src/app/lib/views/seedbox.js +++ b/src/app/lib/views/seedbox.js @@ -7,6 +7,10 @@ totalSize, totalDownloaded, totalPer, + exitWhenDoneBtn, + exitWhenDoneStatus, + exitWhenDoneTimer, + exitWhenDoneInt, updateInterval; const supported = ['.mp4', '.m4v', '.avi', '.mov', '.mkv', '.wmv']; @@ -37,7 +41,8 @@ 'mousedown .seedbox-infos-title, .file-item a, .episodeData div': 'copytoclip', 'click .item-play': 'addItem', 'click .item-download': 'addItem', - 'click .item-remove': 'removeItem' + 'click .item-remove': 'removeItem', + 'click .exit-when-done': 'exitWhenDone' }, initialize: function () { @@ -61,7 +66,9 @@ let currentHash; try { currentHash = App.LoadingView.model.attributes.streamInfo.attributes.torrentModel.attributes.torrent.infoHash; } catch(err) {} currentHash && $('#trash-'+currentHash)[0] ? $('#trash-'+currentHash).addClass('disabled').prop('disabled', true) : null; + $('.seedbox .exit-when-done').addClass('disabled'); } + exitWhenDoneStatus ? $('.seedbox .exit-when-done').addClass('active') : $('.seedbox .exit-when-done').removeClass('active'); }, onRender: function () { @@ -275,7 +282,7 @@ const hash = $('.tab-torrent.active')[0].getAttribute('id'); const torrent = App.WebTorrent.torrents.find(torrent => torrent.infoHash === hash); const filename = e.target.childNodes[1] ? e.target.childNodes[1].innerHTML : e.target.innerHTML; - const location = torrent.files.filter(obj => { return obj.name === filename; })[0].path.replace(/[^\\/]*$/, ''); + const location = path.join(torrent.path, torrent.files.filter(obj => { return obj.name === filename; })[0].path.replace(/[^\\/]*$/, '')); App.settings.os === 'windows' ? nw.Shell.openExternal(location) : nw.Shell.openItem(location); }, @@ -306,6 +313,7 @@ if (target.hasClass('item-play')) { $('#trash-'+hash).addClass('disabled').prop('disabled', true); $('.seedbox .item-play').addClass('disabled').prop('disabled', true); + $('.seedbox .exit-when-done').addClass('disabled'); } else if (isPaused) { this.pauseTorrent(thisTorrent); } @@ -333,6 +341,59 @@ } }, + exitWhenDone: function () { + clearInterval(exitWhenDoneInt); + clearInterval(exitWhenDoneTimer); + exitWhenDoneBtn = $('.seedbox .exit-when-done'); + App.vent.trigger('notification:close'); + if (exitWhenDoneBtn.hasClass('active')) { + exitWhenDoneStatus = false; + exitWhenDoneBtn.removeClass('active'); + return; + } + exitWhenDoneStatus = true; + exitWhenDoneBtn.addClass('active'); + exitWhenDoneInt = window.setInterval(function () { + var torrents = App.WebTorrent.torrents; + var doneTorrents = 0; + for (const i in torrents) { + torrents[i].done || !torrents[i].done && torrents[i].paused ? doneTorrents++ : null; + } + if (!$('.loading').is(':visible') && !$('.player').is(':visible') && torrents.length === doneTorrents) { + clearInterval(exitWhenDoneInt); + if (torrents.length === 0) { + exitWhenDoneStatus = false; + exitWhenDoneBtn.removeClass('active'); + return; + } + var exittime = new Date().getTime() + 30000; + exitWhenDoneTimer = setInterval(function () { + var timeleft = Math.round((exittime - new Date().getTime()) / 1000); + if (timeleft <= 0) { + win.close(true); + } else if (timeleft <= 1) { + $('#notification .notificationWrapper #timerunit').html(i18n.__('second')); + } + $('#notification .notificationWrapper #timer').html(timeleft); + }, 1000); + var abortExit = (function () { + this.clearInterval(exitWhenDoneTimer); + exitWhenDoneStatus = false; + $('.seedbox .exit-when-done').removeClass('active'); + App.vent.trigger('notification:close'); + }.bind(this)); + var notificationModel = new App.Model.Notification({ + title: '', + body: '
' + i18n.__('Exiting Popcorn Time...') + '
(' + i18n.__('does not clear the Cache Folder') + ')

' + '30 ' + '' + i18n.__('seconds') + ' ' + i18n.__('left to cancel this action') + '

', + type: 'danger', + showClose: false, + buttons: [{ title: i18n.__('Exit Now'), action: function () { win.close(true); } }, { title: i18n.__('Cancel'), action: abortExit }] + }); + App.vent.trigger('notification:show', notificationModel); + } + }, 10000); + }, + openMagnet: function (e) { const hash = $('.tab-torrent.active')[0].getAttribute('id'); const torrent = App.WebTorrent.torrents.find(torrent => torrent.infoHash === hash); diff --git a/src/app/lib/views/settings_container.js b/src/app/lib/views/settings_container.js index 04ffbf360a..f4b7b5aa16 100644 --- a/src/app/lib/views/settings_container.js +++ b/src/app/lib/views/settings_container.js @@ -26,6 +26,7 @@ 'contextmenu input': 'rightclick_field', 'click .rebuild-bookmarks': 'rebuildBookmarks', 'click .flush-bookmarks': 'flushBookmarks', + 'click .flush-watched': 'flushWatched', 'click .flush-databases': 'flushAllDatabase', 'click #faketmpLocation': 'showCacheDirectoryDialog', 'click #fakedownloadsLocation': 'showDownloadsDirectoryDialog', @@ -306,6 +307,8 @@ case 'theme': case 'delSeedboxCache': case 'maxLimitMult': + case 'moviesUITransparency': + case 'seriesUITransparency': value = $('option:selected', field).val(); break; case 'poster_size': @@ -341,7 +344,6 @@ case 'showAdvancedSettings': case 'alwaysOnTop': case 'playNextEpisodeAuto': - case 'automaticUpdating': case 'updateNotification': case 'events': case 'alwaysFullscreen': @@ -356,6 +358,7 @@ case 'seriesTabEnable': case 'animeTabEnable': case 'favoritesTabEnable': + case 'watchedTabEnable': value = field.is(':checked'); break; case 'httpApiEnabled': @@ -584,6 +587,14 @@ $('select[name=start_screen]').change(); } break; + case 'watchedTabEnable': + App.vent.trigger('favorites:list'); + $('.nav-hor.left li:first').click(); + App.vent.trigger('settings:show'); + if (AdvSettings.get('startScreen') === 'Watched') { + $('select[name=start_screen]').change(); + } + break; case 'activateWatchlist': if (App.Trakt.authenticated) { $('.nav-hor.left li:first').click(); @@ -626,6 +637,8 @@ case 'multipleExtSubtitles': case 'httpApiEnabled': case 'expandedSearch': + case 'moviesUITransparency': + case 'seriesUITransparency': case 'playNextEpisodeAuto': $('.nav-hor.left li:first').click(); App.vent.trigger('settings:show'); @@ -880,6 +893,21 @@ }); }, + flushWatched: function (e) { + var btn = $(e.currentTarget); + + if (!this.areYouSure(btn, i18n.__('Flushing watched...'))) { + return; + } + + this.alertMessageWait(i18n.__('We are flushing your database')); + + Database.deleteWatched() + .then(function () { + that.alertMessageSuccess(true); + }); + }, + resetSettings: function (e) { var btn = $(e.currentTarget); diff --git a/src/app/lib/views/show_detail.js b/src/app/lib/views/show_detail.js index 072b060f65..f07a0d2613 100644 --- a/src/app/lib/views/show_detail.js +++ b/src/app/lib/views/show_detail.js @@ -35,6 +35,7 @@ 'click .shmi-rating': 'switchRating', 'click .health-icon': 'refreshTorrentHealth', 'mousedown .shp-img': 'clickPoster', + 'mousedown .show-detail-container': 'exitZoom', 'mousedown .shm-title, .sdoi-title, .episodeData div': 'copytoclip', 'click .playerchoicehelp': 'showPlayerList' }, @@ -915,8 +916,9 @@ }, clickPoster: function(e) { + e.stopPropagation(); if (e.button === 0) { - $('.sh-poster, .show-details, .sh-metadata, .sh-actions').toggleClass('active'); + $('.sh-poster').hasClass('active') ? this.exitZoom() : this.posterZoom(); } else if (e.button === 2) { var clipboard = nw.Clipboard.get(); clipboard.set($('.shp-img')[0].style.backgroundImage.slice(4, -1).replace(/"/g, ''), 'text'); @@ -924,6 +926,18 @@ } }, + posterZoom: function() { + var zoom = $('.show-detail-container').height() / $('.shp-img').height() * (0.75 + Settings.bigPicture / 2000); + var top = parseInt(($('.shp-img').height() * zoom - $('.shp-img').height()) / 2 + (3000 / Settings.bigPicture)) + 'px'; + var left = parseInt(($('.shp-img').width() * zoom - $('.shp-img').width()) / 2 + (2000 / Settings.bigPicture)) + 'px'; + $('.sh-poster, .show-details, .sh-metadata, .sh-actions').addClass('active'); + $('.sh-poster.active').css({transform: 'scale(' + zoom + ')', top: top, left: left}); + }, + + exitZoom: function() { + $('.sh-poster').hasClass('active') ? $('.sh-poster, .show-details, .sh-metadata, .sh-actions').removeClass('active').removeAttr('style') : null; + }, + copytoclip: (e) => Common.openOrClipboardLink(e, $(e.target)[0].textContent, ($(e.target)[0].className ? i18n.__($(e.target)[0].className.replace('shm-', '').replace('sdoi-', 'episode ')) : i18n.__('episode title')), true), retrieveTorrentHealth: function(cb) { @@ -945,16 +959,15 @@ const sourceURL = $('.startStreaming').attr('data-source'); const provider = $('.startStreaming').attr('data-provider'); let providerIcon; + const showProvider = App.Config.getProviderForType('tvshow')[0]; + this.icons.getLink(showProvider, provider) + .then((icon) => providerIcon = icon || '/src/app/images/icons/' + provider + '.png') + .catch((error) => { !providerIcon ? providerIcon = '/src/app/images/icons/' + provider + '.png' : null; }) + .then(() => $('.source-icon').html(``)); if (sourceURL) { - const showProvider = App.Config.getProviderForType('tvshow')[0]; - this.icons.getLink(showProvider, provider) - .then((icon) => providerIcon = icon || '/src/app/images/icons/' + provider + '.png') - .catch((error) => { !providerIcon ? providerIcon = '/src/app/images/icons/' + provider + '.png' : null; }) - .then(() => $('.source-icon').html(``)); - $('.source-icon').show().attr('data-original-title', sourceURL.split('//').pop().split('/')[0]); + $('.source-icon').attr('data-original-title', sourceURL.split('//').pop().split('/')[0]).css('cursor', 'pointer'); } else { - $('.source-icon').html(''); - $('.source-icon').hide(); + $('.source-icon').attr('data-original-title', provider.toLowerCase()).css('cursor', 'default'); } }, diff --git a/src/app/lib/views/torrent-list.js b/src/app/lib/views/torrent-list.js index 9aacaebf5d..36aab180ab 100644 --- a/src/app/lib/views/torrent-list.js +++ b/src/app/lib/views/torrent-list.js @@ -69,6 +69,8 @@ e.stopPropagation(); const torrent = this.getTorrent(e.target); const download = !$(e.target).hasClass('item-play'); + Settings.droppedMagnet = torrent.url || null; + Settings.droppedMagnetName = torrent.title || null; var torrentStart = new Backbone.Model({ torrent: torrent.url, title: this.model.get('select') && !download ? null : torrent.title, diff --git a/src/app/lib/views/torrent_collection.js b/src/app/lib/views/torrent_collection.js index e115d6ec7b..2bed4e1bc5 100644 --- a/src/app/lib/views/torrent_collection.js +++ b/src/app/lib/views/torrent_collection.js @@ -31,10 +31,10 @@ 'click .togglesengines': 'togglesengines', 'change #enableThepiratebaySearch': 'toggleThepiratebay', 'change #enable1337xSearch': 'toggle1337x', - 'change #enableRarbgSearch': 'toggleRarbg', + 'change #enableSolidTorrentsSearch': 'toggleSolidtorrents', 'change #enableTgxtorrentSearch': 'toggleTgxtorrent', 'change #enableNyaaSearch': 'toggleNyaa', - 'contextmenu .online-search, #enableThepiratebaySearchL, #enable1337xSearchL, #enableRarbgSearchL, #enableTgxtorrentSearchL, #enableNyaaSearchL': 'onlineFilter', + 'contextmenu .online-search, #enableThepiratebaySearchL, #enable1337xSearchL, #enableSolidTorrentsSearchL, #enableTgxtorrentSearchL, #enableNyaaSearchL': 'onlineFilter', 'change .online-categories select': 'setCategory', }, @@ -106,8 +106,8 @@ AdvSettings.set('enable1337xSearch', !Settings.enable1337xSearch); }, - toggleRarbg: function () { - AdvSettings.set('enableRarbgSearch', !Settings.enableRarbgSearch); + toggleSolidtorrents: function () { + AdvSettings.set('enableSolidTorrentsSearch', !Settings.enableSolidTorrentsSearch); }, toggleTgxtorrent: function () { @@ -146,7 +146,7 @@ this.ui.spinner.show(); that.$('.online-search').addClass('active'); - that.$('.online-search, #enableThepiratebaySearchL, #enable1337xSearchL, #enableRarbgSearchL, #enableTgxtorrentSearchL, #enableNyaaSearchL').attr('title', '0 results').tooltip('fixTitle'); + that.$('.online-search, #enableThepiratebaySearchL, #enable1337xSearchL, #enableSolidTorrentsSearchL, #enableTgxtorrentSearchL, #enableNyaaSearchL').attr('title', '0 results').tooltip('fixTitle'); clearTimeout(hidetooltps); @@ -158,12 +158,11 @@ const results = []; setTimeout(function () { resolve(results); - }, 6000); + }, 8000); const tpb = torrentCollection.tpb; tpb.search({ query: input, category: category, - sort: 'seeders', verified: false }).then(function (data) { $('#enableThepiratebaySearchL').attr('title', data.torrents.length + ' results').tooltip('fixTitle').tooltip('show'); @@ -182,6 +181,7 @@ results.push(itemModel); index++; }); + resolve(results); }).catch(function (err) { console.error('ThePirateBay search:', err); resolve(results); @@ -196,12 +196,11 @@ const results = []; setTimeout(function () { resolve(results); - }, 6000); + }, 8000); const leet = torrentCollection.leet; leet.search({ query: input, category: category, - sort: 'seeders', verified: false }).then(function (data) { $('#enable1337xSearchL').attr('title', data.torrents.length + ' results').tooltip('fixTitle').tooltip('show'); @@ -209,17 +208,18 @@ const itemModel = { provider: '1337x.to', icon: 'T1337x', - title: item.Name, - url: item.Url, - magnet: item.Magnet, - seeds: item.Seeders, - peers: item.Leechers, - size: item.Size, + title: item.title, + url: item.url, + magnet: item.magnet, + seeds: item.seed, + peers: item.leech, + size: item.size, index: index }; results.push(itemModel); index++; }); + resolve(results); }).catch(function (err) { console.error('1337x search:', err); resolve(results); @@ -228,38 +228,38 @@ } }; - var rarbg = function () { - if (Settings.enableRarbgSearch) { + var solidtorrents = function () { + if (Settings.enableSolidTorrentsSearch) { return new Promise(function (resolve) { const results = []; setTimeout(function () { resolve(results); - }, 6000); - const rbg = torrentCollection.rbg; - rbg.search({ - query: input.toLocaleLowerCase(), - category: category.toLocaleLowerCase(), - sort: 'seeders', + }, 8000); + const stor = torrentCollection.stor; + stor.search({ + query: input, + category: category, verified: false }).then(function (data) { - $('#enableRarbgSearchL').attr('title', data.length + ' results').tooltip('fixTitle').tooltip('show'); - data.forEach(function (item) { + $('#enableSolidTorrentsSearchL').attr('title', data.torrents.length + ' results').tooltip('fixTitle').tooltip('show'); + data.torrents.forEach(function (item) { const itemModel = { - provider: 'rarbg.to', - icon: 'rarbg', + provider: 'solidtorrents.to', + icon: 'solidtorrents', title: item.title, - url: item.info_page, - magnet: item.download, - seeds: item.seeders, - peers: item.leechers, - size: Common.fileSize(parseInt(item.size)), + url: item.url, + magnet: item.magnet, + seeds: item.seed, + peers: item.leech, + size: item.size, index: index }; results.push(itemModel); index++; }); + resolve(results); }).catch(function (err) { - console.error('RARBG search:', err); + console.error('SolidTorrents search:', err); resolve(results); }); }); @@ -272,12 +272,11 @@ const results = []; setTimeout(function () { resolve(results); - }, 6000); + }, 8000); const tgx = torrentCollection.tgx; tgx.search({ query: input, category: category, - sort: 'seeders', verified: false }).then(function (data) { $('#enableTgxtorrentSearchL').attr('title', data.torrents.length + ' results').tooltip('fixTitle').tooltip('show'); @@ -296,6 +295,7 @@ results.push(itemModel); index++; }); + resolve(results); }).catch(function (err) { console.error('TorrentGalaxy search:', err); resolve(results); @@ -310,12 +310,11 @@ const results = []; setTimeout(function () { resolve(results); - }, 6000); + }, 8000); const nyaa = torrentCollection.nyaa; nyaa.search({ query: input, category: category, - sort: 'seeders', verified: false }).then(function (data) { $('#enableNyaaSearchL').attr('title', data.torrents.length + ' results').tooltip('fixTitle').tooltip('show'); @@ -323,17 +322,18 @@ const itemModel = { provider: 'nyaa.si', icon: 'nyaa', - title: item.Name, - url: item.Url, - magnet: item.Magnet, - seeds: item.Seeders, - peers: item.Leechers, - size: item.Size, + title: item.title, + url: item.url, + magnet: item.magnet, + seeds: item.seed, + peers: item.leech, + size: item.size, index: index }; results.push(itemModel); index++; }); + resolve(results); }).catch(function (err) { console.error('Nyaa search:', err); resolve(results); @@ -364,7 +364,7 @@ return Promise.all([ piratebay(), leetx(), - rarbg(), + solidtorrents(), torrentgalaxy(), nyaaSI(), ]).then(function (results) { diff --git a/src/app/lib/views/vpn.js b/src/app/lib/views/vpn.js deleted file mode 100644 index 777204d80d..0000000000 --- a/src/app/lib/views/vpn.js +++ /dev/null @@ -1,203 +0,0 @@ -(function(App) { - 'use strict'; - - let timeout = null; - let token = null; - let plan = 'ANNUALLY'; - let paymentProcessor = null; - - var VPN = Marionette.View.extend({ - template: '#vpn-tpl', - className: 'vpn', - - events: { - 'click .close-icon': 'closeVPN', - 'click .install-vpn-button': 'installVPN', - 'click .already-customer': 'installVPN', - 'click .signup-button': 'signupVPN', - 'click .switch-flat': 'switchFlat', - 'click .select-plan-button-paypal': 'buyPaypal', - 'click .select-plan-button-btc': 'buyBTC', - 'click .select-plan-button-cc': 'buyCC', - 'click .select-plan-button-ideal': 'buyIdeal' - }, - - initialize: function() { - App.vent.on('vpn:installProgress', function(percentage) { - $('#progress-vpn').attr('value', percentage); - }); - App.vent.on('vpn:downloaded', function() { - App.vent.trigger('vpn:close'); - }); - }, - - onAttach: function() { - $('.filter-bar').hide(); - $('#header').addClass('header-shadow'); - - Mousetrap.bind(['esc', 'backspace'], function(e) { - App.vent.trigger('vpn:close'); - }); - win.info('Show VPN'); - $('#movie-detail').hide(); - }, - - onBeforeDestroy: function() { - Mousetrap.unbind(['esc', 'backspace']); - $('.filter-bar').show(); - $('#header').removeClass('header-shadow'); - $('#movie-detail').show(); - }, - - closeVPN: function() { - App.vent.trigger('vpn:close'); - }, - - installVPN: function() { - $('.create-account').addClass('hidden'); - $('.select-plan').addClass('hidden'); - - $('.install-vpn').removeClass('hidden'); - $('.install-vpn-button').addClass('hidden'); - $('.progress-vpn-container').removeClass('hidden'); - App.vent.trigger('vpn:install'); - }, - - switchFlat: function() { - $('.yearly').toggleClass('green'); - if ($('.switch-flat').is(':checked')) { - plan = 'ANNUALLY'; - $('.price').html('3.33$'); - $('.period').html('per month, billed annually'); - } else { - plan = 'MONTHLY'; - $('.price').html('1.00$'); - $('.period').html('first month, then $4.99/month'); - } - }, - - buyPaypal: function() { - paymentProcessor = 'PAYPAL'; - $('#paypalIcon') - .removeClass('fab fa-paypal') - .addClass('fa fa-spinner fa-spin') - .attr('disabled', true); - - this.selectPlanApi(); - }, - - buyBTC: function() { - paymentProcessor = 'CRYPTO'; - $('#btcIcon') - .removeClass('fab fa-bitcoin') - .addClass('fa fa-spinner fa-spin') - .attr('disabled', true); - - this.selectPlanApi(); - }, - - buyIdeal: function() { - paymentProcessor = 'PAYMENTWALL'; - $('#ccIdeal') - .removeClass('fab fa-bitcoin') - .addClass('fa fa-spinner fa-spin') - .attr('disabled', true); - - this.selectPlanApi(); - }, - - buyCC: function() { - paymentProcessor = 'PAYMENTWALL'; - $('#ccIcon') - .removeClass('fa-credit-card') - .addClass('fa-spinner fa-spin') - .attr('disabled', true); - - this.selectPlanApi(); - }, - - selectPlanApi: function() { - var self = this; - VPNht.pickPlan({ - plan, - processor: paymentProcessor, - authToken: token - }).then(plan => { - if (plan.error) { - $('.account_alert_message').text(plan.error.message); - $('.account_alert').removeClass('hidden'); - $('.full-text-intro').addClass('hidden'); - - if (timeout) { - clearTimeout(timeout); - } - - timeout = setTimeout(() => { - $('.full-text-intro').removeClass('hidden'); - $('.account_alert').addClass('hidden'); - }, 4000); - } else { - const { url } = plan.result.createSubscriptionCust; - nw.Shell.openExternal(url); - self.installVPN(); - } - }); - }, - - signupVPN: function() { - var email = $('#vpnEmail').val(), - password = $('#vpnPassword').val(); - - var spinner = $('#createAccountSpinner'); - var icon = $('#createAccountIcon'); - - spinner.removeClass('hidden'); - icon.addClass('hidden'); - - if (email !== '' && password !== '') { - VPNht.signup({ email, password }).then(signup => { - spinner.addClass('hidden'); - icon.removeClass('hidden'); - - if (signup.error) { - $('.account_alert_message').text(signup.error.message); - $('.account_alert').removeClass('hidden'); - $('.full-text-intro').addClass('hidden'); - - if (timeout) { - clearTimeout(timeout); - } - - timeout = setTimeout(() => { - $('.full-text-intro').removeClass('hidden'); - $('.account_alert').addClass('hidden'); - }, 4000); - } else { - token = signup.result.createCustomer.token; - // show select plan - $('.create-account').addClass('hidden'); - $('.select-plan').removeClass('hidden'); - } - }); - } else { - spinner.addClass('hidden'); - icon.removeClass('hidden'); - - $('.account_alert_message').text('Invalid email or password'); - $('.account_alert').removeClass('hidden'); - $('.full-text-intro').addClass('hidden'); - - if (timeout) { - clearTimeout(timeout); - } - - timeout = setTimeout(() => { - $('.full-text-intro').removeClass('hidden'); - $('.account_alert').addClass('hidden'); - }, 4000); - } - } - }); - - App.View.VPN = VPN; -})(window.App); diff --git a/src/app/settings.js b/src/app/settings.js index 7fd81ebeab..16bc415847 100644 --- a/src/app/settings.js +++ b/src/app/settings.js @@ -1,11 +1,11 @@ /** Default settings **/ var Settings = { projectName: 'Popcorn Time', - projectUrl: 'https://popcorntime.app', + projectUrl: '', projectCi: 'https://github.com/popcorn-official/popcorn-desktop/actions', projectBlog: 'https://github.com/popcorn-official/popcorn-desktop/wiki', projectForum: 'https://www.reddit.com/r/PopcornTimeApp', - projectForum2: 'https://discuss.popcorntime.app', + projectForum2: '', statusUrl: 'https://status.popcorntime.app', changelogUrl: 'https://github.com/popcorn-official/popcorn-desktop/commits/master', issuesUrl: 'https://github.com/popcorn-official/popcorn-desktop/issues', @@ -76,19 +76,13 @@ Settings.trackers = { 'udp://tracker.opentrackr.org:1337', 'udp://tracker.tiny-vps.com:6969', 'udp://tracker.openbittorrent.com:1337', - 'udp://tracker.leechers-paradise.org:6969', 'udp://p4p.arenabg.com:1337', - 'udp://tracker.internetwarriors.net:1337', - 'udp://9.rarbg.to:2710', - 'udp://9.rarbg.me:2710', 'udp://exodus.desync.com:6969', - 'udp://tracker.cyberia.is:6969', 'udp://tracker.torrent.eu.org:451', 'udp://open.stealth.si:80', - 'udp://tracker.moeking.me:6969', - 'udp://tracker.zerobytes.xyz:1337', + 'udp://tracker.dler.org:6969', 'udp://explodie.org:6969', - 'udp://retracker.lanta-net.ru:2710', + 'udp://tracker.therarbg.com:6969', 'udp://opentracker.i2p.rocks:6969', 'wss://tracker.openwebtorrent.com' ] @@ -102,6 +96,7 @@ Settings.moviesTabEnable = true; Settings.seriesTabEnable = true; Settings.animeTabEnable = true; Settings.favoritesTabEnable = true; +Settings.watchedTabEnable = true; Settings.coversShowRating = true; Settings.showSeedboxOnDlInit = true; Settings.expandedSearch = false; @@ -116,6 +111,8 @@ Settings.postersSizeRatio = 196 / 134; Settings.postersWidth = Settings.postersMinWidth; Settings.postersJump = [134, 154, 174, 194, 214, 234, 254, 274, 294]; Settings.bigPicture = 100; +Settings.moviesUITransparency = '0.65'; +Settings.seriesUITransparency = 'medium'; Settings.nativeWindowFrame = nw.App.manifest.window.frame; Settings.alwaysOnTop = false; Settings.minimizeToTray = false; @@ -167,7 +164,7 @@ Settings.activateTorrentCollection = true; Settings.toggleSengines = false; Settings.enableThepiratebaySearch = true; Settings.enable1337xSearch = true; -Settings.enableRarbgSearch = true; +Settings.enableSolidTorrentsSearch = true; Settings.enableTgxtorrentSearch = true; Settings.enableNyaaSearch = true; Settings.activateSeedbox = true; @@ -210,8 +207,7 @@ Settings.downloadsLocation = path.join(os.tmpdir(), Settings.projectName); Settings.databaseLocation = path.join(data_path, 'data'); // Updates -Settings.updateNotification = true; -Settings.automaticUpdating = ''; +Settings.updateNotification = ''; // App Settings Settings.version = false; @@ -313,159 +309,9 @@ var AdvSettings = { return Q(); }, - getNextApiEndpoint: function(endpoint) { - if (endpoint.index < endpoint.proxies.length - 1) { - endpoint.index++; - } else { - endpoint.index = 0; - } - endpoint.ssl = undefined; - _.extend(endpoint, endpoint.proxies[endpoint.index]); - return endpoint; - }, - - checkApiEndpoints: function(endpoints) { - return Q.all( - _.map(endpoints, function(endpoint) { - return AdvSettings.checkApiEndpoint(endpoint); - }) - ); - }, - - checkApiEndpoint: function(endpoint, defer) { - if (Settings.automaticUpdating === false) { - return; - } - - defer = defer || Q.defer(); - - endpoint.ssl = undefined; - _.extend(endpoint, endpoint.proxies[endpoint.index]); - - var _url = url.parse(endpoint.url); - win.debug('Checking %s endpoint', _url.hostname); - - function tryNextEndpoint() { - if (endpoint.index < endpoint.proxies.length - 1) { - endpoint.index++; - AdvSettings.checkApiEndpoint(endpoint, defer); - } else { - endpoint.index = 0; - endpoint.ssl = undefined; - _.extend(endpoint, endpoint.proxies[endpoint.index]); - defer.resolve(); - } - } - - if (endpoint.ssl === false) { - var request = http - .get( - { - hostname: _url.hostname - }, - function(res) { - res - .once('data', function(body) { - res.removeAllListeners('error'); - // Doesn't match the expected response - if ( - !_.isRegExp(endpoint.fingerprint) || - !endpoint.fingerprint.test(body.toString('utf8')) - ) { - win.warn( - '[%s] Endpoint fingerprint %s does not match %s', - _url.hostname, - endpoint.fingerprint, - body.toString('utf8') - ); - tryNextEndpoint(); - } else { - defer.resolve(); - } - }) - .once('error', function(e) { - win.warn('[%s] Endpoint failed [%s]', _url.hostname, e.message); - tryNextEndpoint(); - }); - } - ) - .setTimeout(5000, function() { - win.warn('[%s] Endpoint timed out', _url.hostname); - request.abort(); - tryNextEndpoint(); - }); - } else { - tls - .connect( - 443, - _url.hostname, - { - servername: _url.hostname, - rejectUnauthorized: false - }, - function() { - this.setTimeout(0); - this.removeAllListeners('error'); - if ( - !this.authorized || - this.authorizationError || - this.getPeerCertificate().fingerprint !== endpoint.fingerprint - ) { - // "These are not the certificates you're looking for..." - // Seems like they even got a certificate signed for us :O - win.warn( - '[%s] Endpoint fingerprint %s does not match %s', - _url.hostname, - endpoint.fingerprint, - this.getPeerCertificate().fingerprint - ); - tryNextEndpoint(); - } else { - defer.resolve(); - } - this.end(); - } - ) - .once('error', function(e) { - win.warn('[%s] Endpoint failed [%s]', _url.hostname, e.message); - this.setTimeout(0); - tryNextEndpoint(); - }) - .once('timeout', function() { - win.warn('[%s] Endpoint timed out', _url.hostname); - this.removeAllListeners('error'); - this.end(); - tryNextEndpoint(); - }) - .setTimeout(5000); - } - - return defer.promise; - }, - performUpgrade: function() { // This gives the official version (the package.json one) - var currentVersion = nw.App.manifest.version; - - if (currentVersion !== AdvSettings.get('version')) { - // Nuke the DB if there's a newer version - // Todo: Make this nicer so we don't lose all the cached data - var cacheDb = openDatabase( - 'cachedb', - '', - 'Cache database', - 50 * 1024 * 1024 - ); - - cacheDb.transaction(function(tx) { - tx.executeSql('DELETE FROM subtitle'); - tx.executeSql('DELETE FROM metadata'); - }); - - // Add an upgrade flag - window.__isUpgradeInstall = true; - } - AdvSettings.set('version', currentVersion); + AdvSettings.set('version', nw.App.manifest.version); AdvSettings.set('releaseName', nw.App.manifest.releaseName); } }; diff --git a/src/app/styl/Dutchys_-_Dark_Orange_theme.styl b/src/app/styl/Dutchys_-_Dark_Orange_theme.styl new file mode 100644 index 0000000000..a21aad4f6e --- /dev/null +++ b/src/app/styl/Dutchys_-_Dark_Orange_theme.styl @@ -0,0 +1,160 @@ +// THEME: DUTCHYS DARK ORANGE + +//Color variables: black & yellow + Black = #070707 + YellowL = #e67300 + YellowM = #e67300 + YellowD = #e67300 + YellowD2 = #e67300 + +//Fonts + $Font = 'Open Sans' + $MainFont = 'Open Sans Semibold' + $MainFontBold = 'Open Sans Bold' + $AlternateFont = sans-serif + $ButtonFont = 'Open Sans Semibold' + +//Main app + $BgColor1 = Black + $BgColor2 = lighten(Black,5%) + + $Text1 = #fff + $Text2 = #C9C9C9 + $Text3 = #939597 + $Text4 = #fff + $TextError = #797979 + + $CloseButton = #fff + $CloseButtonHover = YellowL + + $SpinnerColor1 = YellowD2 + $SpinnerColor2 = YellowD + + $ScrollBarBg = #30333c + $ScrollBarThumb = YellowD2 + $ScrollBarThumbHover = YellowD + +//Top Bar + $TitleBarBg = Black + $TitleBarText = #fff + $TbarIconFilter = none + $FullScreenButton = #999 + $FullScreenButtonHover = YellowL + + $FilterBarBg = Black + $FilterBarText = #e9e9e9 + $FilterBarTextHover = #fff + $FilterBarActive = YellowL + + $SearchBoxBg = #191818 + + $DropDownBg = rgba(Black,0.9) + $DropDownBgHover = rgba(YellowL,0.15) + $DropDownTextHover = #fff + $DropDownText = #d9d9d9 + $DropDownOpacity = 0.97 + + $FilterBarIcon = $Text1 + $FilterBarIconHover = YellowD + $FilterBarIcon-PosterWidth = #bababa + + $TopBarShadow = 0px 6px 8px -4px rgba(0, 0, 0, .9); + +//Buttons + $ButtonBg = YellowL + $ButtonBgHover = YellowM + $ButtonBgActive = YellowD + + $ButtonBgDisabled = #737577 + + $ButtonBgOk = #27AE60 + $ButtonBgWarning = #F15153 + + $ButtonText = #000 + $ButtonTextHover = #000 + + $ButtonRadius = 3px + +//Checkbox + $CheckboxBg = #232324 + $CheckboxCheck = YellowD + +//Posters + $PosterRadius = 4px + $PosterHoverBorder = $ButtonBgActive + $PosterHoverOverlay = rgba(23, 24, 27, 0.6) + $PosterHoverOverlayOpq = rgba(23, 24, 27, 1) + $PosterShadow = 0px 0px 10px + +//TV Series + $ShowBgColor1 = $BgColor1 + $ShowBgColor2 = $BgColor2 + + $EpisodeDetailsBg = $BgColor1 + + $ShowText1 = $Text1 + $ShowText2 = $Text2 + $ShowOddHighlight = lighten($ShowBgColor1,50%) + $ShowOddHighlightOp = 0.05 + + $SaisonListText = $Text1 + $EpisodeListText = $Text2 + + $EpisodeSelectorBg = darken(YellowD2,2%) + $EpisodeSelectorHover = #26272d + $EpisodeSelectorHoverTran = lighten($EpisodeSelectorHover,43%) + $EpisodeSelectorText = $ButtonText + + $ShowWatchedIcon_false = rgba(#fff,0.2) + $ShowWatchedIcon_hover = rgba(#fff,0.4) + $ShowWatchedIcon_true = #fff + + $QualitySelectorBg = $ButtonBg + $QualitySelectorText = $ButtonText + +//File selector + $FileSelectorText = #eee + $FileSelectorBg = rgba(255, 255, 255, 0.05) + $FileSelectorShadow = rgba(0, 0, 0, 0.67) + +//Settings + $SettingsCategoriesText = YellowD + $SettingsSeparator = #333 + + $InputBoxBg = #232324 + $InputBoxText = $Text2 + + $SettingsText1 = $Text2 + $SettingsText2 = $Text3 + + $SettingsButtonText = $ButtonText + $SettingsButtonTextHover = $ButtonText + +// Notifications + $NotificationText = #fff + $NotificationInfo = #3498DB + $NotificationSuccess = #27AE60 + $NotificationWarning = #dbb756 + $NotificationOrange = #f07f53 + $NotificationError = #f15153 + $NotificationBorderColor = #000 + + $NotificationBtn = #000 + $NotificationBtnText = #fff + + $NotifAlertBg = #000 + $NotifAlertText = #fff + +//Misc + $FavoriteColor = #df2d37 + $WarningColor = #FFA500 + $PngLogo = brightness(1.0) + $PngLogo_BgColo1 = brightness(1.0) + +//Player + $PlayerColor = YellowL + + +// THEME: DUTCHYS DARK ORANGE - END + +@import 'views/app' diff --git a/src/app/styl/Official_-_Black_&_Yellow_theme.styl b/src/app/styl/Official_-_Black_&_Yellow_theme.styl index 347ad2d575..5f5cce7eb7 100644 --- a/src/app/styl/Official_-_Black_&_Yellow_theme.styl +++ b/src/app/styl/Official_-_Black_&_Yellow_theme.styl @@ -94,12 +94,15 @@ $ShowText1 = $Text1 $ShowText2 = $Text2 + $ShowOddHighlight = lighten($ShowBgColor1,50%) + $ShowOddHighlightOp = 0.05 $SaisonListText = $Text1 $EpisodeListText = $Text2 $EpisodeSelectorBg = darken(YellowD2,2%) $EpisodeSelectorHover = #26272d + $EpisodeSelectorHoverTran = lighten($EpisodeSelectorHover,43%) $EpisodeSelectorText = $ButtonText $ShowWatchedIcon_false = rgba(#fff,0.2) diff --git a/src/app/styl/Official_-_Dark_theme.styl b/src/app/styl/Official_-_Dark_theme.styl index a5893374e0..cd6c274de8 100644 --- a/src/app/styl/Official_-_Dark_theme.styl +++ b/src/app/styl/Official_-_Dark_theme.styl @@ -87,12 +87,15 @@ $ShowText1 = #fff $ShowText2 = #8d9296 + $ShowOddHighlight = lighten($ShowBgColor1,58%) + $ShowOddHighlightOp = 0.05 $SaisonListText = #fff $EpisodeListText = #8d9296 $EpisodeSelectorBg = #1b2d4c $EpisodeSelectorHover = #26272d + $EpisodeSelectorHoverTran = lighten($EpisodeSelectorHover,43%) $EpisodeSelectorText = #fff $ShowWatchedIcon_false = rgba(#fff,0.2) diff --git a/src/app/styl/Official_-_FlaX_theme.styl b/src/app/styl/Official_-_FlaX_theme.styl index 7b51f8fbde..bb05b7c9df 100644 --- a/src/app/styl/Official_-_FlaX_theme.styl +++ b/src/app/styl/Official_-_FlaX_theme.styl @@ -92,6 +92,8 @@ //TV Series $ShowBgColor1 = lighten(DarkGreen,3) $ShowBgColor2 = lighten(DarkGreen,7) + $ShowOddHighlight = lighten($ShowBgColor1,58%) + $ShowOddHighlightOp = 0.05 $EpisodeDetailsBg = lighten(DarkGreen,3) @@ -103,6 +105,7 @@ $EpisodeSelectorBg = Rose $EpisodeSelectorHover = lighten($ShowBgColor2,6%) + $EpisodeSelectorHoverTran = lighten($EpisodeSelectorHover,43%) $EpisodeSelectorText = #fff $ShowWatchedIcon_false = rgba(White,0.3) diff --git a/src/app/styl/Official_-_Flat_UI_theme.styl b/src/app/styl/Official_-_Flat_UI_theme.styl index bb12acf3aa..4e79222614 100644 --- a/src/app/styl/Official_-_Flat_UI_theme.styl +++ b/src/app/styl/Official_-_Flat_UI_theme.styl @@ -87,12 +87,15 @@ $ShowText1 = #34495e $ShowText2 = #7f8c8d + $ShowOddHighlight = lighten($ShowBgColor1,50%) + $ShowOddHighlightOp = 0.1 $SaisonListText = #34495e $EpisodeListText = #34495e $EpisodeSelectorBg = rgba(#003366,0.6) $EpisodeSelectorHover = darken($ShowBgColor2,10%) + $EpisodeSelectorHoverTran = darken($EpisodeSelectorHover,43%) $EpisodeSelectorText = #fff $ShowWatchedIcon_false = rgba(#34495e,0.3) diff --git a/src/app/styl/Official_-_Light_theme.styl b/src/app/styl/Official_-_Light_theme.styl index d610c5ada5..232613a4ae 100644 --- a/src/app/styl/Official_-_Light_theme.styl +++ b/src/app/styl/Official_-_Light_theme.styl @@ -94,12 +94,15 @@ $ShowText1 = $Text1 $ShowText2 = $Text2 + $ShowOddHighlight = lighten($ShowBgColor1,50%) + $ShowOddHighlightOp = 0.1 $SaisonListText = Black $EpisodeListText = $Text2 $EpisodeSelectorBg = GreenD $EpisodeSelectorHover = darken($ShowBgColor2,10%) + $EpisodeSelectorHoverTran = darken($EpisodeSelectorHover,43%) $EpisodeSelectorText = $ButtonText $ShowWatchedIcon_false = rgba(#1d1d1d,0.3) diff --git a/src/app/styl/Sebastiaans_-_Black_&_Red_theme.styl b/src/app/styl/Sebastiaans_-_Black_&_Red_theme.styl index 46dc613696..b5b1c50bc5 100644 --- a/src/app/styl/Sebastiaans_-_Black_&_Red_theme.styl +++ b/src/app/styl/Sebastiaans_-_Black_&_Red_theme.styl @@ -93,12 +93,15 @@ $ShowText1 = $Text1 $ShowText2 = $Text2 + $ShowOddHighlight = lighten($ShowBgColor1,50%) + $ShowOddHighlightOp = 0.05 $SaisonListText = $Text1 $EpisodeListText = $Text2 $EpisodeSelectorBg = darken(#e3bd0c,2%) $EpisodeSelectorHover = #26272d + $EpisodeSelectorHoverTran = lighten($EpisodeSelectorHover,43%) $EpisodeSelectorText = $ButtonText $ShowWatchedIcon_false = rgba(#fff,0.2) diff --git a/src/app/styl/views/dropdowns.styl b/src/app/styl/views/dropdowns.styl index 6907c2bf2c..c511d44482 100644 --- a/src/app/styl/views/dropdowns.styl +++ b/src/app/styl/views/dropdowns.styl @@ -45,200 +45,202 @@ border-radius: 0 background-color: transparent &.ar - background-image: url("/node_modules/flag-icon-css/flags/4x3/ae.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ae.svg") &.hy - background-image: url("/node_modules/flag-icon-css/flags/4x3/am.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/am.svg") &.bn - background-image: url("/node_modules/flag-icon-css/flags/4x3/bd.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/bd.svg") &.bs - background-image: url("/node_modules/flag-icon-css/flags/4x3/ba.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ba.svg") &.pt-br - background-image: url("/node_modules/flag-icon-css/flags/4x3/br.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/br.svg") &.bg - background-image: url("/node_modules/flag-icon-css/flags/4x3/bg.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/bg.svg") &.zh - background-image: url("/node_modules/flag-icon-css/flags/4x3/cn.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/cn.svg") &.hr - background-image: url("/node_modules/flag-icon-css/flags/4x3/hr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/hr.svg") &.cs - background-image: url("/node_modules/flag-icon-css/flags/4x3/cz.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/cz.svg") &.da - background-image: url("/node_modules/flag-icon-css/flags/4x3/dk.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/dk.svg") &.nl - background-image: url("/node_modules/flag-icon-css/flags/4x3/nl.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/nl.svg") &.en - background-image: url("/node_modules/flag-icon-css/flags/4x3/gb.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/gb.svg") &.et - background-image: url("/node_modules/flag-icon-css/flags/4x3/ee.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ee.svg") &.fa - background-image: url("/node_modules/flag-icon-css/flags/4x3/ir.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ir.svg") &.fi - background-image: url("/node_modules/flag-icon-css/flags/4x3/fi.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/fi.svg") &.fr - background-image: url("/node_modules/flag-icon-css/flags/4x3/fr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/fr.svg") &.de - background-image: url("/node_modules/flag-icon-css/flags/4x3/de.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/de.svg") &.el - background-image: url("/node_modules/flag-icon-css/flags/4x3/gr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/gr.svg") &.he - background-image: url("/node_modules/flag-icon-css/flags/4x3/il.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/il.svg") &.hu - background-image: url("/node_modules/flag-icon-css/flags/4x3/hu.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/hu.svg") &.it - background-image: url("/node_modules/flag-icon-css/flags/4x3/it.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/it.svg") &.id - background-image: url("/node_modules/flag-icon-css/flags/4x3/id.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/id.svg") &.ja - background-image: url("/node_modules/flag-icon-css/flags/4x3/jp.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/jp.svg") &.ka - background-image: url("/node_modules/flag-icon-css/flags/4x3/ge.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ge.svg") &.ko - background-image: url("/node_modules/flag-icon-css/flags/4x3/kr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/kr.svg") &.lv - background-image: url("/node_modules/flag-icon-css/flags/4x3/lv.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/lv.svg") &.lt - background-image: url("/node_modules/flag-icon-css/flags/4x3/lt.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/lt.svg") &.mk - background-image: url("/node_modules/flag-icon-css/flags/4x3/mk.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/mk.svg") &.ms - background-image: url("/node_modules/flag-icon-css/flags/4x3/my.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/my.svg") &.mt - background-image: url("/node_modules/flag-icon-css/flags/4x3/mt.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/mt.svg") &.no - background-image: url("/node_modules/flag-icon-css/flags/4x3/no.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/no.svg") &.nb - background-image: url("/node_modules/flag-icon-css/flags/4x3/no.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/no.svg") &.nn - background-image: url("/node_modules/flag-icon-css/flags/4x3/no.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/no.svg") &.pl - background-image: url("/node_modules/flag-icon-css/flags/4x3/pl.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/pl.svg") &.pt - background-image: url("/node_modules/flag-icon-css/flags/4x3/pt.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/pt.svg") &.ro - background-image: url("/node_modules/flag-icon-css/flags/4x3/ro.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ro.svg") &.ru - background-image: url("/node_modules/flag-icon-css/flags/4x3/ru.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ru.svg") &.sr - background-image: url("/node_modules/flag-icon-css/flags/4x3/rs.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/rs.svg") &.sk - background-image: url("/node_modules/flag-icon-css/flags/4x3/sk.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/sk.svg") &.sl - background-image: url("/node_modules/flag-icon-css/flags/4x3/si.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/si.svg") &.es - background-image: url("/node_modules/flag-icon-css/flags/4x3/es.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/es.svg") &.sv - background-image: url("/node_modules/flag-icon-css/flags/4x3/se.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/se.svg") &.th - background-image: url("/node_modules/flag-icon-css/flags/4x3/th.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/th.svg") &.tr - background-image: url("/node_modules/flag-icon-css/flags/4x3/tr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/tr.svg") &.uk - background-image: url("/node_modules/flag-icon-css/flags/4x3/ua.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ua.svg") &.vi - background-image: url("/node_modules/flag-icon-css/flags/4x3/vn.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/vn.svg") &.sq - background-image: url("/node_modules/flag-icon-css/flags/4x3/al.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/al.svg") &.am - background-image: url("/node_modules/flag-icon-css/flags/4x3/et.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/et.svg") &.az - background-image: url("/node_modules/flag-icon-css/flags/4x3/az.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/az.svg") &.be - background-image: url("/node_modules/flag-icon-css/flags/4x3/by.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/by.svg") &.es-ar - background-image: url("/node_modules/flag-icon-css/flags/4x3/ar.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ar.svg") &.es-mx - background-image: url("/node_modules/flag-icon-css/flags/4x3/mx.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/mx.svg") &.fj - background-image: url("/node_modules/flag-icon-css/flags/4x3/fj.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/fj.svg") &.ga - background-image: url("/node_modules/flag-icon-css/flags/4x3/ie.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ie.svg") &.gn - background-image: url("/node_modules/flag-icon-css/flags/4x3/py.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/py.svg") &.hi - background-image: url("/node_modules/flag-icon-css/flags/4x3/in.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/in.svg") &.ho - background-image: url("/node_modules/flag-icon-css/flags/4x3/pg.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/pg.svg") &.ht - background-image: url("/node_modules/flag-icon-css/flags/4x3/ht.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ht.svg") &.is - background-image: url("/node_modules/flag-icon-css/flags/4x3/is.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/is.svg") &.kk - background-image: url("/node_modules/flag-icon-css/flags/4x3/kz.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/kz.svg") &.km - background-image: url("/node_modules/flag-icon-css/flags/4x3/kh.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/kh.svg") &.lb - background-image: url("/node_modules/flag-icon-css/flags/4x3/lu.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/lu.svg") &.lo - background-image: url("/node_modules/flag-icon-css/flags/4x3/la.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/la.svg") &.mg - background-image: url("/node_modules/flag-icon-css/flags/4x3/mg.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/mg.svg") &.mi - background-image: url("/node_modules/flag-icon-css/flags/4x3/nz.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/nz.svg") &.mn - background-image: url("/node_modules/flag-icon-css/flags/4x3/mn.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/mn.svg") &.my - background-image: url("/node_modules/flag-icon-css/flags/4x3/mm.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/mm.svg") &.na - background-image: url("/node_modules/flag-icon-css/flags/4x3/nr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/nr.svg") &.ne - background-image: url("/node_modules/flag-icon-css/flags/4x3/np.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/np.svg") &.ny - background-image: url("/node_modules/flag-icon-css/flags/4x3/nw.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/nw.svg") &.ps - background-image: url("/node_modules/flag-icon-css/flags/4x3/af.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/af.svg") &.rm - background-image: url("/node_modules/flag-icon-css/flags/4x3/ch.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ch.svg") &.rn - background-image: url("/node_modules/flag-icon-css/flags/4x3/bi.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/bi.svg") &.rw - background-image: url("/node_modules/flag-icon-css/flags/4x3/rw.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/rw.svg") &.si - background-image: url("/node_modules/flag-icon-css/flags/4x3/lk.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/lk.svg") &.sm - background-image: url("/node_modules/flag-icon-css/flags/4x3/ws.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ws.svg") &.sn - background-image: url("/node_modules/flag-icon-css/flags/4x3/zw.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/zw.svg") &.so - background-image: url("/node_modules/flag-icon-css/flags/4x3/so.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/so.svg") &.tg - background-image: url("/node_modules/flag-icon-css/flags/4x3/tj.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/tj.svg") &.ti - background-image: url("/node_modules/flag-icon-css/flags/4x3/er.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/er.svg") &.tk - background-image: url("/node_modules/flag-icon-css/flags/4x3/tm.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/tm.svg") + &.ua + background-image: url("/node_modules/flag-icons/flags/4x3/ua.svg") &.ur - background-image: url("/node_modules/flag-icon-css/flags/4x3/pk.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/pk.svg") &.uz - background-image: url("/node_modules/flag-icon-css/flags/4x3/uz.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/uz.svg") &.gl - background-image: url("/node_modules/flag-icon-css/flags/4x3/es-ga.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/es-ga.svg") &.ca - background-image: url("/node_modules/flag-icon-css/flags/4x3/es-ca.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/es-ca.svg") &.oc - background-image: url("/node_modules/flag-icon-css/flags/4x3/es-ca.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/es-ca.svg") &.tl - background-image: url("/node_modules/flag-icon-css/flags/4x3/ph.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ph.svg") &.br - background-image: url("/node_modules/flag-icon-css/flags/4x3/fr.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/fr.svg") &.ig - background-image: url("/node_modules/flag-icon-css/flags/4x3/ng.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ng.svg") &.tt - background-image: url("/node_modules/flag-icon-css/flags/4x3/ru.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/ru.svg") &.ml - background-image: url("/node_modules/flag-icon-css/flags/4x3/in.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/in.svg") &.te - background-image: url("/node_modules/flag-icon-css/flags/4x3/in.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/in.svg") &.or - background-image: url("/node_modules/flag-icon-css/flags/4x3/in.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/in.svg") &.kn - background-image: url("/node_modules/flag-icon-css/flags/4x3/in.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/in.svg") &.ea - background-image: url("/node_modules/flag-icon-css/flags/4x3/es.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/es.svg") &.sp - background-image: url("/node_modules/flag-icon-css/flags/4x3/es.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/es.svg") &.ze - background-image: url("/node_modules/flag-icon-css/flags/4x3/cn.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/cn.svg") &.zt - background-image: url("/node_modules/flag-icon-css/flags/4x3/cn.svg") + background-image: url("/node_modules/flag-icons/flags/4x3/cn.svg") diff --git a/src/app/styl/views/initializing.styl b/src/app/styl/views/initializing.styl index 2c4c0039ef..1551e73920 100644 --- a/src/app/styl/views/initializing.styl +++ b/src/app/styl/views/initializing.styl @@ -259,7 +259,7 @@ text-align left padding 12px 0 0 28px - .automaticUpdatingSpn + .updateNotificationSpn display block font-size 0.9em text-align left diff --git a/src/app/styl/views/loading.styl b/src/app/styl/views/loading.styl index 7d7cd16f4e..1acc7b6e67 100644 --- a/src/app/styl/views/loading.styl +++ b/src/app/styl/views/loading.styl @@ -61,9 +61,6 @@ font-size: 18px margin-left: 10px - #vpn-contents - display: none - #userISP text-decoration: underline @@ -80,9 +77,9 @@ height: 100% background-repeat no-repeat background-position-x 50% - background-position-y 0px + background-position-y 50% background-size cover - -webkit-filter: blur(15px) brightness(0.7) + -webkit-filter: blur(20px) brightness(0.7) .loading-backdrop-overlay width 100% diff --git a/src/app/styl/views/movie_detail.styl b/src/app/styl/views/movie_detail.styl index a8d5040812..4917e7412b 100644 --- a/src/app/styl/views/movie_detail.styl +++ b/src/app/styl/views/movie_detail.styl @@ -19,12 +19,12 @@ .backdrop width: 100vw - height: 100vh + height: calc(100% - 67px) position: absolute opacity: 0 background-position-x 50% - background-position-y -33px - -webkit-filter: blur(15px) brightness(0.7) + background-position-y 50% + -webkit-filter: blur(20px) brightness(0.7) background-repeat: no-repeat background-size: cover @@ -83,6 +83,8 @@ top: 15px height: 20px position: relative + display: flex + flex-wrap: wrap .metaitem, .year, .certification, .show-cast, .movie-imdb-link &:hover ~ .tmdb-link @@ -95,7 +97,6 @@ position: relative font-family: $MainFontBold text-stroke: 1px rgba(0,0,0,0.1) - float: left font-smoothing: antialiased max-width: 29% overflow: hidden @@ -122,7 +123,6 @@ position: relative font-family: "Font Awesome 6 Free" text-stroke: 1px rgba(0,0,0,0.1) - float: left font-smoothing: antialiased cursor: pointer @@ -134,7 +134,6 @@ position: relative font-family: "Font Awesome 6 Free" text-stroke: 1px rgba(0,0,0,0.1) - float: left font-smoothing: antialiased cursor: pointer opacity: 0 @@ -156,7 +155,6 @@ position: relative font-family: $MainFontBold text-stroke: 1px rgba(0,0,0,0.1) - float: left font-smoothing: antialiased cursor: pointer @@ -164,7 +162,6 @@ margin-top: -3px padding-top: 3px width: 29px - float: left height: 16px position: relative cursor: pointer @@ -223,47 +220,54 @@ margin-right -1px margin-left 4px - .health-icon - position: relative - font-size: 14px - float: right + .status-indicators + margin-left: auto + display: flex + flex-direction: row-reverse margin-right: 2% - margin-top: -1px - color: #737577 - cursor: pointer - &.Bad - color: #d53f3f - &.Medium - color: #ece523 - &.Good - color: #a3e147 - &.Excellent - color: #2ad942 - - .magnet-link - position: relative - font-size: 13px - float: right - margin-right: 12px - color: #DDD - cursor: pointer - &:hover - color: #FFF - transition: all .5s - .source-link - position: relative - font-size: 13px - float: right - margin-right: 10px - color: #DDD - cursor: pointer - top: -2px - &:hover - color: #FFF - transition: all .5s - img - height: 16px + &>*:not(:first-child) + margin-right: 1em + + .health-icon + position: relative + font-size: 14px + color: #737577 + cursor: pointer + margin-top: -1px + &.Bad + color: #d53f3f + &.Medium + color: #ece523 + &.Good + color: #a3e147 + &.Excellent + color: #2ad942 + + .magnet-link + position: relative + top: 2px + font-size: 13px + color: #DDD + cursor: pointer + margin-top: -2px + margin-right: 12px + &:hover + color: #FFF + transition: all .5s + + .source-link + position: relative + font-size: 13px + color: #DDD + cursor: pointer + margin-top: -2px + margin-right: 10px + &:hover + color: #FFF + transition: all .5s + img + height: 16px .overview position: relative diff --git a/src/app/styl/views/seedbox.styl b/src/app/styl/views/seedbox.styl index 7ba23eeb1c..a16678c425 100644 --- a/src/app/styl/views/seedbox.styl +++ b/src/app/styl/views/seedbox.styl @@ -481,6 +481,57 @@ } } + .exit-when-done + width: 44px; + margin-top: 21px; + margin-right: -18px; + float: right; + padding: 0.36rem 1rem; + border-radius: 3px; + background: $ShowBgColor2; + color: $ShowText2; + font-size: 0.65rem; + font-weight: 600; + text-transform: uppercase; + overflow: hidden; + text-overflow: clip; + white-space: nowrap; + cursor: pointer; + transition: all 0.7s ease, color 0.3s, background-color 0.3s; + transition-delay: 0.6s, 0s, 0s; + + &:hover + width: 35vw; + transition-delay: 0.3s, 0s, 0s; + border-radius: 0; + padding: 0.86rem 1.62rem 0.86rem 1rem; + margin-top: 13px; + margin-right: -28px; + + & > span + opacity: 1; + transition-delay: 0.3s; + + &.active + color: #fff; + background-color: #27ae60; + + &.disabled + visibility: hidden; + + & i + font-family: "Font Awesome 6 Free"; + font-size: 12px; + float: right; + pointer-events: none; + + & span + opacity: 0; + transition: opacity 0.5s ease-in-out; + transition-delay: 0.6s; + pointer-events: none; + margin-left: 12px; + .progress-info { margin-bottom: .5rem; display: flex; diff --git a/src/app/styl/views/settings_container.styl b/src/app/styl/views/settings_container.styl index 4b72532a62..5ff5ade603 100644 --- a/src/app/styl/views/settings_container.styl +++ b/src/app/styl/views/settings_container.styl @@ -160,6 +160,10 @@ .tv_detail_jump_to > select width 158px + .UITransparency > label + float left + margin 0 6px 0 18px + #localisation .subtitles-language > select, .translateTitle > select diff --git a/src/app/styl/views/show_detail.styl b/src/app/styl/views/show_detail.styl index d623f12f62..f4a7d2ef5a 100644 --- a/src/app/styl/views/show_detail.styl +++ b/src/app/styl/views/show_detail.styl @@ -14,7 +14,7 @@ .sh-backdrop .shb-img position: absolute - min-height: 215px + min-height: calc(100% - 67px) width: 100vw background-repeat: no-repeat background-size: cover @@ -55,11 +55,11 @@ opacity: 1 .sh-poster.active - transform: scale(3.5) - left: 180px - top: 260px transition: transform 0.12s ease-out + .shp-img + border-radius: 2px + .sh-metadata float: left position: relative @@ -346,7 +346,7 @@ .show-details width: 100vw z-index: 1 - background: $ShowBgColor1 + background: rgba($ShowBgColor1, 0.7) height: calc(100vh - 282px) display: grid padding-left: 20px /* left-pad */ @@ -354,6 +354,16 @@ grid-template-columns: fit-content(165px) 2fr minmax(480px, 1fr); grid-template-rows: 2fr auto; grid-template-areas: "seasons episodes overview" "torrents torrents overview"; + &.transpOff + background: $ShowBgColor1 + &.transpVLow + background: rgba($ShowBgColor1, 0.9) + &.transpLow + background: rgba($ShowBgColor1, 0.8) + &.transpHigh + background: rgba($ShowBgColor1, 0.6) + &.transpVHigh + background: rgba($ShowBgColor1, 0.5) .sd-seasons ul, .sd-episodes ul position: absolute; @@ -382,10 +392,17 @@ color: $ShowWatchedIcon_true li:nth-child(odd) - background-color $ShowBgColor2 + background-color rgba($ShowOddHighlight, $ShowOddHighlightOp) + &:not(.active).transpOff + background-color $ShowBgColor2 + &:hover + background-color $EpisodeSelectorHover li:hover - background $EpisodeSelectorHover + background rgba($EpisodeSelectorHoverTran,20%) + + li:not(.active).transpOff:hover + background: $EpisodeSelectorHover li.active background-color $EpisodeSelectorBg @@ -398,7 +415,7 @@ right -12px width 0 height 0 - border-color $ShowBgColor1 $ShowBgColor1 $ShowBgColor1 $EpisodeSelectorBg + border-color rgba(0,0,0,0) rgba(0,0,0,0) rgba(0,0,0,0) $EpisodeSelectorBg border-style solid border-width 16px 6px 17px 6px @@ -461,11 +478,13 @@ color: $EpisodeSelectorText .sd-overview - background: $ShowBgColor2 + background: rgba($ShowBgColor1, 0.3) grid-area: overview; padding: 10px 30px 10px 18px /* right pad */ display: grid grid-template-rows: auto 2fr + &.transpOff + background: $ShowBgColor2 .sdo-infos height: fit-content @@ -637,8 +656,17 @@ margin-right: 0px .sd-torrents - grid-area: torrents; - max-height: 300px; + grid-area: torrents + max-height: 300px + + .action + color: rgba(0,0,0,0) !important + width: 0px !important + padding: 0px !important + pointer-events: none + + .item-download + font-family: $Font, $AlternateFont > .spinner position: fixed; diff --git a/src/app/styl/views/torrent-list.styl b/src/app/styl/views/torrent-list.styl index 44b8cbabca..5165c46f06 100644 --- a/src/app/styl/views/torrent-list.styl +++ b/src/app/styl/views/torrent-list.styl @@ -36,10 +36,14 @@ &:nth-of-type(odd) td - background: $ShowBgColor2 + background: rgba(0,0,0,0) + + &:hover > + td + background: rgba($EpisodeSelectorHoverTran,20%) - &:hover > td - background: $EpisodeSelectorHover + td.transpOff + background: $EpisodeSelectorHover &.disabled cursor: not-allowed @@ -84,6 +88,7 @@ &.action width: 40px cursor: pointer + padding-left: 8px &:hover color: $ShowText1 @@ -91,9 +96,23 @@ #torrent-show-list font-size: 15px - margin-top: 6px + margin: 6px 1px 19px 0px + max-height: 281px table td &.info, &.action color: $ShowWatchedIcon_false + + tr:nth-of-type(odd) + td + background: rgba($ShowOddHighlight, $ShowOddHighlightOp) + &.transpOff + background: $ShowBgColor2 + + &:hover > + td + background: rgba($EpisodeSelectorHoverTran,20%) + + td.transpOff + background: $EpisodeSelectorHover diff --git a/src/app/styl/views/torrent_collection.styl b/src/app/styl/views/torrent_collection.styl index b5966ea44e..6466bf9943 100644 --- a/src/app/styl/views/torrent_collection.styl +++ b/src/app/styl/views/torrent_collection.styl @@ -11,6 +11,7 @@ width: 100%; height: 100%; background: rgba(0, 0, 0, 0.4) center center no-repeat; + backdrop-filter: blur(4px); pointer-events: all; z-index: 1; @@ -67,7 +68,7 @@ .onlinesearch position relative - padding-left 210px + padding-left 190px width 736px margin 0 auto z-index 2 @@ -79,7 +80,7 @@ display none position absolute height 30px - min-width 458px + min-width 498px span color $InputBoxText @@ -197,7 +198,7 @@ cursor text outline 0 !important height 30px - min-width 370px + min-width 410px .online-search margin-left 5px @@ -358,7 +359,7 @@ .item-rename position relative color $SettingsText1 - opacity 0.5 + opacity 0.12 transition all 0.3s cursor pointer left calc(100% + 22px) @@ -440,7 +441,7 @@ position absolute color $SettingsText1 top 5px - margin-left 426px + margin-left 462px .collection-paste, .collection-import diff --git a/src/app/templates/browser/filter-bar.tpl b/src/app/templates/browser/filter-bar.tpl index c9e813bb47..6c86a085ab 100644 --- a/src/app/templates/browser/filter-bar.tpl +++ b/src/app/templates/browser/filter-bar.tpl @@ -1,6 +1,6 @@