Compare commits

..

1 Commits

Author SHA1 Message Date
0xsysr3ll
d0999922cb feat(issue): add issue description preview
This PR adds a description preview to the issues list page, allowing users to quickly view issue details without navigating to individual issue pages.

Signed-off-by: 0xsysr3ll <0xsysr3ll@pm.me>
2025-08-31 22:29:59 +02:00
128 changed files with 6757 additions and 9760 deletions

View File

@@ -642,24 +642,6 @@
"contributions": [
"code"
]
},
{
"login": "sudo-kraken",
"name": "Joe Harrison",
"avatar_url": "https://avatars.githubusercontent.com/u/53116754?v=4",
"profile": "https://sudo-kraken.github.io/docs/",
"contributions": [
"infra"
]
},
{
"login": "ale183",
"name": "ale183",
"avatar_url": "https://avatars.githubusercontent.com/u/8809439?v=4",
"profile": "https://github.com/ale183",
"contributions": [
"code"
]
}
]
}

View File

@@ -4,7 +4,6 @@
#### To-Dos
- [ ] Disclosed any use of AI (see our [policy](https://github.com/fallenbagel/jellyseerr/blob/develop/CONTRIBUTING.md#ai-assistance-notice))
- [ ] Successful build `pnpm build`
- [ ] Translation keys `pnpm i18n:extract`
- [ ] Database migration (if required)

View File

@@ -7,14 +7,6 @@ on:
push:
branches:
- develop
workflow_dispatch:
permissions:
contents: read
concurrency:
group: ci-${{ github.ref }}
cancel-in-progress: true
jobs:
test:
@@ -25,17 +17,14 @@ jobs:
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Pnpm Setup
uses: pnpm/action-setup@v4
with:
version: 9
- name: Get pnpm store directory
shell: sh
run: |
echo "STORE_PATH=$(pnpm store path --silent)" >> $GITHUB_ENV
- name: Setup pnpm cache
uses: actions/cache@v4
with:
@@ -43,144 +32,137 @@ jobs:
key: ${{ runner.os }}-pnpm-store-${{ hashFiles('**/pnpm-lock.yaml') }}
restore-keys: |
${{ runner.os }}-pnpm-store-
- name: Install dependencies
env:
HUSKY: 0
run: pnpm install
- name: Lint
run: pnpm lint
- name: Formatting
run: pnpm format:check
- name: Build
run: pnpm build
build:
name: Build (per-arch, native runners)
name: Build & Publish Docker Images
if: github.ref == 'refs/heads/develop' && !contains(github.event.head_commit.message, '[skip ci]')
strategy:
matrix:
include:
- runner: ubuntu-24.04
platform: linux/amd64
arch: amd64
- runner: ubuntu-24.04-arm
platform: linux/arm64
arch: arm64
runs-on: ${{ matrix.runner }}
outputs:
digest-amd64: ${{ steps.set_outputs.outputs.digest-amd64 }}
digest-arm64: ${{ steps.set_outputs.outputs.digest-arm64 }}
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Commit timestamp
id: ts
run: echo "TIMESTAMP=$(git log -1 --pretty=%ct)" >> "$GITHUB_OUTPUT"
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Warm cache (no push) — ${{ matrix.platform }}
uses: docker/build-push-action@v6
with:
context: .
file: ./Dockerfile
platforms: ${{ matrix.platform }}
push: false
build-args: |
COMMIT_TAG=${{ github.sha }}
BUILD_VERSION=develop
SOURCE_DATE_EPOCH=${{ steps.ts.outputs.TIMESTAMP }}
cache-from: type=gha,scope=${{ matrix.platform }}
cache-to: type=gha,mode=max,scope=${{ matrix.platform }}
provenance: false
publish:
name: Publish multi-arch image
needs: build
runs-on: ubuntu-24.04
permissions:
contents: read
packages: write
id-token: write
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Commit timestamp
id: ts
run: echo "TIMESTAMP=$(git log -1 --pretty=%ct)" >> "$GITHUB_OUTPUT"
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Log in to Docker Hub
uses: docker/login-action@v3
with:
username: ${{ secrets.DOCKER_USERNAME }}
password: ${{ secrets.DOCKER_TOKEN }}
- name: Log in to GitHub Container Registry
uses: docker/login-action@v3
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Extract metadata
- name: Set lower case owner name
run: |
echo "OWNER_LC=${OWNER,,}" >>${GITHUB_ENV}
env:
OWNER: ${{ github.repository_owner }}
- name: Docker metadata
id: meta
uses: docker/metadata-action@v5
uses: docker/metadata-action@v4
with:
images: |
${{ github.repository }}
ghcr.io/${{ github.repository }}
fallenbagel/jellyseerr
ghcr.io/${{ env.OWNER_LC }}/jellyseerr
tags: |
type=raw,value=develop
type=sha
labels: |
org.opencontainers.image.created=${{ steps.ts.outputs.TIMESTAMP }}
- name: Build & Push (multi-arch, single tag)
uses: docker/build-push-action@v6
type=ref,event=branch
type=sha,prefix=,suffix=,format=short
- name: Build and push by digest
id: build
uses: docker/build-push-action@v5
with:
context: .
file: ./Dockerfile
platforms: linux/amd64,linux/arm64
platforms: ${{ matrix.platform }}
push: true
build-args: |
COMMIT_TAG=${{ github.sha }}
BUILD_VERSION=develop
SOURCE_DATE_EPOCH=${{ steps.ts.outputs.TIMESTAMP }}
labels: ${{ steps.meta.outputs.labels }}
tags: ${{ steps.meta.outputs.tags }}
cache-from: |
type=gha,scope=linux/amd64
type=gha,scope=linux/arm64
cache-to: type=gha,mode=max
BUILD_DATE=${{ github.event.repository.updated_at }}
outputs: |
type=image,push-by-digest=true,name=fallenbagel/jellyseerr,push=true
type=image,push-by-digest=true,name=ghcr.io/${{ env.OWNER_LC }}/jellyseerr,push=true
cache-from: type=gha,scope=${{ matrix.platform }}
cache-to: type=gha,mode=max,scope=${{ matrix.platform }}
provenance: false
- name: Set outputs
id: set_outputs
run: |
platform="${{ matrix.platform == 'linux/amd64' && 'amd64' || 'arm64' }}"
echo "digest-${platform}=${{ steps.build.outputs.digest }}" >> $GITHUB_OUTPUT
merge_and_push:
name: Create and Push Multi-arch Manifest
needs: build
runs-on: ubuntu-24.04
steps:
- name: Log in to Docker Hub
uses: docker/login-action@v3
with:
username: ${{ secrets.DOCKER_USERNAME }}
password: ${{ secrets.DOCKER_TOKEN }}
- name: Log in to GitHub Container Registry
uses: docker/login-action@v3
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Set lower case owner name
run: |
echo "OWNER_LC=${OWNER,,}" >>${GITHUB_ENV}
env:
OWNER: ${{ github.repository_owner }}
- name: Create and push manifest
run: |
docker manifest create fallenbagel/jellyseerr:develop \
--amend fallenbagel/jellyseerr@${{ needs.build.outputs.digest-amd64 }} \
--amend fallenbagel/jellyseerr@${{ needs.build.outputs.digest-arm64 }}
docker manifest push fallenbagel/jellyseerr:develop
# GHCR manifest
docker manifest create ghcr.io/${{ env.OWNER_LC }}/jellyseerr:develop \
--amend ghcr.io/${{ env.OWNER_LC }}/jellyseerr@${{ needs.build.outputs.digest-amd64 }} \
--amend ghcr.io/${{ env.OWNER_LC }}/jellyseerr@${{ needs.build.outputs.digest-arm64 }}
docker manifest push ghcr.io/${{ env.OWNER_LC }}/jellyseerr:develop
discord:
name: Send Discord Notification
needs: publish
needs: merge_and_push
if: always() && github.event_name != 'pull_request' && !contains(github.event.head_commit.message, '[skip ci]')
runs-on: ubuntu-24.04
steps:
- name: Get Build Job Status
uses: technote-space/workflow-conclusion-action@v3
- name: Combine Job Status
id: status
run: |
failures=(neutral, skipped, timed_out, action_required)
if [[ ${array[@]} =~ ${{ needs.publish.result }} ]]; then
if [[ ${array[@]} =~ $WORKFLOW_CONCLUSION ]]; then
echo "status=failure" >> $GITHUB_OUTPUT
else
echo "status=${{ needs.publish.result }}" >> $GITHUB_OUTPUT
echo "status=$WORKFLOW_CONCLUSION" >> $GITHUB_OUTPUT
fi
- name: Post Status to Discord
uses: sarisia/actions-status-discord@v1
with:

View File

@@ -3,52 +3,39 @@ name: 'CodeQL'
on:
push:
branches: ['develop']
paths-ignore:
- '**/*.md'
- 'docs/**'
pull_request:
branches: ['develop']
paths-ignore:
- '**/*.md'
- 'docs/**'
schedule:
- cron: '50 7 * * 5'
permissions:
contents: read
concurrency:
group: codeql-${{ github.ref }}
cancel-in-progress: true
jobs:
analyze:
name: Analyze
runs-on: ubuntu-24.04
timeout-minutes: 10
runs-on: ubuntu-latest
permissions:
actions: read
contents: read
security-events: write
strategy:
fail-fast: false
matrix:
language: [actions, javascript]
language: [javascript]
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Initialize CodeQL
uses: github/codeql-action/init@v3
uses: github/codeql-action/init@v2
with:
languages: ${{ matrix.language }}
queries: +security-and-quality
- name: Autobuild
uses: github/codeql-action/autobuild@v3
uses: github/codeql-action/autobuild@v2
- name: Perform CodeQL Analysis
uses: github/codeql-action/analyze@v3
uses: github/codeql-action/analyze@v2
with:
category: '/language:${{ matrix.language }}'

View File

@@ -2,24 +2,18 @@ name: Merge Conflict Labeler
on:
push:
branches: [develop]
branches:
- develop
pull_request_target:
branches: [develop]
types: [opened, synchronize, reopened]
permissions:
contents: read
concurrency:
group: merge-conflict-${{ github.ref }}
cancel-in-progress: true
branches:
- develop
types: [synchronize]
jobs:
label:
name: Labeling
runs-on: ubuntu-24.04
timeout-minutes: 10
runs-on: ubuntu-latest
if: ${{ github.repository == 'Fallenbagel/jellyseerr' }}
permissions:
contents: read
pull-requests: write

View File

@@ -2,49 +2,26 @@ name: Cypress Tests
on:
pull_request:
branches: ['*']
paths-ignore:
- '**/*.md'
- 'docs/**'
branches:
- '*'
push:
branches: [develop]
paths-ignore:
- '**/*.md'
- 'docs/**'
permissions:
contents: read
concurrency:
group: cypress-${{ github.ref }}
cancel-in-progress: true
branches:
- develop
jobs:
cypress-run:
name: Cypress Run
runs-on: ubuntu-24.04
runs-on: ubuntu-latest
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Set up Node.js
uses: actions/setup-node@v4
with:
node-version-file: package.json
node-version: 22
- name: Pnpm Setup
uses: pnpm/action-setup@v4
- name: Setup cypress cache
uses: actions/cache@v4
with:
path: ~/.cache/Cypress
key: ${{ runner.os }}-cypress-store-${{ hashFiles('**/pnpm-lock.yaml') }}
restore-keys: |
${{ runner.os }}-cypress-store-
version: 9
- name: Cypress run
uses: cypress-io/github-action@v6
with:
@@ -59,7 +36,6 @@ jobs:
# Fix test titles in cypress dashboard
COMMIT_INFO_MESSAGE: ${{github.event.pull_request.title}}
COMMIT_INFO_SHA: ${{github.event.pull_request.head.sha}}
- name: Upload video files
if: always()
uses: actions/upload-artifact@v4

View File

@@ -8,30 +8,24 @@ on:
- 'docs/**'
- 'gen-docs/**'
permissions:
contents: read
concurrency:
group: pages
cancel-in-progress: true
jobs:
build:
name: Build Docusaurus
runs-on: ubuntu-24.04
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
with:
fetch-depth: 0
persist-credentials: false
- name: Set up Node.js
uses: actions/setup-node@v4
with:
node-version-file: package.json
node-version: 20
- name: Pnpm Setup
uses: pnpm/action-setup@v4
with:
version: 9
- name: Get pnpm store directory
shell: sh
@@ -52,26 +46,38 @@ jobs:
pnpm install --frozen-lockfile
- name: Build website
working-directory: gen-docs
run: pnpm build
run: |
cd gen-docs
pnpm build
- name: Upload Build Artifact
uses: actions/upload-pages-artifact@v4
uses: actions/upload-pages-artifact@v3
with:
path: gen-docs/build
deploy:
name: Deploy to GitHub Pages
needs: build
runs-on: ubuntu-24.04
concurrency: build-deploy-pages
# Grant GITHUB_TOKEN the permissions required to make a Pages deployment
permissions:
contents: read
pages: write
id-token: write
pages: write # to deploy to Pages
id-token: write # to verify the deployment originates from an appropriate source
# Deploy to the github-pages environment
environment:
name: github-pages
url: ${{ steps.deployment.outputs.page_url }}
runs-on: ubuntu-latest
steps:
# - name: Download Build Artifact
# uses: actions/download-artifact@v4
# with:
# name: docusaurus-build
# path: gen-docs/build
- name: Deploy to GitHub Pages
id: deployment
uses: actions/deploy-pages@v4

View File

@@ -4,21 +4,11 @@ on:
push:
branches:
- develop
paths:
- 'charts/**'
- '.github/workflows/release-charts.yml'
permissions:
contents: read
concurrency:
group: helm-charts
cancel-in-progress: true
jobs:
package-helm-chart:
name: Package helm chart
runs-on: ubuntu-24.04
runs-on: ubuntu-latest
permissions:
contents: read
packages: read
@@ -29,7 +19,6 @@ jobs:
uses: actions/checkout@v4
with:
fetch-depth: 0
persist-credentials: false
- name: Install helm
uses: azure/setup-helm@v4
@@ -53,11 +42,16 @@ jobs:
# get current version
current_version=$(grep '^version:' "$chart_path/Chart.yaml" | awk '{print $2}')
# try to get current release version
if oras manifest fetch "ghcr.io/${GITHUB_REPOSITORY@L}/${chart_name}:${current_version}" >/dev/null 2>&1; then
echo "No version change for $chart_name. Skipping."
else
set +e
oras discover ghcr.io/${GITHUB_REPOSITORY@L}/${chart_name}:${current_version}
oras_exit_code=$?
set -e
if [ $oras_exit_code -ne 0 ]; then
helm dependency build "$chart_path"
helm package "$chart_path" --destination ./.cr-release-packages
else
echo "No version change for $chart_name. Skipping."
fi
else
echo "Skipping $chart_name: Not a valid Helm chart"
@@ -67,7 +61,7 @@ jobs:
- name: Check if artifacts exist
id: check-artifacts
run: |
if ls .cr-release-packages/*.tgz >/dev/null 2>&1; then
if ls .cr-release-packages/* >/dev/null 2>&1; then
echo "has_artifacts=true" >> $GITHUB_OUTPUT
else
echo "has_artifacts=false" >> $GITHUB_OUTPUT
@@ -83,7 +77,7 @@ jobs:
publish:
name: Publish to ghcr.io
runs-on: ubuntu-24.04
runs-on: ubuntu-latest
permissions:
packages: write # needed for pushing to github registry
id-token: write # needed for signing the images with GitHub OIDC Token
@@ -94,7 +88,6 @@ jobs:
uses: actions/checkout@v4
with:
fetch-depth: 0
persist-credentials: false
- name: Install helm
uses: azure/setup-helm@v4

View File

@@ -7,48 +7,27 @@ on:
paths:
- '.github/workflows/lint-helm-charts.yml'
- 'charts/**'
push:
branches: [develop]
paths:
- 'charts/**'
permissions:
contents: read
concurrency:
group: charts-lint-${{ github.ref }}
cancel-in-progress: true
jobs:
lint-test:
runs-on: ubuntu-24.04
permissions:
contents: read
runs-on: ubuntu-latest
steps:
- name: Checkout
uses: actions/checkout@v4
with:
fetch-depth: 0
persist-credentials: false
- name: Set up Helm
uses: azure/setup-helm@v4
- name: Set up chart-testing
uses: helm/chart-testing-action@v2
uses: azure/setup-helm@v4.2.0
- name: Ensure documentation is updated
uses: docker://jnorwood/helm-docs:v1.14.2
- name: Set up chart-testing
uses: helm/chart-testing-action@v2.6.1
- name: Run chart-testing (list-changed)
id: list-changed
run: |
changed=$(ct list-changed --target-branch ${{ github.event.repository.default_branch }})
if [[ -n "$changed" ]]; then
echo "changed=true" >> "$GITHUB_OUTPUT"
echo "$changed"
fi
- name: Run chart-testing
if: steps.list-changed.outputs.changed == 'true'
run: ct lint --target-branch ${{ github.event.repository.default_branch }} --validate-maintainers=false

View File

@@ -4,125 +4,28 @@ on:
push:
tags:
- 'preview-*'
workflow_dispatch:
permissions:
contents: read
concurrency:
group: preview-${{ github.ref }}
cancel-in-progress: true
jobs:
build:
name: Build (per-arch, native runners)
strategy:
matrix:
include:
- runner: ubuntu-24.04
platform: linux/amd64
arch: amd64
- runner: ubuntu-24.04-arm
platform: linux/arm64
arch: arm64
runs-on: ${{ matrix.runner }}
build_and_push:
name: Build & Publish Docker Preview Images
runs-on: ubuntu-22.04
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Commit timestamp
id: ts
run: echo "TIMESTAMP=$(git log -1 --pretty=%ct)" >> "$GITHUB_OUTPUT"
- name: Get the version
id: get_version
run: echo "VERSION=${GITHUB_REF#refs/tags/}" >> $GITHUB_OUTPUT
- name: Set up QEMU
uses: docker/setup-qemu-action@v3
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Derive preview version from tag
id: ver
shell: bash
run: |
TAG="${GITHUB_REF_NAME}"
VER="${TAG#preview-}"
VER="${VER#v}"
echo "version=${VER}" >> "$GITHUB_OUTPUT"
echo "Building preview version: ${VER}"
- name: Warm cache (no push) — ${{ matrix.platform }}
uses: docker/build-push-action@v6
with:
context: .
file: ./Dockerfile
platforms: ${{ matrix.platform }}
push: false
build-args: |
COMMIT_TAG=${{ github.sha }}
BUILD_VERSION=${{ steps.ver.outputs.version }}
SOURCE_DATE_EPOCH=${{ steps.ts.outputs.TIMESTAMP }}
cache-from: type=gha,scope=${{ matrix.platform }}
cache-to: type=gha,mode=max,scope=${{ matrix.platform }}
provenance: false
publish:
name: Publish multi-arch image
needs: build
runs-on: ubuntu-24.04
permissions:
contents: read
packages: write
id-token: write
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Commit timestamp
id: ts
run: echo "TIMESTAMP=$(git log -1 --pretty=%ct)" >> "$GITHUB_OUTPUT"
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Log in to Docker Hub
uses: docker/login-action@v3
with:
username: ${{ secrets.DOCKER_USERNAME }}
password: ${{ secrets.DOCKER_TOKEN }}
- name: Log in to GitHub Container Registry
uses: docker/login-action@v3
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Derive preview version from tag
id: ver
shell: bash
run: |
TAG="${GITHUB_REF_NAME}"
VER="${TAG#preview-}"
VER="${VER#v}"
echo "version=${VER}" >> "$GITHUB_OUTPUT"
echo "Publishing preview version: ${VER}"
- name: Extract metadata
id: meta
uses: docker/metadata-action@v5
with:
images: |
${{ github.repository }}
ghcr.io/${{ github.repository }}
tags: |
type=raw,value=preview-${{ steps.ver.outputs.version }}
labels: |
org.opencontainers.image.version=preview-${{ steps.ver.outputs.version }}
org.opencontainers.image.created=${{ steps.ts.outputs.TIMESTAMP }}
- name: Build & Push (multi-arch, single tag)
uses: docker/build-push-action@v6
- name: Build and push
uses: docker/build-push-action@v5
with:
context: .
file: ./Dockerfile
@@ -130,12 +33,7 @@ jobs:
push: true
build-args: |
COMMIT_TAG=${{ github.sha }}
BUILD_VERSION=${{ steps.ver.outputs.version }}
SOURCE_DATE_EPOCH=${{ steps.ts.outputs.TIMESTAMP }}
labels: ${{ steps.meta.outputs.labels }}
tags: ${{ steps.meta.outputs.tags }}
cache-from: |
type=gha,scope=linux/amd64
type=gha,scope=linux/arm64
cache-to: type=gha,mode=max
provenance: false
BUILD_VERSION=${{ steps.get_version.outputs.VERSION }}
BUILD_DATE=${{ github.event.repository.updated_at }}
tags: |
fallenbagel/jellyseerr:${{ steps.get_version.outputs.VERSION }}

View File

@@ -1,14 +1,6 @@
name: Jellyseerr Release
name: Jellyseer Release
on:
workflow_dispatch:
permissions:
contents: read
concurrency:
group: release-${{ github.ref }}
cancel-in-progress: true
on: workflow_dispatch
jobs:
semantic-release:
@@ -16,29 +8,38 @@ jobs:
runs-on: ubuntu-22.04
env:
HUSKY: 0
outputs:
new_release_published: ${{ steps.release.outputs.new_release_published }}
new_release_version: ${{ steps.release.outputs.new_release_version }}
steps:
- name: Checkout
uses: actions/checkout@v4
with:
fetch-depth: 0
persist-credentials: false
- name: Set up Node.js
uses: actions/setup-node@v4
with:
node-version-file: package.json
node-version: 22
- name: Set up QEMU
uses: docker/setup-qemu-action@v3
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Log in to Docker Hub
uses: docker/login-action@v3
with:
username: ${{ secrets.DOCKER_USERNAME }}
password: ${{ secrets.DOCKER_TOKEN }}
- name: Log in to GitHub Container Registry
uses: docker/login-action@v3
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GH_TOKEN }}
- name: Pnpm Setup
uses: pnpm/action-setup@v4
with:
version: 9
- name: Get pnpm store directory
shell: sh
run: |
echo "STORE_PATH=$(pnpm store path --silent)" >> $GITHUB_ENV
- name: Setup pnpm cache
uses: actions/cache@v4
with:
@@ -46,151 +47,77 @@ jobs:
key: ${{ runner.os }}-pnpm-store-${{ hashFiles('**/pnpm-lock.yaml') }}
restore-keys: |
${{ runner.os }}-pnpm-store-
- name: Install dependencies
run: pnpm install
- name: Release
id: release
uses: cycjimmy/semantic-release-action@v5
with:
extra_plugins: |
@semantic-release/git@10
@semantic-release/changelog@6
@codedependant/semantic-release-docker@5
env:
GITHUB_TOKEN: ${{ secrets.GH_TOKEN }}
DOCKER_USERNAME: ${{ secrets.DOCKER_USERNAME }}
DOCKER_PASSWORD: ${{ secrets.DOCKER_PASSWORD }}
run: npx semantic-release
build:
name: Build (per-arch, native runners)
needs: semantic-release
if: needs.semantic-release.outputs.new_release_published == 'true'
strategy:
matrix:
include:
- runner: ubuntu-24.04
platform: linux/amd64
arch: amd64
- runner: ubuntu-24.04-arm
platform: linux/arm64
arch: arm64
runs-on: ${{ matrix.runner }}
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Commit timestamp
id: ts
run: echo "TIMESTAMP=$(git log -1 --pretty=%ct)" >> "$GITHUB_OUTPUT"
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Warm cache (no push) — ${{ matrix.platform }}
uses: docker/build-push-action@v6
with:
context: .
file: ./Dockerfile
platforms: ${{ matrix.platform }}
push: false
build-args: |
COMMIT_TAG=${{ github.sha }}
BUILD_VERSION=${{ needs.semantic-release.outputs.new_release_version }}
SOURCE_DATE_EPOCH=${{ steps.ts.outputs.TIMESTAMP }}
cache-from: type=gha,scope=${{ matrix.platform }}
cache-to: type=gha,mode=max,scope=${{ matrix.platform }}
provenance: false
publish:
name: Publish multi-arch image
needs: [semantic-release, build]
if: needs.semantic-release.outputs.new_release_published == 'true'
runs-on: ubuntu-24.04
permissions:
contents: read
id-token: write
packages: write
steps:
- name: Checkout
uses: actions/checkout@v4
with:
persist-credentials: false
- name: Commit timestamp
id: ts
run: echo "TIMESTAMP=$(git log -1 --pretty=%ct)" >> "$GITHUB_OUTPUT"
- name: Set up Docker Buildx
uses: docker/setup-buildx-action@v3
- name: Log in to Docker Hub
uses: docker/login-action@v3
with:
username: ${{ secrets.DOCKER_USERNAME }}
password: ${{ secrets.DOCKER_TOKEN }}
- name: Log in to GitHub Container Registry
uses: docker/login-action@v3
with:
registry: ghcr.io
username: ${{ github.repository_owner }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Extract metadata
id: meta
uses: docker/metadata-action@v5
with:
images: |
${{ github.repository }}
ghcr.io/${{ github.repository }}
tags: |
type=raw,value=${{ needs.semantic-release.outputs.new_release_version }}
labels: |
org.opencontainers.image.created=${{ steps.ts.outputs.TIMESTAMP }}
- name: Build & Push (multi-arch, single tag)
uses: docker/build-push-action@v6
with:
context: .
file: ./Dockerfile
platforms: linux/amd64,linux/arm64
push: true
build-args: |
COMMIT_TAG=${{ github.sha }}
BUILD_VERSION=${{ needs.semantic-release.outputs.new_release_version }}
SOURCE_DATE_EPOCH=${{ steps.ts.outputs.TIMESTAMP }}
labels: ${{ steps.meta.outputs.labels }}
tags: ${{ steps.meta.outputs.tags }}
cache-from: |
type=gha,scope=linux/amd64
type=gha,scope=linux/arm64
cache-to: type=gha,mode=max
provenance: false
- name: Also tag :latest (non-pre-release only)
shell: bash
run: |
VER="${{ needs.semantic-release.outputs.new_release_version }}"
if [[ "$VER" != *"-"* ]]; then
docker buildx imagetools create \
-t ${{ github.repository }}:latest \
${{ github.repository }}:${VER}
docker buildx imagetools create \
-t ghcr.io/${{ github.repository }}:latest \
ghcr.io/${{ github.repository }}:${VER}
fi
# build-snap:
# name: Build Snap Package (${{ matrix.architecture }})
# needs: semantic-release
# runs-on: ubuntu-22.04
# strategy:
# fail-fast: false
# matrix:
# architecture:
# - amd64
# - arm64
# steps:
# - name: Checkout Code
# uses: actions/checkout@v4
# with:
# fetch-depth: 0
# - name: Switch to main branch
# run: git checkout main
# - name: Pull latest changes
# run: git pull
# - name: Prepare
# id: prepare
# run: |
# git fetch --prune --tags
# if [[ $GITHUB_REF == refs/tags/* || $GITHUB_REF == refs/heads/master ]]; then
# echo "RELEASE=stable" >> $GITHUB_OUTPUT
# else
# echo "RELEASE=edge" >> $GITHUB_OUTPUT
# fi
# - name: Set Up QEMU
# uses: docker/setup-qemu-action@v3
# with:
# image: tonistiigi/binfmt@sha256:df15403e06a03c2f461c1f7938b171fda34a5849eb63a70e2a2109ed5a778bde
# - name: Build Snap Package
# uses: diddlesnaps/snapcraft-multiarch-action@v1
# id: build
# with:
# architecture: ${{ matrix.architecture }}
# - name: Upload Snap Package
# uses: actions/upload-artifact@v4
# with:
# name: jellyseerr-snap-package-${{ matrix.architecture }}
# path: ${{ steps.build.outputs.snap }}
# - name: Review Snap Package
# uses: diddlesnaps/snapcraft-review-tools-action@v1
# with:
# snap: ${{ steps.build.outputs.snap }}
# - name: Publish Snap Package
# uses: snapcore/action-publish@v1
# env:
# SNAPCRAFT_STORE_CREDENTIALS: ${{ secrets.SNAP_LOGIN }}
# with:
# snap: ${{ steps.build.outputs.snap }}
# release: ${{ steps.prepare.outputs.RELEASE }}
discord:
name: Send Discord Notification
needs: publish
needs: semantic-release
if: always()
runs-on: ubuntu-24.04
runs-on: ubuntu-22.04
steps:
- name: Get Build Job Status
uses: technote-space/workflow-conclusion-action@v3
- name: Combine Job Status
id: status
run: |
@@ -200,7 +127,6 @@ jobs:
else
echo "status=$WORKFLOW_CONCLUSION" >> $GITHUB_OUTPUT
fi
- name: Post Status to Discord
uses: sarisia/actions-status-discord@v1
with:

94
.github/workflows/snap.yaml.disabled vendored Normal file
View File

@@ -0,0 +1,94 @@
name: Publish Snap
# turn off edge snap builds temporarily and make it manual
# on:
# push:
# branches:
# - develop
on: workflow_dispatch
jobs:
jobs:
name: Job Check
runs-on: ubuntu-22.04
if: "!contains(github.event.head_commit.message, '[skip ci]')"
steps:
- name: Cancel Previous Runs
uses: styfle/cancel-workflow-action@0.12.1
with:
access_token: ${{ secrets.GITHUB_TOKEN }}
build-snap:
name: Build Snap Package (${{ matrix.architecture }})
needs: jobs
runs-on: ubuntu-22.04
strategy:
fail-fast: false
matrix:
architecture:
- amd64
- arm64
steps:
- name: Checkout Code
uses: actions/checkout@v4
- name: Prepare
id: prepare
run: |
git fetch --prune --unshallow --tags
if [[ $GITHUB_REF == refs/tags/* || $GITHUB_REF == refs/heads/master ]]; then
echo "RELEASE=stable" >> $GITHUB_OUTPUT
else
echo "RELEASE=edge" >> $GITHUB_OUTPUT
fi
- name: Set Up QEMU
uses: docker/setup-qemu-action@v3
- name: Configure Git
run: git config --add safe.directory /data/parts/jellyseerr/src
- name: Build Snap Package
uses: diddlesnaps/snapcraft-multiarch-action@v1
id: build
with:
architecture: ${{ matrix.architecture }}
- name: Upload Snap Package
uses: actions/upload-artifact@v4
with:
name: jellyseerr-snap-package-${{ matrix.architecture }}
path: ${{ steps.build.outputs.snap }}
- name: Review Snap Package
uses: diddlesnaps/snapcraft-review-tools-action@v1
with:
snap: ${{ steps.build.outputs.snap }}
- name: Publish Snap Package
uses: snapcore/action-publish@v1
env:
SNAPCRAFT_STORE_CREDENTIALS: ${{ secrets.SNAP_LOGIN }}
with:
snap: ${{ steps.build.outputs.snap }}
release: ${{ steps.prepare.outputs.RELEASE }}
discord:
name: Send Discord Notification
needs: build-snap
if: always() && !contains(github.event.head_commit.message, '[skip ci]')
runs-on: ubuntu-22.04
steps:
- name: Get Build Job Status
uses: technote-space/workflow-conclusion-action@v3
- name: Combine Job Status
id: status
run: |
failures=(neutral, skipped, timed_out, action_required)
if [[ ${array[@]} =~ $WORKFLOW_CONCLUSION ]]; then
echo "status=failure" >> $GITHUB_OUTPUT
else
echo "status=$WORKFLOW_CONCLUSION" >> $GITHUB_OUTPUT
fi
- name: Post Status to Discord
uses: sarisia/actions-status-discord@v1
with:
webhook: ${{ secrets.DISCORD_WEBHOOK }}
status: ${{ steps.status.outputs.status }}
title: ${{ github.workflow }}
nofail: true

View File

@@ -4,53 +4,22 @@ on:
issues:
types: [labeled, unlabeled, reopened]
permissions:
issues: read
concurrency:
group: support-${{ github.event.issue.number }}
cancel-in-progress: true
jobs:
support:
if: github.event.label.name == 'support' || github.event.action == 'reopened'
runs-on: ubuntu-24.04
permissions:
issues: write
env:
GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}
GH_REPO: ${{ github.repository }}
NUMBER: ${{ github.event.issue.number }}
ISSUE_AUTHOR: ${{ github.event.issue.user.login }}
runs-on: ubuntu-latest
steps:
- name: Label added, comment and close issue
if: github.event.action == 'labeled' && github.event.label.name == 'support'
shell: bash
env:
BODY: >
:wave: @${{ env.ISSUE_AUTHOR }}, we use the issue tracker exclusively
- uses: dessant/support-requests@v4
with:
github-token: ${{ github.token }}
support-label: 'support'
issue-comment: >
:wave: @{issue-author}, we use the issue tracker exclusively
for bug reports and feature requests. However, this issue appears
to be a support request. Please use our support channels
to get help with Jellyseerr.
- [Discord](https://discord.gg/ckbvBtDJgC)
run: |
retry() { n=0; until "$@"; do n=$((n+1)); [ $n -ge 3 ] && break; echo "retry $n: $*" >&2; sleep 2; done; }
retry gh issue comment "$NUMBER" -R "$GH_REPO" -b "$BODY" || true
retry gh issue close "$NUMBER" -R "$GH_REPO" || true
gh issue lock "$NUMBER" -R "$GH_REPO" -r "off_topic" || true
- name: Reopened or label removed, unlock issue
if: github.event.action == 'unlabeled' && github.event.label.name == 'support'
shell: bash
run: |
retry() { n=0; until "$@"; do n=$((n+1)); [ $n -ge 3 ] && break; echo "retry $n: $*" >&2; sleep 2; done; }
retry gh issue reopen "$NUMBER" -R "$GH_REPO" || true
gh issue unlock "$NUMBER" -R "$GH_REPO" || true
- name: Remove support label on manual reopen
if: github.event.action == 'reopened'
shell: bash
run: |
gh issue edit "$NUMBER" -R "$GH_REPO" --remove-label "support" || true
gh issue unlock "$NUMBER" -R "$GH_REPO" || true
close-issue: true
lock-issue: true
issue-lock-reason: 'off-topic'

View File

@@ -8,32 +8,24 @@ on:
- 'docs/**'
- 'gen-docs/**'
permissions:
contents: read
concurrency:
group: docs-pr-${{ github.ref }}
cancel-in-progress: true
jobs:
test-deploy:
name: Test deployment
runs-on: ubuntu-24.04
permissions:
contents: read
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v4
with:
fetch-depth: 0
persist-credentials: false
- name: Set up Node.js
uses: actions/setup-node@v4
with:
node-version-file: package.json
node-version: 20
- name: Pnpm Setup
uses: pnpm/action-setup@v4
with:
version: 9
- name: Get pnpm store directory
shell: sh
@@ -50,7 +42,7 @@ jobs:
- name: Install dependencies
run: |
cd gen-docs
cd gen-docs
pnpm install --frozen-lockfile
- name: Build website

View File

@@ -9,11 +9,7 @@ cypress/config/settings.cypress.json
# assets
src/assets/
public/
!public/sw.js
docs/
!/public/
/public/*
!/public/sw.js
# helm charts
**/charts

View File

@@ -20,8 +20,5 @@
"files.associations": {
"globals.css": "tailwindcss"
},
"i18n-ally.localesPaths": [
"src/i18n/locale"
],
"yaml.format.singleQuote": true
"i18n-ally.localesPaths": ["src/i18n/locale"]
}

View File

@@ -2,45 +2,6 @@
All help is welcome and greatly appreciated! If you would like to contribute to the project, the following instructions should get you started...
## AI Assistance Notice
> [!IMPORTANT]
>
> If you are using **any kind of AI assistance** to contribute to Jellyseerr,
> it must be disclosed in the pull request.
If you are using any kind of AI assistance while contributing to Jellyseerr,
**this must be disclosed in the pull request**, along with the extent to
which AI assistance was used (e.g. docs only vs. code generation).
If PR responses are being generated by an AI, disclose that as well.
As a small exception, trivial tab-completion doesn't need to be disclosed,
so long as it is limited to single keywords or short phrases.
An example disclosure:
> This PR was written primarily by Claude Code.
Or a more detailed disclosure:
> I consulted ChatGPT to understand the codebase but the solution
> was fully authored manually by myself.
Failure to disclose this is first and foremost rude to the human operators
on the other end of the pull request, but it also makes it difficult to
determine how much scrutiny to apply to the contribution.
In a perfect world, AI assistance would produce equal or higher quality
work than any human. That isn't the world we live in today, and in most cases
it's generating slop. I say this despite being a fan of and using them
successfully myself (with heavy supervision)!
When using AI assistance, we expect contributors to understand the code
that is produced and be able to answer critical questions about it. It
isn't a maintainers job to review a PR so broken that it requires
significant rework to be acceptable.
Please be respectful to maintainers and disclose AI assistance.
## Development
### Tools Required
@@ -197,4 +158,4 @@ DB_TYPE="postgres" DB_USER=postgres DB_PASS=postgres pnpm migration:generate ser
## Attribution
This contribution guide was inspired by the [Next.js](https://github.com/vercel/next.js), [Radarr](https://github.com/Radarr/Radarr), [Overseerr](https://github.com/sct/Overseerr) and [Ghostty](https://github.com/ghostty-org/ghostty) contribution guides.
This contribution guide was inspired by the [Next.js](https://github.com/vercel/next.js), [Radarr](https://github.com/Radarr/Radarr), and [Overseerr](https://github.com/sct/Overseerr) contribution guides.

View File

@@ -2,11 +2,8 @@ FROM node:22-alpine AS BUILD_IMAGE
WORKDIR /app
ARG SOURCE_DATE_EPOCH
ARG TARGETPLATFORM
ARG COMMIT_TAG
ENV TARGETPLATFORM=${TARGETPLATFORM:-linux/amd64}
ENV COMMIT_TAG=${COMMIT_TAG}
RUN \
case "${TARGETPLATFORM}" in \
@@ -17,27 +14,47 @@ RUN \
;; \
esac
RUN npm install --global pnpm@10
RUN npm install --global pnpm@9
COPY package.json pnpm-lock.yaml postinstall-win.js ./
RUN CYPRESS_INSTALL_BINARY=0 pnpm install --frozen-lockfile
COPY . ./
ARG COMMIT_TAG
ENV COMMIT_TAG=${COMMIT_TAG}
RUN pnpm build
# remove development dependencies
RUN pnpm prune --prod --ignore-scripts && \
rm -rf src server .next/cache charts gen-docs docs && \
touch config/DOCKER && \
echo "{\"commitTag\": \"${COMMIT_TAG}\"}" > committag.json
RUN pnpm prune --prod --ignore-scripts
RUN rm -rf src server .next/cache charts gen-docs docs
RUN touch config/DOCKER
RUN echo "{\"commitTag\": \"${COMMIT_TAG}\"}" > committag.json
FROM node:22-alpine
# OCI Meta information
ARG BUILD_DATE
ARG BUILD_VERSION
LABEL \
org.opencontainers.image.authors="Fallenbagel" \
org.opencontainers.image.source="https://github.com/fallenbagel/jellyseerr" \
org.opencontainers.image.created=${BUILD_DATE} \
org.opencontainers.image.version=${BUILD_VERSION} \
org.opencontainers.image.title="Jellyseerr" \
org.opencontainers.image.description="Open-source media request and discovery manager for Jellyfin, Plex, and Emby." \
org.opencontainers.image.licenses="MIT"
WORKDIR /app
RUN apk add --no-cache tzdata tini && rm -rf /tmp/*
RUN npm install -g pnpm@10
RUN npm install -g pnpm@9
# copy from build image
COPY --from=BUILD_IMAGE /app ./

View File

@@ -3,7 +3,7 @@ FROM node:22-alpine
COPY . /app
WORKDIR /app
RUN npm install --global pnpm@10
RUN npm install --global pnpm@9
RUN pnpm install

View File

@@ -11,7 +11,7 @@
<a href="http://translate.jellyseerr.dev/engage/jellyseerr/"><img src="http://translate.jellyseerr.dev/widget/jellyseerr/jellyseerr-frontend/svg-badge.svg" alt="Translation status" /></a>
<a href="https://github.com/fallenbagel/jellyseerr/blob/develop/LICENSE"><img alt="GitHub" src="https://img.shields.io/github/license/fallenbagel/jellyseerr"></a>
<!-- ALL-CONTRIBUTORS-BADGE:START - Do not remove or modify this section -->
<a href="#contributors-"><img alt="All Contributors" src="https://img.shields.io/badge/all_contributors-71-orange.svg"/></a>
<a href="#contributors-"><img alt="All Contributors" src="https://img.shields.io/badge/all_contributors-69-orange.svg"/></a>
<!-- ALL-CONTRIBUTORS-BADGE:END -->
**Jellyseerr** is a free and open source software application for managing requests for your media library. It integrates with the media server of your choice: [Jellyfin](https://jellyfin.org), [Plex](https://plex.tv), and [Emby](https://emby.media/). In addition, it integrates with your existing services, such as **[Sonarr](https://sonarr.tv/)**, **[Radarr](https://radarr.video/)**.
@@ -173,10 +173,6 @@ Thanks goes to these wonderful people from Overseerr ([emoji key](https://allcon
<td align="center" valign="top" width="14.28%"><a href="https://github.com/JamsRepos"><img src="https://avatars.githubusercontent.com/u/1347620?v=4?s=100" width="100px;" alt="Jam"/><br /><sub><b>Jam</b></sub></a><br /><a href="https://github.com/fallenbagel/jellyseerr/commits?author=JamsRepos" title="Code">💻</a></td>
<td align="center" valign="top" width="14.28%"><a href="http://www.joelowrance.com"><img src="https://avatars.githubusercontent.com/u/63176?v=4?s=100" width="100px;" alt="Joe Lowrance"/><br /><sub><b>Joe Lowrance</b></sub></a><br /><a href="https://github.com/fallenbagel/jellyseerr/commits?author=joelowrance" title="Code">💻</a></td>
<td align="center" valign="top" width="14.28%"><a href="https://github.com/0xSysR3ll"><img src="https://avatars.githubusercontent.com/u/31414959?v=4?s=100" width="100px;" alt="0xsysr3ll"/><br /><sub><b>0xsysr3ll</b></sub></a><br /><a href="https://github.com/fallenbagel/jellyseerr/commits?author=0xSysR3ll" title="Code">💻</a></td>
<td align="center" valign="top" width="14.28%"><a href="https://sudo-kraken.github.io/docs/"><img src="https://avatars.githubusercontent.com/u/53116754?v=4?s=100" width="100px;" alt="Joe Harrison"/><br /><sub><b>Joe Harrison</b></sub></a><br /><a href="#infra-sudo-kraken" title="Infrastructure (Hosting, Build-Tools, etc)">🚇</a></td>
</tr>
<tr>
<td align="center" valign="top" width="14.28%"><a href="https://github.com/ale183"><img src="https://avatars.githubusercontent.com/u/8809439?v=4?s=100" width="100px;" alt="ale183"/><br /><sub><b>ale183</b></sub></a><br /><a href="https://github.com/fallenbagel/jellyseerr/commits?author=ale183" title="Code">💻</a></td>
</tr>
</tbody>
</table>

View File

@@ -3,7 +3,7 @@ kubeVersion: ">=1.23.0-0"
name: jellyseerr-chart
description: Jellyseerr helm chart for Kubernetes
type: application
version: 2.7.0
version: 2.6.2
appVersion: "2.7.3"
maintainers:
- name: Jellyseerr

View File

@@ -1,6 +1,6 @@
# jellyseerr-chart
![Version: 2.7.0](https://img.shields.io/badge/Version-2.7.0-informational?style=flat-square) ![Type: application](https://img.shields.io/badge/Type-application-informational?style=flat-square) ![AppVersion: 2.7.3](https://img.shields.io/badge/AppVersion-2.7.3-informational?style=flat-square)
![Version: 2.6.2](https://img.shields.io/badge/Version-2.6.2-informational?style=flat-square) ![Type: application](https://img.shields.io/badge/Type-application-informational?style=flat-square) ![AppVersion: 2.7.3](https://img.shields.io/badge/AppVersion-2.7.3-informational?style=flat-square)
Jellyseerr helm chart for Kubernetes
@@ -20,17 +20,6 @@ Jellyseerr helm chart for Kubernetes
Kubernetes: `>=1.23.0-0`
## Update Notes
### Updating to 2.7.0
Jellyseerr is a stateful application and it is not designed to have multiple replicas. In version 2.7.0 we address this by:
- replacing `Deployment` with `StatefulSet`
- removing `replicaCount` value
If `replicaCount` value was used - remove it. Helm update should work fine after that.
## Values
| Key | Type | Default | Description |
@@ -66,6 +55,7 @@ If `replicaCount` value was used - remove it. Helm update should work fine after
| probes.livenessProbe | object | `{}` | Configure liveness probe |
| probes.readinessProbe | object | `{}` | Configure readiness probe |
| probes.startupProbe | string | `nil` | Configure startup probe |
| replicaCount | int | `1` | |
| resources | object | `{}` | |
| securityContext | object | `{}` | |
| service.port | int | `80` | |
@@ -74,6 +64,7 @@ If `replicaCount` value was used - remove it. Helm update should work fine after
| serviceAccount.automount | bool | `true` | Automatically mount a ServiceAccount's API credentials? |
| serviceAccount.create | bool | `true` | Specifies whether a service account should be created |
| serviceAccount.name | string | `""` | If not set and create is true, a name is generated using the fullname template |
| strategy | object | `{"type":"Recreate"}` | Deployment strategy |
| tolerations | list | `[]` | |
| volumeMounts | list | `[]` | Additional volumeMounts on the output StatefulSet definition. |
| volumes | list | `[]` | Additional volumes on the output StatefulSet definition. |
| volumeMounts | list | `[]` | Additional volumeMounts on the output Deployment definition. |
| volumes | list | `[]` | Additional volumes on the output Deployment definition. |

View File

@@ -14,15 +14,4 @@
{{ template "chart.requirementsSection" . }}
## Update Notes
### Updating to 2.7.0
Jellyseerr is a stateful application and it is not designed to have multiple replicas. In version 2.7.0 we address this by:
- replacing `Deployment` with `StatefulSet`
- removing `replicaCount` value
If `replicaCount` value was used - remove it. Helm update should work fine after that.
{{ template "chart.valuesSection" . }}

View File

@@ -1,11 +1,13 @@
apiVersion: apps/v1
kind: StatefulSet
kind: Deployment
metadata:
name: {{ include "jellyseerr.fullname" . }}
labels:
{{- include "jellyseerr.labels" . | nindent 4 }}
spec:
serviceName: {{ include "jellyseerr.fullname" . }}
replicas: {{ .Values.replicaCount }}
strategy:
type: {{ .Values.strategy.type }}
selector:
matchLabels:
{{- include "jellyseerr.selectorLabels" . | nindent 6 }}

View File

@@ -1,3 +1,5 @@
replicaCount: 1
image:
registry: ghcr.io
repository: fallenbagel/jellyseerr
@@ -10,6 +12,10 @@ imagePullSecrets: []
nameOverride: ""
fullnameOverride: ""
# -- Deployment strategy
strategy:
type: Recreate
# Liveness / Readiness / Startup Probes
probes:
# -- Configure liveness probe
@@ -109,14 +115,14 @@ resources: {}
# cpu: 100m
# memory: 128Mi
# -- Additional volumes on the output StatefulSet definition.
# -- Additional volumes on the output Deployment definition.
volumes: []
# - name: foo
# secret:
# secretName: mysecret
# optional: false
# -- Additional volumeMounts on the output StatefulSet definition.
# -- Additional volumeMounts on the output Deployment definition.
volumeMounts: []
# - name: foo
# mountPath: "/etc/foo"

View File

@@ -1,148 +0,0 @@
describe('TVDB Integration', () => {
// Constants for routes and selectors
const ROUTES = {
home: '/',
metadataSettings: '/settings/metadata',
tomorrowIsOursTvShow: '/tv/72879',
monsterTvShow: '/tv/225634',
dragonnBallZKaiAnime: '/tv/61709',
};
const SELECTORS = {
sidebarToggle: '[data-testid=sidebar-toggle]',
sidebarSettingsMobile: '[data-testid=sidebar-menu-settings-mobile]',
settingsNavDesktop: 'nav[data-testid="settings-nav-desktop"]',
metadataTestButton: 'button[type="button"]:contains("Test")',
metadataSaveButton: '[data-testid="metadata-save-button"]',
tmdbStatus: '[data-testid="tmdb-status"]',
tvdbStatus: '[data-testid="tvdb-status"]',
tvMetadataProviderSelector: '[data-testid="tv-metadata-provider-selector"]',
animeMetadataProviderSelector:
'[data-testid="anime-metadata-provider-selector"]',
seasonSelector: '[data-testid="season-selector"]',
season1: 'Season 1',
season2: 'Season 2',
season3: 'Season 3',
episodeList: '[data-testid="episode-list"]',
episode9: '9 - Hang Men',
};
// Reusable commands
const navigateToMetadataSettings = () => {
cy.visit(ROUTES.home);
cy.get(SELECTORS.sidebarToggle).click();
cy.get(SELECTORS.sidebarSettingsMobile).click();
cy.get(
`${SELECTORS.settingsNavDesktop} a[href="${ROUTES.metadataSettings}"]`
).click();
};
const testAndVerifyMetadataConnection = () => {
cy.intercept('POST', '/api/v1/settings/metadatas/test').as(
'testConnection'
);
cy.get(SELECTORS.metadataTestButton).click();
return cy.wait('@testConnection');
};
const saveMetadataSettings = (customBody = null) => {
if (customBody) {
cy.intercept('PUT', '/api/v1/settings/metadatas', (req) => {
req.body = customBody;
}).as('saveMetadata');
} else {
// Else just intercept without modifying body
cy.intercept('PUT', '/api/v1/settings/metadatas').as('saveMetadata');
}
cy.get(SELECTORS.metadataSaveButton).click();
return cy.wait('@saveMetadata');
};
beforeEach(() => {
// Perform login
cy.login(Cypress.env('ADMIN_EMAIL'), Cypress.env('ADMIN_PASSWORD'));
// Navigate to Metadata settings
navigateToMetadataSettings();
// Verify we're on the correct settings page
cy.contains('h3', 'Metadata Providers').should('be.visible');
// Configure TVDB as TV provider and test connection
cy.get(SELECTORS.tvMetadataProviderSelector).click();
// get id react-select-4-option-1
cy.get('[class*="react-select__option"]').contains('TheTVDB').click();
// Test the connection
testAndVerifyMetadataConnection().then(({ response }) => {
expect(response.statusCode).to.equal(200);
// Check TVDB connection status
cy.get(SELECTORS.tvdbStatus).should('contain', 'Operational');
});
// Save settings
saveMetadataSettings({
anime: 'tvdb',
tv: 'tvdb',
}).then(({ response }) => {
expect(response.statusCode).to.equal(200);
expect(response.body.tv).to.equal('tvdb');
});
});
it('should display "Tomorrow is Ours" show information with multiple seasons from TVDB', () => {
// Navigate to the TV show
cy.visit(ROUTES.tomorrowIsOursTvShow);
// Verify that multiple seasons are displayed (TMDB has only 1 season, TVDB has multiple)
// cy.get(SELECTORS.seasonSelector).should('exist');
cy.intercept('/api/v1/tv/225634/season/1').as('season1');
// Select Season 2 and verify it loads
cy.contains(SELECTORS.season2)
.should('be.visible')
.scrollIntoView()
.click();
// Verify that episodes are displayed for Season 2
cy.contains('260 - Episode 506').should('be.visible');
});
it('Should display "Monster" show information correctly when not existing on TVDB', () => {
// Navigate to the TV show
cy.visit(ROUTES.monsterTvShow);
// Intercept season 1 request
cy.intercept('/api/v1/tv/225634/season/1').as('season1');
// Select Season 1
cy.contains(SELECTORS.season1)
.should('be.visible')
.scrollIntoView()
.click();
// Wait for the season data to load
cy.wait('@season1');
// Verify specific episode exists
cy.contains(SELECTORS.episode9).should('be.visible');
});
it('should display "Dragon Ball Z Kai" show information with multiple only 2 seasons from TVDB', () => {
// Navigate to the TV show
cy.visit(ROUTES.dragonnBallZKaiAnime);
// Intercept season 1 request
cy.intercept('/api/v1/tv/61709/season/1').as('season1');
// Select Season 2 and verify it visible
cy.contains(SELECTORS.season2)
.should('be.visible')
.scrollIntoView()
.click();
// select season 3 and verify it not visible
cy.contains(SELECTORS.season3).should('not.exist');
});
});

View File

@@ -15,7 +15,7 @@ import TabItem from '@theme/TabItem';
### Prerequisites
- [Node.js 22.x](https://nodejs.org/en/download/)
- [Pnpm 10.x](https://pnpm.io/installation)
- [Pnpm 9.x](https://pnpm.io/installation)
- [Git](https://git-scm.com/downloads)
## Unix (Linux, macOS)

View File

@@ -1,5 +1,5 @@
---
title: Kubernetes (Advanced)
title: Kubernetes
description: Install Jellyseerr in Kubernetes
sidebar_position: 5
---

View File

@@ -1,24 +0,0 @@
---
title: Welcome to the Jellyseerr Blog
description: The official Jellyseerr blog for release notes, technical updates, and community news.
slug: welcome
authors: [fallenbagel, gauthier-th]
tags: [announcement, jellyseerr, blog]
image: https://raw.githubusercontent.com/fallenbagel/jellyseerr/refs/heads/develop/gen-docs/static/img/logo.svg
hide_table_of_contents: false
---
We are pleased to introduce the official Jellyseerr blog.
This space will serve as the central place for:
- Release announcements
- Updates on new features and improvements
- Technical articles, such as details on our [**DNS caching package**](https://github.com/jellyseerr/dns-caching) and other enhancements
- Community-related news
<!--truncate-->
Our goal is to keep the community informed and provide deeper insights into the ongoing development of Jellyseerr.
Thank you for being part of the Jellyseerr project. More updates will follow soon.

View File

@@ -1,21 +0,0 @@
fallenbagel:
name: Fallenbagel
page: true
title: Developer & Maintainer of Jellyseerr
description: Core Maintainer & Developer of Jellyseerr | Full-Stack Software Engineer | MSc Software Engineering Candidate.
url: https://github.com/fallenbagel
image_url: https://github.com/fallenbagel.png
email: hello@fallenbagel.com
socials:
github: fallenbagel
gauthier-th:
name: Gauthier
page: true
title: Co-Developer & Co-Maintainer of Jellyseerr
description: Co-Maintainer & Developer of Jellyseerr | PhD Student in AI at ICB, Dijon
url: https://gauthierth.fr
image_url: https://github.com/gauthier-th.png
email: mail@gauthierth.fr
socials:
github: gauthier-th

View File

@@ -34,6 +34,7 @@ const config: Config = {
editUrl:
'https://github.com/fallenbagel/jellyseerr/edit/develop/docs/',
},
blog: false,
pages: false,
theme: {
customCss: './src/css/custom.css',
@@ -68,11 +69,6 @@ const config: Config = {
src: 'img/logo.svg',
},
items: [
{
to: 'blog',
label: 'Blog',
position: 'right',
},
{
href: 'https://github.com/fallenbagel/jellyseerr',
label: 'GitHub',
@@ -92,19 +88,6 @@ const config: Config = {
},
],
},
{
title: 'Project',
items: [
{
label: 'Blog',
to: '/blog',
},
{
label: 'GitHub',
href: 'https://github.com/fallenbagel/jellyseerr',
},
],
},
{
title: 'Community',
items: [

View File

@@ -2,7 +2,6 @@
"name": "gen-docs",
"version": "0.0.0",
"private": true,
"packageManager": "pnpm@10.17.1",
"scripts": {
"docusaurus": "docusaurus",
"start": "docusaurus start",
@@ -16,9 +15,9 @@
"typecheck": "tsc"
},
"dependencies": {
"@docusaurus/core": "3.9.1",
"@docusaurus/preset-classic": "3.9.1",
"@easyops-cn/docusaurus-search-local": "^0.52.1",
"@docusaurus/core": "3.4.0",
"@docusaurus/preset-classic": "3.4.0",
"@easyops-cn/docusaurus-search-local": "^0.44.2",
"@mdx-js/react": "^3.0.0",
"clsx": "^2.0.0",
"prism-react-renderer": "^2.3.0",
@@ -27,11 +26,14 @@
"tailwindcss": "^3.4.4"
},
"devDependencies": {
"@docusaurus/module-type-aliases": "3.9.1",
"@docusaurus/tsconfig": "3.9.1",
"@docusaurus/types": "3.9.1",
"@docusaurus/module-type-aliases": "3.4.0",
"@docusaurus/tsconfig": "3.4.0",
"@docusaurus/types": "3.4.0",
"typescript": "~5.2.2"
},
"resolutions": {
"prismjs": "PrismJS/prism"
},
"browserslist": {
"production": [
">0.5%",

8738
gen-docs/pnpm-lock.yaml generated

File diff suppressed because it is too large Load Diff

View File

@@ -519,20 +519,6 @@ components:
serverID:
type: string
readOnly: true
MetadataSettings:
type: object
properties:
settings:
type: object
properties:
tv:
type: string
enum: [tvdb, tmdb]
example: 'tvdb'
anime:
type: string
enum: [tvdb, tmdb]
example: 'tvdb'
TautulliSettings:
type: object
properties:
@@ -1451,9 +1437,6 @@ components:
type: string
jsonPayload:
type: string
supportVariables:
type: boolean
example: false
TelegramSettings:
type: object
properties:
@@ -2585,67 +2568,6 @@ paths:
type: string
thumb:
type: string
/settings/metadatas:
get:
summary: Get Metadata settings
description: Retrieves current Metadata settings.
tags:
- settings
responses:
'200':
description: OK
content:
application/json:
schema:
$ref: '#/components/schemas/MetadataSettings'
put:
summary: Update Metadata settings
description: Updates Metadata settings with the provided values.
tags:
- settings
requestBody:
required: true
content:
application/json:
schema:
$ref: '#/components/schemas/MetadataSettings'
responses:
'200':
description: 'Values were successfully updated'
content:
application/json:
schema:
$ref: '#/components/schemas/MetadataSettings'
/settings/metadatas/test:
post:
summary: Test Provider configuration
description: Tests if the TVDB configuration is valid. Returns a list of available languages on success.
tags:
- settings
requestBody:
required: true
content:
application/json:
schema:
type: object
properties:
tmdb:
type: boolean
example: true
tvdb:
type: boolean
example: true
responses:
'200':
description: Succesfully connected to TVDB
content:
application/json:
schema:
type: object
properties:
message:
type: string
example: 'Successfully connected to TVDB'
/settings/tautulli:
get:
summary: Get Tautulli settings
@@ -5198,12 +5120,6 @@ paths:
schema:
type: string
example: 1,2
- in: query
name: excludeKeywords
schema:
type: string
example: 3,4
description: Comma-separated list of keyword IDs to exclude from results
- in: query
name: sortBy
schema:
@@ -5524,12 +5440,6 @@ paths:
schema:
type: string
example: 1,2
- in: query
name: excludeKeywords
schema:
type: string
example: 3,4
description: Comma-separated list of keyword IDs to exclude from results
- in: query
name: sortBy
schema:
@@ -6153,7 +6063,7 @@ paths:
get:
summary: Gets request counts
description: |
Returns the number of requests by status including pending, approved, available, and completed requests.
Returns the number of pending and approved requests.
tags:
- request
responses:
@@ -6180,8 +6090,6 @@ paths:
type: number
available:
type: number
completed:
type: number
/request/{requestId}:
get:
summary: Get MediaRequest
@@ -6564,7 +6472,7 @@ paths:
application/json:
schema:
$ref: '#/components/schemas/TvDetails'
/tv/{tvId}/season/{seasonNumber}:
/tv/{tvId}/season/{seasonId}:
get:
summary: Get season details and episode list
description: Returns season details with a list of episodes in a JSON object.
@@ -6578,11 +6486,11 @@ paths:
type: number
example: 76479
- in: path
name: seasonNumber
name: seasonId
required: true
schema:
type: number
example: 123456
example: 1
- in: query
name: language
schema:

View File

@@ -2,7 +2,6 @@
"name": "jellyseerr",
"version": "0.1.0",
"private": true,
"packageManager": "pnpm@10.17.1",
"scripts": {
"preinstall": "npx only-allow pnpm",
"postinstall": "node postinstall-win.js",
@@ -58,7 +57,7 @@
"cronstrue": "2.23.0",
"date-fns": "2.29.3",
"dayjs": "1.11.7",
"dns-caching": "^0.2.7",
"dns-caching": "^0.2.5",
"email-templates": "12.0.1",
"email-validator": "2.0.4",
"express": "4.21.2",
@@ -117,8 +116,11 @@
"zod": "3.24.2"
},
"devDependencies": {
"@codedependant/semantic-release-docker": "^5.1.0",
"@commitlint/cli": "17.4.4",
"@commitlint/config-conventional": "17.4.4",
"@semantic-release/changelog": "6.0.3",
"@semantic-release/git": "10.0.1",
"@tailwindcss/aspect-ratio": "0.4.2",
"@tailwindcss/forms": "0.5.10",
"@tailwindcss/typography": "0.5.16",
@@ -168,6 +170,7 @@
"prettier": "2.8.4",
"prettier-plugin-organize-imports": "3.2.2",
"prettier-plugin-tailwindcss": "0.2.3",
"semantic-release": "24.2.7",
"tailwindcss": "3.2.7",
"ts-node": "10.9.1",
"tsc-alias": "1.8.2",
@@ -176,7 +179,7 @@
},
"engines": {
"node": "^22.0.0",
"pnpm": "^10.0.0"
"pnpm": "^9.0.0"
},
"overrides": {
"sqlite3/node-gyp": "8.4.1",
@@ -205,12 +208,28 @@
"plugins": [
"@semantic-release/commit-analyzer",
"@semantic-release/release-notes-generator",
[
"@semantic-release/changelog",
{
"changelogFile": "CHANGELOG.md"
}
],
"@semantic-release/npm",
[
"@semantic-release/git",
{
"assets": [
"package.json",
"CHANGELOG.md"
],
"message": "chore(release): ${nextRelease.version}"
}
],
[
"@codedependant/semantic-release-docker",
{
"dockerArgs": {
"COMMIT_TAG": "${GITHUB_SHA}"
"COMMIT_TAG": "$GIT_SHA"
},
"dockerLogin": false,
"dockerProject": "fallenbagel",
@@ -231,7 +250,7 @@
"@codedependant/semantic-release-docker",
{
"dockerArgs": {
"COMMIT_TAG": "${GITHUB_SHA}"
"COMMIT_TAG": "$GIT_SHA"
},
"dockerLogin": false,
"dockerRegistry": "ghcr.io",
@@ -264,11 +283,5 @@
"@codedependant/semantic-release-docker",
"@semantic-release/github"
]
},
"pnpm": {
"onlyBuiltDependencies": [
"sqlite3",
"bcrypt"
]
}
}

1887
pnpm-lock.yaml generated

File diff suppressed because it is too large Load Diff

View File

@@ -48,7 +48,6 @@ export interface AnidbItem {
tvdbId?: number;
tmdbId?: number;
imdbId?: string;
tvdbSeason?: number;
}
class AnimeListMapping {
@@ -98,7 +97,6 @@ class AnimeListMapping {
tvdbId: anime.$.defaulttvdbseason === '0' ? undefined : tvdbId,
tmdbId: tmdbId,
imdbId: imdbIds[0], // this is used for one AniDB -> one imdb movie mapping
tvdbSeason: Number(anime.$.defaulttvdbseason),
};
if (tvdbId) {

View File

@@ -10,7 +10,7 @@ const DEFAULT_TTL = 300;
// 10 seconds default rolling buffer (in ms)
const DEFAULT_ROLLING_BUFFER = 10000;
export interface ExternalAPIOptions {
interface ExternalAPIOptions {
nodeCache?: NodeCache;
headers?: Record<string, unknown>;
rateLimit?: {

View File

@@ -103,7 +103,6 @@ export interface JellyfinLibraryItemExtended extends JellyfinLibraryItem {
Tmdb?: string;
Imdb?: string;
Tvdb?: string;
AniDB?: string;
};
MediaSources?: JellyfinMediaSource[];
Width?: number;

View File

@@ -1,39 +0,0 @@
import type { TvShowProvider } from '@server/api/provider';
import TheMovieDb from '@server/api/themoviedb';
import Tvdb from '@server/api/tvdb';
import { getSettings, MetadataProviderType } from '@server/lib/settings';
import logger from '@server/logger';
export const getMetadataProvider = async (
mediaType: 'movie' | 'tv' | 'anime'
): Promise<TvShowProvider> => {
try {
const settings = await getSettings();
if (mediaType == 'movie') {
return new TheMovieDb();
}
if (
mediaType == 'tv' &&
settings.metadataSettings.tv == MetadataProviderType.TVDB
) {
return await Tvdb.getInstance();
}
if (
mediaType == 'anime' &&
settings.metadataSettings.anime == MetadataProviderType.TVDB
) {
return await Tvdb.getInstance();
}
return new TheMovieDb();
} catch (e) {
logger.error('Failed to get metadata provider', {
label: 'Metadata',
message: e.message,
});
return new TheMovieDb();
}
};

View File

@@ -113,7 +113,7 @@ interface MetadataResponse {
ratingKey: string;
type: 'movie' | 'show';
title: string;
Guid?: {
Guid: {
id: `imdb://tt${number}` | `tmdb://${number}` | `tvdb://${number}`;
}[];
}[];
@@ -277,18 +277,9 @@ class PlexTvAPI extends ExternalAPI {
}> {
try {
const watchlistCache = cacheManager.getCache('plexwatchlist');
logger.debug('Fetching watchlist from Plex.TV', {
offset,
size,
label: 'Plex.TV Metadata API',
});
let cachedWatchlist = watchlistCache.data.get<PlexWatchlistCache>(
this.authToken
);
logger.debug(`Found cached watchlist: ${!!cachedWatchlist}`, {
cachedWatchlist,
label: 'Plex.TV Metadata API',
});
const response = await this.axios.get<WatchlistResponse>(
'/library/sections/watchlist/all',
@@ -305,10 +296,6 @@ class PlexTvAPI extends ExternalAPI {
}
);
logger.debug(`Watchlist fetch returned status ${response.status}`, {
label: 'Plex.TV Metadata API',
});
// If we don't recieve HTTP 304, the watchlist has been updated and we need to update the cache.
if (response.status >= 200 && response.status <= 299) {
cachedWatchlist = {
@@ -325,32 +312,19 @@ class PlexTvAPI extends ExternalAPI {
const watchlistDetails = await Promise.all(
(cachedWatchlist?.response.MediaContainer.Metadata ?? []).map(
async (watchlistItem) => {
let detailedResponse: MetadataResponse;
try {
detailedResponse = await this.getRolling<MetadataResponse>(
`/library/metadata/${watchlistItem.ratingKey}`,
{
baseURL: 'https://discover.provider.plex.tv',
}
);
} catch (e) {
if (e.response?.status === 404) {
logger.warn(
`Item with ratingKey ${watchlistItem.ratingKey} not found, it may have been removed from the server.`,
{ label: 'Plex.TV Metadata API' }
);
return null;
} else {
throw e;
const detailedResponse = await this.getRolling<MetadataResponse>(
`/library/metadata/${watchlistItem.ratingKey}`,
{
baseURL: 'https://discover.provider.plex.tv',
}
}
);
const metadata = detailedResponse.MediaContainer.Metadata[0];
const tmdbString = metadata.Guid?.find((guid) =>
const tmdbString = metadata.Guid.find((guid) =>
guid.id.startsWith('tmdb')
);
const tvdbString = metadata.Guid?.find((guid) =>
const tvdbString = metadata.Guid.find((guid) =>
guid.id.startsWith('tvdb')
);
@@ -369,9 +343,7 @@ class PlexTvAPI extends ExternalAPI {
)
);
const filteredList = watchlistDetails.filter(
(detail) => detail?.tmdbId
) as PlexWatchlistItem[];
const filteredList = watchlistDetails.filter((detail) => detail.tmdbId);
return {
offset,

View File

@@ -1,30 +0,0 @@
import type {
TmdbSeasonWithEpisodes,
TmdbTvDetails,
} from '@server/api/themoviedb/interfaces';
export interface TvShowProvider {
getTvShow({
tvId,
language,
}: {
tvId: number;
language?: string;
}): Promise<TmdbTvDetails>;
getTvSeason({
tvId,
seasonNumber,
language,
}: {
tvId: number;
seasonNumber: number;
language?: string;
}): Promise<TmdbSeasonWithEpisodes>;
getShowByTvdbId({
tvdbId,
language,
}: {
tvdbId: number;
language?: string;
}): Promise<TmdbTvDetails>;
}

View File

@@ -198,25 +198,6 @@ class ServarrBase<QueueItemAppendT> extends ExternalAPI {
}
};
public renameTag = async ({
id,
label,
}: {
id: number;
label: string;
}): Promise<Tag> => {
try {
const response = await this.axios.put<Tag>(`/tag/${id}`, {
id,
label,
});
return response.data;
} catch (e) {
throw new Error(`[${this.apiName}] Failed to rename tag: ${e.message}`);
}
};
async refreshMonitoredDownloads(): Promise<void> {
await this.runCommand('RefreshMonitoredDownloads', {});
}

View File

@@ -1,5 +1,4 @@
import ExternalAPI from '@server/api/externalapi';
import type { TvShowProvider } from '@server/api/provider';
import cacheManager from '@server/lib/cache';
import { getSettings } from '@server/lib/settings';
import { sortBy } from 'lodash';
@@ -86,7 +85,6 @@ interface DiscoverMovieOptions {
genre?: string;
studio?: string;
keywords?: string;
excludeKeywords?: string;
sortBy?: SortOptions;
watchRegion?: string;
watchProviders?: string;
@@ -112,7 +110,6 @@ interface DiscoverTvOptions {
genre?: string;
network?: number;
keywords?: string;
excludeKeywords?: string;
sortBy?: SortOptions;
watchRegion?: string;
watchProviders?: string;
@@ -123,7 +120,7 @@ interface DiscoverTvOptions {
certificationCountry?: string;
}
class TheMovieDb extends ExternalAPI implements TvShowProvider {
class TheMovieDb extends ExternalAPI {
private locale: string;
private discoverRegion?: string;
private originalLanguage?: string;
@@ -344,13 +341,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
}
);
data.episodes = data.episodes.map((episode) => {
if (episode.still_path) {
episode.still_path = `https://image.tmdb.org/t/p/original/${episode.still_path}`;
}
return episode;
});
return data;
} catch (e) {
throw new Error(`[TMDB] Failed to fetch TV show details: ${e.message}`);
@@ -497,7 +487,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
genre,
studio,
keywords,
excludeKeywords,
withRuntimeGte,
withRuntimeLte,
voteAverageGte,
@@ -548,7 +537,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
with_genres: genre,
with_companies: studio,
with_keywords: keywords,
without_keywords: excludeKeywords,
'with_runtime.gte': withRuntimeGte,
'with_runtime.lte': withRuntimeLte,
'vote_average.gte': voteAverageGte,
@@ -581,7 +569,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
genre,
network,
keywords,
excludeKeywords,
withRuntimeGte,
withRuntimeLte,
voteAverageGte,
@@ -633,7 +620,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
with_genres: genre,
with_networks: network,
with_keywords: keywords,
without_keywords: excludeKeywords,
'with_runtime.gte': withRuntimeGte,
'with_runtime.lte': withRuntimeLte,
'vote_average.gte': voteAverageGte,

View File

@@ -220,7 +220,7 @@ export interface TmdbTvEpisodeResult {
show_id: number;
still_path: string;
vote_average: number;
vote_count: number;
vote_cuont: number;
}
export interface TmdbTvSeasonResult {

View File

@@ -1,563 +0,0 @@
import ExternalAPI from '@server/api/externalapi';
import type { TvShowProvider } from '@server/api/provider';
import TheMovieDb from '@server/api/themoviedb';
import type {
TmdbSeasonWithEpisodes,
TmdbTvDetails,
TmdbTvEpisodeResult,
TmdbTvSeasonResult,
} from '@server/api/themoviedb/interfaces';
import {
convertTmdbLanguageToTvdbWithFallback,
type TvdbBaseResponse,
type TvdbEpisode,
type TvdbLoginResponse,
type TvdbSeasonDetails,
type TvdbTvDetails,
} from '@server/api/tvdb/interfaces';
import cacheManager, { type AvailableCacheIds } from '@server/lib/cache';
import logger from '@server/logger';
interface TvdbConfig {
baseUrl: string;
maxRequestsPerSecond: number;
maxRequests: number;
cachePrefix: AvailableCacheIds;
}
const DEFAULT_CONFIG: TvdbConfig = {
baseUrl: 'https://api4.thetvdb.com/v4',
maxRequestsPerSecond: 50,
maxRequests: 20,
cachePrefix: 'tvdb' as const,
};
const enum TvdbIdStatus {
INVALID = -1,
}
type TvdbId = number;
type ValidTvdbId = Exclude<TvdbId, TvdbIdStatus.INVALID>;
class Tvdb extends ExternalAPI implements TvShowProvider {
static instance: Tvdb;
private readonly tmdb: TheMovieDb;
private static readonly DEFAULT_CACHE_TTL = 43200;
private static readonly DEFAULT_LANGUAGE = 'eng';
private token: string;
private pin?: string;
constructor(pin?: string) {
const finalConfig = { ...DEFAULT_CONFIG };
super(
finalConfig.baseUrl,
{},
{
nodeCache: cacheManager.getCache(finalConfig.cachePrefix).data,
rateLimit: {
maxRequests: finalConfig.maxRequests,
maxRPS: finalConfig.maxRequestsPerSecond,
},
}
);
this.pin = pin;
this.tmdb = new TheMovieDb();
}
public static async getInstance(): Promise<Tvdb> {
if (!this.instance) {
this.instance = new Tvdb();
await this.instance.login();
}
return this.instance;
}
private async refreshToken(): Promise<void> {
try {
if (!this.token) {
await this.login();
return;
}
const base64Url = this.token.split('.')[1];
const base64 = base64Url.replace(/-/g, '+').replace(/_/g, '/');
const payload = JSON.parse(Buffer.from(base64, 'base64').toString());
if (!payload.exp) {
await this.login();
}
const now = Math.floor(Date.now() / 1000);
const diff = payload.exp - now;
// refresh token 1 week before expiration
if (diff < 604800) {
await this.login();
}
} catch (error) {
this.handleError('Failed to refresh token', error);
}
}
public async test(): Promise<void> {
try {
await this.login();
} catch (error) {
this.handleError('Login failed', error);
throw error;
}
}
async login(): Promise<TvdbLoginResponse> {
let body: { apiKey: string; pin?: string } = {
apiKey: 'd00d9ecb-a9d0-4860-958a-74b14a041405',
};
if (this.pin) {
body = {
...body,
pin: this.pin,
};
}
const response = await this.post<TvdbBaseResponse<TvdbLoginResponse>>(
'/login',
{
...body,
}
);
this.token = response.data.token;
return response.data;
}
public async getShowByTvdbId({
tvdbId,
language,
}: {
tvdbId: number;
language?: string;
}): Promise<TmdbTvDetails> {
try {
const tmdbTvShow = await this.tmdb.getShowByTvdbId({
tvdbId: tvdbId,
language,
});
try {
await this.refreshToken();
const validTvdbId = this.getTvdbIdFromTmdb(tmdbTvShow);
if (this.isValidTvdbId(validTvdbId)) {
return this.enrichTmdbShowWithTvdbData(tmdbTvShow, validTvdbId);
}
return tmdbTvShow;
} catch (error) {
return tmdbTvShow;
}
} catch (error) {
this.handleError('Failed to fetch TV show details', error);
throw error;
}
}
public async getTvShow({
tvId,
language,
}: {
tvId: number;
language?: string;
}): Promise<TmdbTvDetails> {
try {
const tmdbTvShow = await this.tmdb.getTvShow({ tvId, language });
try {
await this.refreshToken();
const tvdbId = this.getTvdbIdFromTmdb(tmdbTvShow);
if (this.isValidTvdbId(tvdbId)) {
return await this.enrichTmdbShowWithTvdbData(tmdbTvShow, tvdbId);
}
return tmdbTvShow;
} catch (error) {
this.handleError('Failed to fetch TV show details', error);
return tmdbTvShow;
}
} catch (error) {
this.handleError('Failed to fetch TV show details', error);
return this.tmdb.getTvShow({ tvId, language });
}
}
public async getTvSeason({
tvId,
seasonNumber,
language = Tvdb.DEFAULT_LANGUAGE,
}: {
tvId: number;
seasonNumber: number;
language?: string;
}): Promise<TmdbSeasonWithEpisodes> {
try {
const tmdbTvShow = await this.tmdb.getTvShow({ tvId, language });
try {
await this.refreshToken();
const tvdbId = this.getTvdbIdFromTmdb(tmdbTvShow);
if (!this.isValidTvdbId(tvdbId)) {
return await this.tmdb.getTvSeason({ tvId, seasonNumber, language });
}
return await this.getTvdbSeasonData(
tvdbId,
seasonNumber,
tvId,
language
);
} catch (error) {
this.handleError('Failed to fetch TV season details', error);
return await this.tmdb.getTvSeason({ tvId, seasonNumber, language });
}
} catch (error) {
logger.error(
`[TVDB] Failed to fetch TV season details: ${error.message}`
);
throw error;
}
}
private async enrichTmdbShowWithTvdbData(
tmdbTvShow: TmdbTvDetails,
tvdbId: ValidTvdbId
): Promise<TmdbTvDetails> {
try {
await this.refreshToken();
const tvdbData = await this.fetchTvdbShowData(tvdbId);
const seasons = this.processSeasons(tvdbData);
if (!seasons.length) {
return tmdbTvShow;
}
return { ...tmdbTvShow, seasons };
} catch (error) {
logger.error(
`Failed to enrich TMDB show with TVDB data: ${error.message} token: ${this.token}`
);
return tmdbTvShow;
}
}
private async fetchTvdbShowData(tvdbId: number): Promise<TvdbTvDetails> {
const resp = await this.get<TvdbBaseResponse<TvdbTvDetails>>(
`/series/${tvdbId}/extended?meta=episodes&short=true`,
{
headers: {
Authorization: `Bearer ${this.token}`,
},
},
Tvdb.DEFAULT_CACHE_TTL
);
return resp.data;
}
private processSeasons(tvdbData: TvdbTvDetails): TmdbTvSeasonResult[] {
if (!tvdbData || !tvdbData.seasons || !tvdbData.episodes) {
return [];
}
const seasons = tvdbData.seasons
.filter((season) => season.type && season.type.type === 'official')
.sort((a, b) => a.number - b.number)
.map((season) => this.createSeasonData(season, tvdbData))
.filter(
(season) => season && season.season_number >= 0
) as TmdbTvSeasonResult[];
return seasons;
}
private createSeasonData(
season: TvdbSeasonDetails,
tvdbData: TvdbTvDetails
): TmdbTvSeasonResult {
const seasonNumber = season.number ?? -1;
if (seasonNumber < 0) {
return {
id: 0,
episode_count: 0,
name: '',
overview: '',
season_number: -1,
poster_path: '',
air_date: '',
};
}
const episodeCount = tvdbData.episodes.filter(
(episode) => episode.seasonNumber === season.number
).length;
return {
id: tvdbData.id,
episode_count: episodeCount,
name: `${season.number}`,
overview: '',
season_number: season.number,
poster_path: '',
air_date: '',
};
}
private async getTvdbSeasonData(
tvdbId: number,
seasonNumber: number,
tvId: number,
language: string = Tvdb.DEFAULT_LANGUAGE
): Promise<TmdbSeasonWithEpisodes> {
const tvdbData = await this.fetchTvdbShowData(tvdbId);
if (!tvdbData) {
logger.error(`Failed to fetch TVDB data for ID: ${tvdbId}`);
return this.createEmptySeasonResponse(tvId);
}
// get season id
const season = tvdbData.seasons.find(
(season) =>
season.number === seasonNumber &&
season.type.type &&
season.type.type === 'official'
);
if (!season) {
logger.error(
`Failed to find season ${seasonNumber} for TVDB ID: ${tvdbId}`
);
return this.createEmptySeasonResponse(tvId);
}
const wantedTranslation = convertTmdbLanguageToTvdbWithFallback(
language,
Tvdb.DEFAULT_LANGUAGE
);
// check if translation is available for the season
const availableTranslation = season.nameTranslations.filter(
(translation) =>
translation === wantedTranslation ||
translation === Tvdb.DEFAULT_LANGUAGE
);
if (!availableTranslation) {
return this.getSeasonWithOriginalLanguage(
tvdbId,
tvId,
seasonNumber,
season
);
}
return this.getSeasonWithTranslation(
tvdbId,
tvId,
seasonNumber,
season,
wantedTranslation
);
}
private async getSeasonWithTranslation(
tvdbId: number,
tvId: number,
seasonNumber: number,
season: TvdbSeasonDetails,
language: string
): Promise<TmdbSeasonWithEpisodes> {
if (!season) {
logger.error(
`Failed to find season ${seasonNumber} for TVDB ID: ${tvdbId}`
);
return this.createEmptySeasonResponse(tvId);
}
const allEpisodes = [] as TvdbEpisode[];
let page = 0;
// Limit to max 50 pages to avoid infinite loops.
// 50 pages with 500 items per page = 25_000 episodes in a series which should be more than enough
const maxPages = 50;
while (page < maxPages) {
const resp = await this.get<TvdbBaseResponse<TvdbSeasonDetails>>(
`/series/${tvdbId}/episodes/default/${language}`,
{
headers: {
Authorization: `Bearer ${this.token}`,
},
params: {
page: page,
},
}
);
if (!resp?.data?.episodes) {
logger.warn(
`No episodes found for TVDB ID: ${tvdbId} on page ${page} for season ${seasonNumber}`
);
break;
}
const { episodes } = resp.data;
if (!episodes) {
logger.debug(
`No more episodes found for TVDB ID: ${tvdbId} on page ${page} for season ${seasonNumber}`
);
break;
}
allEpisodes.push(...episodes);
const hasNextPage = resp.links?.next && episodes.length > 0;
if (!hasNextPage) {
break;
}
page++;
}
if (page >= maxPages) {
logger.warn(
`Reached max pages (${maxPages}) for TVDB ID: ${tvdbId} on season ${seasonNumber} with language ${language}. There might be more episodes available.`
);
}
const episodes = this.processEpisodes(
{ ...season, episodes: allEpisodes },
seasonNumber,
tvId
);
return {
episodes,
external_ids: { tvdb_id: tvdbId },
name: '',
overview: '',
id: season.id,
air_date: season.firstAired,
season_number: episodes.length,
};
}
private async getSeasonWithOriginalLanguage(
tvdbId: number,
tvId: number,
seasonNumber: number,
season: TvdbSeasonDetails
): Promise<TmdbSeasonWithEpisodes> {
if (!season) {
logger.error(
`Failed to find season ${seasonNumber} for TVDB ID: ${tvdbId}`
);
return this.createEmptySeasonResponse(tvId);
}
const resp = await this.get<TvdbBaseResponse<TvdbSeasonDetails>>(
`/seasons/${season.id}/extended`,
{
headers: {
Authorization: `Bearer ${this.token}`,
},
}
);
const seasons = resp.data;
const episodes = this.processEpisodes(seasons, seasonNumber, tvId);
return {
episodes,
external_ids: { tvdb_id: tvdbId },
name: '',
overview: '',
id: seasons.id,
air_date: seasons.firstAired,
season_number: episodes.length,
};
}
private processEpisodes(
tvdbSeason: TvdbSeasonDetails,
seasonNumber: number,
tvId: number
): TmdbTvEpisodeResult[] {
if (!tvdbSeason || !tvdbSeason.episodes) {
logger.error('No episodes found in TVDB season data');
return [];
}
return tvdbSeason.episodes
.filter((episode) => episode.seasonNumber === seasonNumber)
.map((episode, index) => this.createEpisodeData(episode, index, tvId));
}
private createEpisodeData(
episode: TvdbEpisode,
index: number,
tvId: number
): TmdbTvEpisodeResult {
return {
id: episode.id,
air_date: episode.aired,
episode_number: episode.number,
name: episode.name || `Episode ${index + 1}`,
overview: episode.overview || '',
season_number: episode.seasonNumber,
production_code: '',
show_id: tvId,
still_path:
episode.image && !episode.image.startsWith('https://')
? 'https://artworks.thetvdb.com' + episode.image
: '',
vote_average: 1,
vote_count: 1,
};
}
private createEmptySeasonResponse(tvId: number): TmdbSeasonWithEpisodes {
return {
episodes: [],
external_ids: { tvdb_id: tvId },
name: '',
overview: '',
id: 0,
air_date: '',
season_number: 0,
};
}
private getTvdbIdFromTmdb(tmdbTvShow: TmdbTvDetails): TvdbId {
return tmdbTvShow?.external_ids?.tvdb_id ?? TvdbIdStatus.INVALID;
}
private isValidTvdbId(tvdbId: TvdbId): tvdbId is ValidTvdbId {
return tvdbId !== TvdbIdStatus.INVALID;
}
private handleError(context: string, error: Error): void {
throw new Error(`[TVDB] ${context}: ${error.message}`);
}
}
export default Tvdb;

View File

@@ -1,216 +0,0 @@
import { type AvailableLocale } from '@server/types/languages';
export interface TvdbBaseResponse<T> {
data: T;
errors: string;
links?: TvdbPagination;
}
export interface TvdbPagination {
prev?: string;
self: string;
next?: string;
totalItems: number;
pageSize: number;
}
export interface TvdbLoginResponse {
token: string;
}
interface TvDetailsAliases {
language: string;
name: string;
}
interface TvDetailsStatus {
id: number;
name: string;
recordType: string;
keepUpdated: boolean;
}
export interface TvdbTvDetails {
id: number;
name: string;
slug: string;
image: string;
nameTranslations: string[];
overwiewTranslations: string[];
aliases: TvDetailsAliases[];
firstAired: Date;
lastAired: Date;
nextAired: Date | string;
score: number;
status: TvDetailsStatus;
originalCountry: string;
originalLanguage: string;
defaultSeasonType: string;
isOrderRandomized: boolean;
lastUpdated: Date;
averageRuntime: number;
seasons: TvdbSeasonDetails[];
episodes: TvdbEpisode[];
}
interface TvdbCompanyType {
companyTypeId: number;
companyTypeName: string;
}
interface TvdbParentCompany {
id?: number;
name?: string;
relation?: {
id?: number;
typeName?: string;
};
}
interface TvdbCompany {
id: number;
name: string;
slug: string;
nameTranslations?: string[];
overviewTranslations?: string[];
aliases?: string[];
country: string;
primaryCompanyType: number;
activeDate: string;
inactiveDate?: string;
companyType: TvdbCompanyType;
parentCompany: TvdbParentCompany;
tagOptions?: string[];
}
interface TvdbType {
id: number;
name: string;
type: string;
alternateName?: string;
}
interface TvdbArtwork {
id: number;
image: string;
thumbnail: string;
language: string;
type: number;
score: number;
width: number;
height: number;
includesText: boolean;
}
export interface TvdbEpisode {
id: number;
seriesId: number;
name: string;
aired: string;
runtime: number;
nameTranslations: string[];
overview?: string;
overviewTranslations: string[];
image: string;
imageType: number;
isMovie: number;
seasons?: string[];
number: number;
absoluteNumber: number;
seasonNumber: number;
lastUpdated: string;
finaleType?: string;
year: string;
}
export interface TvdbSeasonDetails {
id: number;
seriesId: number;
type: TvdbType;
number: number;
nameTranslations: string[];
overviewTranslations: string[];
image: string;
imageType: number;
companies: {
studio: TvdbCompany[];
network: TvdbCompany[];
production: TvdbCompany[];
distributor: TvdbCompany[];
special_effects: TvdbCompany[];
};
lastUpdated: string;
year: string;
episodes: TvdbEpisode[];
trailers: string[];
artwork: TvdbArtwork[];
tagOptions?: string[];
firstAired: string;
}
export interface TvdbEpisodeTranslation {
name: string;
overview: string;
language: string;
}
const TMDB_TO_TVDB_MAPPING: Record<string, string> & {
[key in AvailableLocale]: string;
} = {
ar: 'ara', // Arabic
bg: 'bul', // Bulgarian
ca: 'cat', // Catalan
cs: 'ces', // Czech
da: 'dan', // Danish
de: 'deu', // German
el: 'ell', // Greek
en: 'eng', // English
es: 'spa', // Spanish
fi: 'fin', // Finnish
fr: 'fra', // French
he: 'heb', // Hebrew
hi: 'hin', // Hindi
hr: 'hrv', // Croatian
hu: 'hun', // Hungarian
it: 'ita', // Italian
ja: 'jpn', // Japanese
ko: 'kor', // Korean
lt: 'lit', // Lithuanian
nl: 'nld', // Dutch
pl: 'pol', // Polish
ro: 'ron', // Romanian
ru: 'rus', // Russian
sq: 'sqi', // Albanian
sr: 'srp', // Serbian
sv: 'swe', // Swedish
tr: 'tur', // Turkish
uk: 'ukr', // Ukrainian
'es-MX': 'spa', // Spanish (Latin America) -> Spanish
'nb-NO': 'nor', // Norwegian Bokmål -> Norwegian
'pt-BR': 'pt', // Portuguese (Brazil) -> Portuguese - Brazil (from TVDB data)
'pt-PT': 'por', // Portuguese (Portugal) -> Portuguese - Portugal (from TVDB data)
'zh-CN': 'zho', // Chinese (Simplified) -> Chinese - China
'zh-TW': 'zhtw', // Chinese (Traditional) -> Chinese - Taiwan
};
export function convertTMDBToTVDB(tmdbCode: string): string | null {
const normalizedCode = tmdbCode.toLowerCase();
return (
TMDB_TO_TVDB_MAPPING[tmdbCode] ||
TMDB_TO_TVDB_MAPPING[normalizedCode] ||
null
);
}
export function convertTmdbLanguageToTvdbWithFallback(
tmdbCode: string,
fallback: string
): string {
// First try exact match
const tvdbCode = convertTMDBToTVDB(tmdbCode);
if (tvdbCode) return tvdbCode;
return tvdbCode || fallback || 'eng'; // Default to English if no match found
}

View File

@@ -82,7 +82,7 @@ app
}
// Add DNS caching
if (settings.network.dnsCache?.enabled) {
if (settings.network.dnsCache) {
initializeDnsCache({
forceMinTtl: settings.network.dnsCache.forceMinTtl,
forceMaxTtl: settings.network.dnsCache.forceMaxTtl,

View File

@@ -9,8 +9,7 @@ export type AvailableCacheIds =
| 'github'
| 'plexguid'
| 'plextv'
| 'plexwatchlist'
| 'tvdb';
| 'plexwatchlist';
const DEFAULT_TTL = 300;
const DEFAULT_CHECK_PERIOD = 120;
@@ -71,10 +70,6 @@ class CacheManager {
checkPeriod: 60,
}),
plexwatchlist: new Cache('plexwatchlist', 'Plex Watchlist'),
tvdb: new Cache('tvdb', 'The TVDB API', {
stdTtl: 21600,
checkPeriod: 60 * 30,
}),
};
public getCache(id: AvailableCacheIds): Cache {

View File

@@ -109,9 +109,7 @@ class DiscordAgent
type: Notification,
payload: NotificationPayload
): DiscordRichEmbed {
const settings = getSettings();
const { applicationUrl } = settings.main;
const { embedPoster } = settings.notifications.agents.discord;
const { applicationUrl } = getSettings().main;
const appUrl =
applicationUrl || `http://localhost:${process.env.port || 5055}`;
@@ -225,11 +223,9 @@ class DiscordAgent
}
: undefined,
fields,
thumbnail: embedPoster
? {
url: payload.image,
}
: undefined,
thumbnail: {
url: payload.image,
},
};
}

View File

@@ -48,9 +48,7 @@ class EmailAgent
recipientEmail: string,
recipientName?: string
): EmailOptions | undefined {
const settings = getSettings();
const { applicationUrl, applicationTitle } = settings.main;
const { embedPoster } = settings.notifications.agents.email;
const { applicationUrl, applicationTitle } = getSettings().main;
if (type === Notification.TEST_NOTIFICATION) {
return {
@@ -131,7 +129,7 @@ class EmailAgent
body,
mediaName: payload.subject,
mediaExtra: payload.extra ?? [],
imageUrl: embedPoster ? payload.image : undefined,
imageUrl: payload.image,
timestamp: new Date().toTimeString(),
requestedBy: payload.request.requestedBy.displayName,
actionUrl: applicationUrl
@@ -178,7 +176,7 @@ class EmailAgent
issueComment: payload.comment?.message,
mediaName: payload.subject,
extra: payload.extra ?? [],
imageUrl: embedPoster ? payload.image : undefined,
imageUrl: payload.image,
timestamp: new Date().toTimeString(),
actionUrl: applicationUrl
? `${applicationUrl}/issues/${payload.issue.id}`

View File

@@ -22,9 +22,7 @@ class NtfyAgent
}
private buildPayload(type: Notification, payload: NotificationPayload) {
const settings = getSettings();
const { applicationUrl } = settings.main;
const { embedPoster } = settings.notifications.agents.ntfy;
const { applicationUrl } = getSettings().main;
const topic = this.getSettings().options.topic;
const priority = 3;
@@ -74,7 +72,7 @@ class NtfyAgent
message += `\n\n**${extra.name}**\n${extra.value}`;
}
const attach = embedPoster ? payload.image : undefined;
const attach = payload.image;
let click;
if (applicationUrl && payload.media) {

View File

@@ -78,9 +78,7 @@ class PushoverAgent
type: Notification,
payload: NotificationPayload
): Promise<Partial<PushoverPayload>> {
const settings = getSettings();
const { applicationUrl, applicationTitle } = settings.main;
const { embedPoster } = settings.notifications.agents.pushover;
const { applicationUrl, applicationTitle } = getSettings().main;
const title = payload.event ?? payload.subject;
let message = payload.event ? `<b>${payload.subject}</b>` : '';
@@ -157,7 +155,7 @@ class PushoverAgent
let attachment_base64;
let attachment_type;
if (embedPoster && payload.image) {
if (payload.image) {
const imagePayload = await this.getImagePayload(payload.image);
if (imagePayload.attachment_base64 && imagePayload.attachment_type) {
attachment_base64 = imagePayload.attachment_base64;

View File

@@ -63,9 +63,7 @@ class SlackAgent
type: Notification,
payload: NotificationPayload
): SlackBlockEmbed {
const settings = getSettings();
const { applicationUrl, applicationTitle } = settings.main;
const { embedPoster } = settings.notifications.agents.slack;
const { applicationUrl, applicationTitle } = getSettings().main;
const fields: EmbedField[] = [];
@@ -161,14 +159,13 @@ class SlackAgent
type: 'mrkdwn',
text: payload.message,
},
accessory:
embedPoster && payload.image
? {
type: 'image',
image_url: payload.image,
alt_text: payload.subject,
}
: undefined,
accessory: payload.image
? {
type: 'image',
image_url: payload.image,
alt_text: payload.subject,
}
: undefined,
});
}

View File

@@ -65,9 +65,7 @@ class TelegramAgent
type: Notification,
payload: NotificationPayload
): Partial<TelegramMessagePayload | TelegramPhotoPayload> {
const settings = getSettings();
const { applicationUrl, applicationTitle } = settings.main;
const { embedPoster } = settings.notifications.agents.telegram;
const { applicationUrl, applicationTitle } = getSettings().main;
/* eslint-disable no-useless-escape */
let message = `\*${this.escapeText(
@@ -144,7 +142,7 @@ class TelegramAgent
}
/* eslint-enable */
return embedPoster && payload.image
return payload.image
? {
photo: payload.image,
caption: message,
@@ -162,7 +160,7 @@ class TelegramAgent
): Promise<boolean> {
const settings = this.getSettings();
const endpoint = `${this.baseUrl}bot${settings.options.botAPI}/${
settings.embedPoster && payload.image ? 'sendPhoto' : 'sendMessage'
payload.image ? 'sendPhoto' : 'sendMessage'
}`;
const notificationPayload = this.getNotificationPayload(type, payload);

View File

@@ -177,27 +177,9 @@ class WebhookAgent
subject: payload.subject,
});
let webhookUrl = settings.options.webhookUrl;
if (settings.options.supportVariables) {
Object.keys(KeyMap).forEach((keymapKey) => {
const keymapValue = KeyMap[keymapKey as keyof typeof KeyMap];
const variableValue =
type === Notification.TEST_NOTIFICATION
? 'test'
: typeof keymapValue === 'function'
? keymapValue(payload, type)
: get(payload, keymapValue) || 'test';
webhookUrl = webhookUrl.replace(
new RegExp(`{{${keymapKey}}}`, 'g'),
encodeURIComponent(variableValue)
);
});
}
try {
await axios.post(
webhookUrl,
settings.options.webhookUrl,
this.buildPayload(type, payload),
settings.options.authHeader
? {

View File

@@ -42,8 +42,6 @@ class WebPushAgent
type: Notification,
payload: NotificationPayload
): PushNotificationPayload {
const { embedPoster } = getSettings().notifications.agents.webpush;
const mediaType = payload.media
? payload.media.mediaType === MediaType.MOVIE
? 'movie'
@@ -130,7 +128,7 @@ class WebPushAgent
notificationType: Notification[type],
subject: payload.subject,
message,
image: embedPoster ? payload.image : undefined,
image: payload.image,
requestId: payload.request?.id,
actionUrl,
actionUrlTitle,

View File

@@ -1,13 +1,7 @@
import animeList from '@server/api/animelist';
import type { JellyfinLibraryItem } from '@server/api/jellyfin';
import JellyfinAPI from '@server/api/jellyfin';
import { getMetadataProvider } from '@server/api/metadata';
import TheMovieDb from '@server/api/themoviedb';
import { ANIME_KEYWORD_ID } from '@server/api/themoviedb/constants';
import type {
TmdbKeyword,
TmdbTvDetails,
} from '@server/api/themoviedb/interfaces';
import type { TmdbTvDetails } from '@server/api/themoviedb/interfaces';
import { MediaStatus, MediaType } from '@server/constants/media';
import { MediaServerType } from '@server/constants/server';
import { getRepository } from '@server/datasource';
@@ -46,11 +40,9 @@ class JellyfinScanner {
private enable4kMovie = false;
private enable4kShow = false;
private asyncLock = new AsyncLock();
private processedAnidbSeason: Map<number, Map<number, number>>;
constructor({ isRecentOnly }: { isRecentOnly?: boolean } = {}) {
this.tmdb = new TheMovieDb();
this.isRecentOnly = isRecentOnly ?? false;
}
@@ -68,7 +60,7 @@ class JellyfinScanner {
const mediaRepository = getRepository(Media);
try {
let metadata = await this.jfClient.getItemData(jellyfinitem.Id);
const metadata = await this.jfClient.getItemData(jellyfinitem.Id);
const newMedia = new Media();
if (!metadata?.Id) {
@@ -79,18 +71,8 @@ class JellyfinScanner {
return;
}
const anidbId = Number(metadata.ProviderIds.AniDB ?? null);
newMedia.tmdbId = Number(metadata.ProviderIds.Tmdb ?? null);
newMedia.imdbId = metadata.ProviderIds.Imdb;
// We use anidb only if we have the anidbId and nothing else
if (anidbId && !newMedia.imdbId && !newMedia.tmdbId) {
const result = animeList.getFromAnidbId(anidbId);
newMedia.tmdbId = Number(result?.tmdbId ?? null);
newMedia.imdbId = result?.imdbId;
}
if (newMedia.imdbId && !isNaN(newMedia.tmdbId)) {
const tmdbMovie = await this.tmdb.getMediaByImdbId({
imdbId: newMedia.imdbId,
@@ -101,40 +83,6 @@ class JellyfinScanner {
throw new Error('Unable to find TMDb ID');
}
// With AniDB we can have mixed libraries with movies in a "show" library
// We take the first episode of the first season (the movie) and use it to
// get more information, like the MediaSource
if (anidbId && metadata.Type === 'Series') {
const season = (await this.jfClient.getSeasons(jellyfinitem.Id)).find(
(md) => {
return md.IndexNumber === 1;
}
);
if (!season) {
this.log('No season found for anidb movie', 'debug', {
jellyfinitem,
});
return;
}
const episodes = await this.jfClient.getEpisodes(
jellyfinitem.Id,
season.Id
);
if (!episodes[0]) {
this.log('No episode found for anidb movie', 'debug', {
jellyfinitem,
});
return;
}
metadata = await this.jfClient.getItemData(episodes[0].Id);
if (!metadata) {
this.log('No metadata found for anidb movie', 'debug', {
jellyfinitem,
});
return;
}
}
const has4k = metadata.MediaSources?.some((MediaSource) => {
return MediaSource.MediaStreams.filter(
(MediaStream) => MediaStream.Type === 'Video'
@@ -152,12 +100,6 @@ class JellyfinScanner {
});
await this.asyncLock.dispatch(newMedia.tmdbId, async () => {
if (!metadata) {
// this will never execute, but typescript thinks somebody could reset tvShow from
// outer scope back to null before this async gets called
return;
}
const existing = await this.getExisting(
newMedia.tmdbId,
MediaType.MOVIE
@@ -250,42 +192,6 @@ class JellyfinScanner {
}
}
private async getTvShow({
tmdbId,
tvdbId,
}: {
tmdbId?: number;
tvdbId?: number;
}): Promise<TmdbTvDetails> {
let tvShow;
if (tmdbId) {
tvShow = await this.tmdb.getTvShow({
tvId: Number(tmdbId),
});
} else if (tvdbId) {
tvShow = await this.tmdb.getShowByTvdbId({
tvdbId: Number(tvdbId),
});
} else {
throw new Error('No ID provided');
}
const metadataProvider = tvShow.keywords.results.some(
(keyword: TmdbKeyword) => keyword.id === ANIME_KEYWORD_ID
)
? await getMetadataProvider('anime')
: await getMetadataProvider('tv');
if (!(metadataProvider instanceof TheMovieDb)) {
tvShow = await metadataProvider.getTvShow({
tvId: Number(tmdbId),
});
}
return tvShow;
}
private async processShow(jellyfinitem: JellyfinLibraryItem) {
const mediaRepository = getRepository(Media);
@@ -306,8 +212,8 @@ class JellyfinScanner {
if (metadata.ProviderIds.Tmdb) {
try {
tvShow = await this.getTvShow({
tmdbId: Number(metadata.ProviderIds.Tmdb),
tvShow = await this.tmdb.getTvShow({
tvId: Number(metadata.ProviderIds.Tmdb),
});
} catch {
this.log('Unable to find TMDb ID for this title.', 'debug', {
@@ -317,7 +223,7 @@ class JellyfinScanner {
}
if (!tvShow && metadata.ProviderIds.Tvdb) {
try {
tvShow = await this.getTvShow({
tvShow = await this.tmdb.getShowByTvdbId({
tvdbId: Number(metadata.ProviderIds.Tvdb),
});
} catch {
@@ -326,28 +232,6 @@ class JellyfinScanner {
});
}
}
let tvdbSeasonFromAnidb: number | undefined;
if (!tvShow && metadata.ProviderIds.AniDB) {
const anidbId = Number(metadata.ProviderIds.AniDB);
const result = animeList.getFromAnidbId(anidbId);
tvdbSeasonFromAnidb = result?.tvdbSeason;
if (result?.tvdbId) {
try {
tvShow = await this.tmdb.getShowByTvdbId({
tvdbId: result.tvdbId,
});
} catch {
this.log('Unable to find AniDB ID for this title.', 'debug', {
jellyfinitem,
});
}
}
// With AniDB we can have mixed libraries with movies in a "show" library
else if (result?.imdbId || result?.tmdbId) {
await this.processMovie(jellyfinitem);
return;
}
}
if (tvShow) {
await this.asyncLock.dispatch(tvShow.id, async () => {
@@ -376,20 +260,9 @@ class JellyfinScanner {
for (const season of seasons) {
const JellyfinSeasons = await this.jfClient.getSeasons(Id);
const matchedJellyfinSeason = JellyfinSeasons.find((md) => {
if (tvdbSeasonFromAnidb) {
// In AniDB we don't have the concept of seasons,
// we have multiple shows with only Season 1 (and sometimes a season with index 0 for specials).
// We use tvdbSeasonFromAnidb to check if we are on the correct TMDB season and
// md.IndexNumber === 1 to be sure to find the correct season on jellyfin
return (
tvdbSeasonFromAnidb === season.season_number &&
md.IndexNumber === 1
);
} else {
return Number(md.IndexNumber) === season.season_number;
}
});
const matchedJellyfinSeason = JellyfinSeasons.find(
(md) => Number(md.IndexNumber) === season.season_number
);
const existingSeason = media?.seasons.find(
(es) => es.seasonNumber === season.season_number
@@ -442,29 +315,6 @@ class JellyfinScanner {
}
}
// With AniDB we can have multiple shows for one season, so we need to save
// the episode from all the jellyfin entries to get the total
if (tvdbSeasonFromAnidb) {
if (this.processedAnidbSeason.has(tvShow.id)) {
const show = this.processedAnidbSeason.get(tvShow.id)!;
if (show.has(season.season_number)) {
show.set(
season.season_number,
show.get(season.season_number)! + totalStandard
);
totalStandard = show.get(season.season_number)!;
} else {
show.set(season.season_number, totalStandard);
}
} else {
this.processedAnidbSeason.set(
tvShow.id,
new Map([[season.season_number, totalStandard]])
);
}
}
if (
media &&
(totalStandard > 0 || (total4k > 0 && !this.enable4kShow)) &&
@@ -677,7 +527,6 @@ class JellyfinScanner {
}
private async processItems(slicedItems: JellyfinLibraryItem[]) {
this.processedAnidbSeason = new Map();
await Promise.all(
slicedItems.map(async (item) => {
if (item.Type === 'Movie') {
@@ -775,8 +624,6 @@ class JellyfinScanner {
(library) => library.enabled
);
await animeList.sync();
this.enable4kMovie = settings.radarr.some((radarr) => radarr.is4k);
if (this.enable4kMovie) {
this.log(

View File

@@ -1,13 +1,7 @@
import animeList from '@server/api/animelist';
import { getMetadataProvider } from '@server/api/metadata';
import type { PlexLibraryItem, PlexMetadata } from '@server/api/plexapi';
import PlexAPI from '@server/api/plexapi';
import TheMovieDb from '@server/api/themoviedb';
import { ANIME_KEYWORD_ID } from '@server/api/themoviedb/constants';
import type {
TmdbKeyword,
TmdbTvDetails,
} from '@server/api/themoviedb/interfaces';
import type { TmdbTvDetails } from '@server/api/themoviedb/interfaces';
import { getRepository } from '@server/datasource';
import { User } from '@server/entity/User';
import cacheManager from '@server/lib/cache';
@@ -255,42 +249,6 @@ class PlexScanner
});
}
private async getTvShow({
tmdbId,
tvdbId,
}: {
tmdbId?: number;
tvdbId?: number;
}): Promise<TmdbTvDetails> {
let tvShow;
if (tmdbId) {
tvShow = await this.tmdb.getTvShow({
tvId: Number(tmdbId),
});
} else if (tvdbId) {
tvShow = await this.tmdb.getShowByTvdbId({
tvdbId: Number(tvdbId),
});
} else {
throw new Error('No ID provided');
}
const metadataProvider = tvShow.keywords.results.some(
(keyword: TmdbKeyword) => keyword.id === ANIME_KEYWORD_ID
)
? await getMetadataProvider('anime')
: await getMetadataProvider('tv');
if (!(metadataProvider instanceof TheMovieDb)) {
tvShow = await metadataProvider.getTvShow({
tvId: Number(tmdbId),
});
}
return tvShow;
}
private async processPlexShow(plexitem: PlexLibraryItem) {
const ratingKey =
plexitem.grandparentRatingKey ??
@@ -315,9 +273,7 @@ class PlexScanner
await this.processHamaSpecials(metadata, mediaIds.tvdbId);
}
const tvShow = await this.getTvShow({
tmdbId: mediaIds.tmdbId,
});
const tvShow = await this.tmdb.getTvShow({ tvId: mediaIds.tmdbId });
const seasons = tvShow.seasons;
const processableSeasons: ProcessableSeason[] = [];

View File

@@ -100,27 +100,6 @@ interface Quota {
quotaDays?: number;
}
export enum MetadataProviderType {
TMDB = 'tmdb',
TVDB = 'tvdb',
}
export interface MetadataSettings {
tv: MetadataProviderType;
anime: MetadataProviderType;
}
export interface ProxySettings {
enabled: boolean;
hostname: string;
port: number;
useSsl: boolean;
user: string;
password: string;
bypassFilter: string;
bypassLocalAddresses: boolean;
}
export interface MainSettings {
apiKey: string;
applicationTitle: string;
@@ -207,7 +186,6 @@ interface FullPublicSettings extends PublicSettings {
export interface NotificationAgentConfig {
enabled: boolean;
embedPoster: boolean;
types?: number;
options: Record<string, unknown>;
}
@@ -275,7 +253,6 @@ export interface NotificationAgentWebhook extends NotificationAgentConfig {
webhookUrl: string;
jsonPayload: string;
authHeader?: string;
supportVariables?: boolean;
};
}
@@ -362,8 +339,6 @@ export interface AllSettings {
notifications: NotificationSettings;
jobs: Record<JobId, JobSettings>;
network: NetworkSettings;
metadataSettings: MetadataSettings;
migrations: string[];
}
const SETTINGS_PATH = process.env.CONFIG_DIRECTORY
@@ -424,10 +399,6 @@ class Settings {
apiKey: '',
},
tautulli: {},
metadataSettings: {
tv: MetadataProviderType.TMDB,
anime: MetadataProviderType.TMDB,
},
radarr: [],
sonarr: [],
public: {
@@ -437,7 +408,6 @@ class Settings {
agents: {
email: {
enabled: false,
embedPoster: true,
options: {
userEmailRequired: false,
emailFrom: '',
@@ -452,7 +422,6 @@ class Settings {
},
discord: {
enabled: false,
embedPoster: true,
types: 0,
options: {
webhookUrl: '',
@@ -462,7 +431,6 @@ class Settings {
},
slack: {
enabled: false,
embedPoster: true,
types: 0,
options: {
webhookUrl: '',
@@ -470,7 +438,6 @@ class Settings {
},
telegram: {
enabled: false,
embedPoster: true,
types: 0,
options: {
botAPI: '',
@@ -481,7 +448,6 @@ class Settings {
},
pushbullet: {
enabled: false,
embedPoster: false,
types: 0,
options: {
accessToken: '',
@@ -489,7 +455,6 @@ class Settings {
},
pushover: {
enabled: false,
embedPoster: true,
types: 0,
options: {
accessToken: '',
@@ -499,7 +464,6 @@ class Settings {
},
webhook: {
enabled: false,
embedPoster: true,
types: 0,
options: {
webhookUrl: '',
@@ -509,12 +473,10 @@ class Settings {
},
webpush: {
enabled: false,
embedPoster: true,
options: {},
},
gotify: {
enabled: false,
embedPoster: false,
types: 0,
options: {
url: '',
@@ -524,7 +486,6 @@ class Settings {
},
ntfy: {
enabled: false,
embedPoster: true,
types: 0,
options: {
url: '',
@@ -594,7 +555,6 @@ class Settings {
forceMaxTtl: -1,
},
},
migrations: [],
};
if (initialSettings) {
this.data = merge(this.data, initialSettings);
@@ -633,14 +593,6 @@ class Settings {
this.data.tautulli = data;
}
get metadataSettings(): MetadataSettings {
return this.data.metadataSettings;
}
set metadataSettings(data: MetadataSettings) {
this.data.metadataSettings = data;
}
get radarr(): RadarrSettings[] {
return this.data.radarr;
}
@@ -724,14 +676,6 @@ class Settings {
this.data.network = data;
}
get migrations(): string[] {
return this.data.migrations;
}
set migrations(data: string[]) {
this.data.migrations = data;
}
get clientId(): string {
return this.data.clientId;
}

View File

@@ -1,93 +0,0 @@
import RadarrAPI from '@server/api/servarr/radarr';
import SonarrAPI from '@server/api/servarr/sonarr';
import { getRepository } from '@server/datasource';
import { User } from '@server/entity/User';
import type { AllSettings } from '@server/lib/settings';
const migrationArrTags = async (settings: any): Promise<AllSettings> => {
if (
Array.isArray(settings.migrations) &&
settings.migrations.includes('0007_migrate_arr_tags')
) {
return settings;
}
const userRepository = getRepository(User);
const users = await userRepository.find({
select: ['id'],
});
let errorOccurred = false;
for (const radarrSettings of settings.radarr || []) {
if (!radarrSettings.tagRequests) {
continue;
}
try {
const radarr = new RadarrAPI({
apiKey: radarrSettings.apiKey,
url: RadarrAPI.buildUrl(radarrSettings, '/api/v3'),
});
const radarrTags = await radarr.getTags();
for (const user of users) {
const userTag = radarrTags.find((v) =>
v.label.startsWith(user.id + ' - ')
);
if (!userTag) {
continue;
}
await radarr.renameTag({
id: userTag.id,
label: userTag.label.replace(`${user.id} - `, `${user.id}-`),
});
}
} catch (error) {
console.error(
`Unable to rename Radarr tags to the new format. Please check your Radarr connection settings for the instance "${radarrSettings.name}".`,
error.message
);
errorOccurred = true;
}
}
for (const sonarrSettings of settings.sonarr || []) {
if (!sonarrSettings.tagRequests) {
continue;
}
try {
const sonarr = new SonarrAPI({
apiKey: sonarrSettings.apiKey,
url: SonarrAPI.buildUrl(sonarrSettings, '/api/v3'),
});
const sonarrTags = await sonarr.getTags();
for (const user of users) {
const userTag = sonarrTags.find((v) =>
v.label.startsWith(user.id + ' - ')
);
if (!userTag) {
continue;
}
await sonarr.renameTag({
id: userTag.id,
label: userTag.label.replace(`${user.id} - `, `${user.id}-`),
});
}
} catch (error) {
console.error(
`Unable to rename Sonarr tags to the new format. Please check your Sonarr connection settings for the instance "${sonarrSettings.name}".`,
error.message
);
errorOccurred = true;
}
}
if (!errorOccurred) {
if (!Array.isArray(settings.migrations)) {
settings.migrations = [];
}
settings.migrations.push('0007_migrate_arr_tags');
}
return settings;
};
export default migrationArrTags;

View File

@@ -124,7 +124,7 @@ const mapEpisodeResult = (episode: TmdbTvEpisodeResult): Episode => ({
seasonNumber: episode.season_number,
showId: episode.show_id,
voteAverage: episode.vote_average,
voteCount: episode.vote_count,
voteCount: episode.vote_cuont,
stillPath: episode.still_path,
});

View File

@@ -61,7 +61,6 @@ const QueryFilterOptions = z.object({
studio: z.coerce.string().optional(),
genre: z.coerce.string().optional(),
keywords: z.coerce.string().optional(),
excludeKeywords: z.coerce.string().optional(),
language: z.coerce.string().optional(),
withRuntimeGte: z.coerce.string().optional(),
withRuntimeLte: z.coerce.string().optional(),
@@ -91,7 +90,6 @@ discoverRoutes.get('/movies', async (req, res, next) => {
try {
const query = ApiQuerySchema.parse(req.query);
const keywords = query.keywords;
const excludeKeywords = query.excludeKeywords;
const data = await tmdb.getDiscoverMovies({
page: Number(query.page),
@@ -107,7 +105,6 @@ discoverRoutes.get('/movies', async (req, res, next) => {
? new Date(query.primaryReleaseDateGte).toISOString().split('T')[0]
: undefined,
keywords,
excludeKeywords,
withRuntimeGte: query.withRuntimeGte,
withRuntimeLte: query.withRuntimeLte,
voteAverageGte: query.voteAverageGte,
@@ -384,7 +381,6 @@ discoverRoutes.get('/tv', async (req, res, next) => {
try {
const query = ApiQuerySchema.parse(req.query);
const keywords = query.keywords;
const excludeKeywords = query.excludeKeywords;
const data = await tmdb.getDiscoverTv({
page: Number(query.page),
sortBy: query.sortBy as SortOptions,
@@ -399,7 +395,6 @@ discoverRoutes.get('/tv', async (req, res, next) => {
: undefined,
originalLanguage: query.language,
keywords,
excludeKeywords,
withRuntimeGte: query.withRuntimeGte,
withRuntimeLte: query.withRuntimeLte,
voteAverageGte: query.voteAverageGte,

View File

@@ -55,6 +55,7 @@ issueRoutes.get<Record<string, string>, IssueResultsResponse>(
.leftJoinAndSelect('issue.media', 'media')
.leftJoinAndSelect('issue.modifiedBy', 'modifiedBy')
.leftJoinAndSelect('issue.comments', 'comments')
.leftJoinAndSelect('comments.user', 'user')
.where('issue.status IN (:...issueStatus)', {
issueStatus: statusFilter,
});

View File

@@ -381,12 +381,6 @@ requestRoutes.get('/count', async (_req, res, next) => {
)
.getCount();
const completedCount = await query
.where('request.status = :requestStatus', {
requestStatus: MediaRequestStatus.COMPLETED,
})
.getCount();
return res.status(200).json({
total: totalCount,
movie: movieCount,
@@ -396,7 +390,6 @@ requestRoutes.get('/count', async (_req, res, next) => {
declined: declinedCount,
processing: processingCount,
available: availableCount,
completed: completedCount,
});
} catch (e) {
logger.error('Something went wrong retrieving request counts', {

View File

@@ -39,7 +39,6 @@ import { rescheduleJob } from 'node-schedule';
import path from 'path';
import semver from 'semver';
import { URL } from 'url';
import metadataRoutes from './metadata';
import notificationRoutes from './notifications';
import radarrRoutes from './radarr';
import sonarrRoutes from './sonarr';
@@ -50,7 +49,6 @@ settingsRoutes.use('/notifications', notificationRoutes);
settingsRoutes.use('/radarr', radarrRoutes);
settingsRoutes.use('/sonarr', sonarrRoutes);
settingsRoutes.use('/discover', discoverSettingRoutes);
settingsRoutes.use('/metadatas', metadataRoutes);
const filteredMainSettings = (
user: User,

View File

@@ -1,153 +0,0 @@
import TheMovieDb from '@server/api/themoviedb';
import Tvdb from '@server/api/tvdb';
import {
getSettings,
MetadataProviderType,
type MetadataSettings,
} from '@server/lib/settings';
import logger from '@server/logger';
import { Router } from 'express';
function getTestResultString(testValue: number): string {
if (testValue === -1) return 'not tested';
if (testValue === 0) return 'failed';
return 'ok';
}
const metadataRoutes = Router();
metadataRoutes.get('/', (_req, res) => {
const settings = getSettings();
res.status(200).json({
tv: settings.metadataSettings.tv,
anime: settings.metadataSettings.anime,
});
});
metadataRoutes.put('/', async (req, res) => {
const settings = getSettings();
const body = req.body as MetadataSettings;
let tvdbTest = -1;
let tmdbTest = -1;
try {
if (
body.tv === MetadataProviderType.TVDB ||
body.anime === MetadataProviderType.TVDB
) {
tvdbTest = 0;
const tvdb = await Tvdb.getInstance();
await tvdb.test();
tvdbTest = 1;
}
} catch (e) {
logger.error('Failed to test metadata provider', {
label: 'Metadata',
message: e.message,
});
}
try {
if (
body.tv === MetadataProviderType.TMDB ||
body.anime === MetadataProviderType.TMDB
) {
tmdbTest = 0;
const tmdb = new TheMovieDb();
await tmdb.getTvShow({ tvId: 1054 });
tmdbTest = 1;
}
} catch (e) {
logger.error('Failed to test metadata provider', {
label: 'MetadataProvider',
message: e.message,
});
}
// If a test failed, return the test results
if (tvdbTest === 0 || tmdbTest === 0) {
return res.status(500).json({
success: false,
tests: {
tvdb: getTestResultString(tvdbTest),
tmdb: getTestResultString(tmdbTest),
},
});
}
settings.metadataSettings = {
tv: body.tv,
anime: body.anime,
};
await settings.save();
res.status(200).json({
success: true,
tv: body.tv,
anime: body.anime,
tests: {
tvdb: getTestResultString(tvdbTest),
tmdb: getTestResultString(tmdbTest),
},
});
});
metadataRoutes.post('/test', async (req, res) => {
let tvdbTest = -1;
let tmdbTest = -1;
try {
const body = req.body as { tmdb: boolean; tvdb: boolean };
try {
if (body.tmdb) {
tmdbTest = 0;
const tmdb = new TheMovieDb();
await tmdb.getTvShow({ tvId: 1054 });
tmdbTest = 1;
}
} catch (e) {
logger.error('Failed to test metadata provider', {
label: 'MetadataProvider',
message: e.message,
});
}
try {
if (body.tvdb) {
tvdbTest = 0;
const tvdb = await Tvdb.getInstance();
await tvdb.test();
tvdbTest = 1;
}
} catch (e) {
logger.error('Failed to test metadata provider', {
label: 'MetadataProvider',
message: e.message,
});
}
const success = !(tvdbTest === 0 || tmdbTest === 0);
const statusCode = success ? 200 : 500;
return res.status(statusCode).json({
success: success,
tests: {
tmdb: getTestResultString(tmdbTest),
tvdb: getTestResultString(tvdbTest),
},
});
} catch (e) {
return res.status(500).json({
success: false,
tests: {
tmdb: getTestResultString(tmdbTest),
tvdb: getTestResultString(tvdbTest),
},
error: e.message,
});
}
});
export default metadataRoutes;

View File

@@ -270,7 +270,6 @@ notificationRoutes.get('/webhook', (_req, res) => {
const response: typeof webhookSettings = {
enabled: webhookSettings.enabled,
embedPoster: webhookSettings.embedPoster,
types: webhookSettings.types,
options: {
...webhookSettings.options,
@@ -279,7 +278,6 @@ notificationRoutes.get('/webhook', (_req, res) => {
'utf8'
)
),
supportVariables: webhookSettings.options.supportVariables ?? false,
},
};
@@ -293,7 +291,6 @@ notificationRoutes.post('/webhook', async (req, res, next) => {
settings.notifications.agents.webhook = {
enabled: req.body.enabled,
embedPoster: req.body.embedPoster,
types: req.body.types,
options: {
jsonPayload: Buffer.from(req.body.options.jsonPayload).toString(
@@ -301,7 +298,6 @@ notificationRoutes.post('/webhook', async (req, res, next) => {
),
webhookUrl: req.body.options.webhookUrl,
authHeader: req.body.options.authHeader,
supportVariables: req.body.options.supportVariables ?? false,
},
};
await settings.save();
@@ -325,7 +321,6 @@ notificationRoutes.post('/webhook/test', async (req, res, next) => {
const testBody = {
enabled: req.body.enabled,
embedPoster: req.body.embedPoster,
types: req.body.types,
options: {
jsonPayload: Buffer.from(req.body.options.jsonPayload).toString(
@@ -333,7 +328,6 @@ notificationRoutes.post('/webhook/test', async (req, res, next) => {
),
webhookUrl: req.body.options.webhookUrl,
authHeader: req.body.options.authHeader,
supportVariables: req.body.options.supportVariables ?? false,
},
};

View File

@@ -1,8 +1,5 @@
import { getMetadataProvider } from '@server/api/metadata';
import RottenTomatoes from '@server/api/rating/rottentomatoes';
import TheMovieDb from '@server/api/themoviedb';
import { ANIME_KEYWORD_ID } from '@server/api/themoviedb/constants';
import type { TmdbKeyword } from '@server/api/themoviedb/interfaces';
import { MediaType } from '@server/constants/media';
import { getRepository } from '@server/datasource';
import Media from '@server/entity/Media';
@@ -16,20 +13,12 @@ const tvRoutes = Router();
tvRoutes.get('/:id', async (req, res, next) => {
const tmdb = new TheMovieDb();
try {
const tmdbTv = await tmdb.getTvShow({
tvId: Number(req.params.id),
});
const metadataProvider = tmdbTv.keywords.results.some(
(keyword: TmdbKeyword) => keyword.id === ANIME_KEYWORD_ID
)
? await getMetadataProvider('anime')
: await getMetadataProvider('tv');
const tv = await metadataProvider.getTvShow({
const tv = await tmdb.getTvShow({
tvId: Number(req.params.id),
language: (req.query.language as string) ?? req.locale,
});
const media = await Media.getMedia(tv.id, MediaType.TV);
const onUserWatchlist = await getRepository(Watchlist).exist({
@@ -45,9 +34,7 @@ tvRoutes.get('/:id', async (req, res, next) => {
// TMDB issue where it doesnt fallback to English when no overview is available in requested locale.
if (!data.overview) {
const tvEnglish = await metadataProvider.getTvShow({
tvId: Number(req.params.id),
});
const tvEnglish = await tmdb.getTvShow({ tvId: Number(req.params.id) });
data.overview = tvEnglish.overview;
}
@@ -66,18 +53,10 @@ tvRoutes.get('/:id', async (req, res, next) => {
});
tvRoutes.get('/:id/season/:seasonNumber', async (req, res, next) => {
try {
const tmdb = new TheMovieDb();
const tmdbTv = await tmdb.getTvShow({
tvId: Number(req.params.id),
});
const metadataProvider = tmdbTv.keywords.results.some(
(keyword: TmdbKeyword) => keyword.id === ANIME_KEYWORD_ID
)
? await getMetadataProvider('anime')
: await getMetadataProvider('tv');
const tmdb = new TheMovieDb();
const season = await metadataProvider.getTvSeason({
try {
const season = await tmdb.getTvSeason({
tvId: Number(req.params.id),
seasonNumber: Number(req.params.seasonNumber),
language: (req.query.language as string) ?? req.locale,

View File

@@ -292,17 +292,9 @@ export class MediaRequestSubscriber
}
if (radarrSettings.tagRequests) {
const radarrTags = await radarr.getTags();
// old tags had space around the hyphen
let userTag = radarrTags.find((v) =>
let userTag = (await radarr.getTags()).find((v) =>
v.label.startsWith(entity.requestedBy.id + ' - ')
);
// new tags do not have spaces around the hyphen, since spaces are not allowed anymore
if (!userTag) {
userTag = radarrTags.find((v) =>
v.label.startsWith(entity.requestedBy.id + '-')
);
}
if (!userTag) {
logger.info(`Requester has no active tag. Creating new`, {
label: 'Media Request',
@@ -310,11 +302,11 @@ export class MediaRequestSubscriber
mediaId: entity.media.id,
userId: entity.requestedBy.id,
newTag:
entity.requestedBy.id + '-' + entity.requestedBy.displayName,
entity.requestedBy.id + ' - ' + entity.requestedBy.displayName,
});
userTag = await radarr.createTag({
label:
entity.requestedBy.id + '-' + entity.requestedBy.displayName,
entity.requestedBy.id + ' - ' + entity.requestedBy.displayName,
});
}
if (userTag.id) {
@@ -609,17 +601,9 @@ export class MediaRequestSubscriber
}
if (sonarrSettings.tagRequests) {
const sonarrTags = await sonarr.getTags();
// old tags had space around the hyphen
let userTag = sonarrTags.find((v) =>
let userTag = (await sonarr.getTags()).find((v) =>
v.label.startsWith(entity.requestedBy.id + ' - ')
);
// new tags do not have spaces around the hyphen, since spaces are not allowed anymore
if (!userTag) {
userTag = sonarrTags.find((v) =>
v.label.startsWith(entity.requestedBy.id + '-')
);
}
if (!userTag) {
logger.info(`Requester has no active tag. Creating new`, {
label: 'Media Request',
@@ -627,11 +611,11 @@ export class MediaRequestSubscriber
mediaId: entity.media.id,
userId: entity.requestedBy.id,
newTag:
entity.requestedBy.id + '-' + entity.requestedBy.displayName,
entity.requestedBy.id + ' - ' + entity.requestedBy.displayName,
});
userTag = await sonarr.createTag({
label:
entity.requestedBy.id + '-' + entity.requestedBy.displayName,
entity.requestedBy.id + ' - ' + entity.requestedBy.displayName,
});
}
if (userTag.id) {

View File

@@ -53,11 +53,10 @@ div(style='display: block; background-color: #111827; padding: 2.5rem 0;')
b(style='color: #9ca3af; font-weight: 700;')
| #{extra.name}&nbsp;
| #{extra.value}
if imageUrl
td(rowspan='2' style='width: 7rem;')
a(style='display: block; width: 7rem; overflow: hidden; border-radius: .375rem;' href=actionUrl)
div(style='overflow: hidden; box-sizing: border-box; margin: 0px;')
img(alt='' src=imageUrl style='box-sizing: border-box; padding: 0px; border: none; margin: auto; display: block; min-width: 100%; max-width: 100%; min-height: 100%; max-height: 100%;')
td(rowspan='2' style='width: 7rem;')
a(style='display: block; width: 7rem; overflow: hidden; border-radius: .375rem;' href=actionUrl)
div(style='overflow: hidden; box-sizing: border-box; margin: 0px;')
img(alt='' src=imageUrl style='box-sizing: border-box; padding: 0px; border: none; margin: auto; display: block; min-width: 100%; max-width: 100%; min-height: 100%; max-height: 100%;')
tr
td(style='font-size: .85em; color: #9ca3af; line-height: 1em; vertical-align: bottom; margin-right: 1rem')
span

View File

@@ -1,35 +0,0 @@
export type AvailableLocale =
| 'ar'
| 'bg'
| 'ca'
| 'cs'
| 'da'
| 'de'
| 'en'
| 'el'
| 'es'
| 'es-MX'
| 'fi'
| 'fr'
| 'hr'
| 'he'
| 'hi'
| 'hu'
| 'it'
| 'ja'
| 'ko'
| 'lt'
| 'nb-NO'
| 'nl'
| 'pl'
| 'pt-BR'
| 'pt-PT'
| 'ro'
| 'ru'
| 'sq'
| 'sr'
| 'sv'
| 'tr'
| 'uk'
| 'zh-CN'
| 'zh-TW';

View File

@@ -33,7 +33,6 @@ const messages = defineMessages('components.Discover.FilterSlideover', {
studio: 'Studio',
genres: 'Genres',
keywords: 'Keywords',
excludeKeywords: 'Exclude Keywords',
originalLanguage: 'Original Language',
runtimeText: '{minValue}-{maxValue} minute runtime',
ratingText: 'Ratings between {minValue} and {maxValue}',
@@ -182,19 +181,6 @@ const FilterSlideover = ({
updateQueryParams('keywords', value?.map((v) => v.value).join(','));
}}
/>
<span className="text-lg font-semibold">
{intl.formatMessage(messages.excludeKeywords)}
</span>
<KeywordSelector
defaultValue={currentFilters.excludeKeywords}
isMulti
onChange={(value) => {
updateQueryParams(
'excludeKeywords',
value?.map((v) => v.value).join(',')
);
}}
/>
<span className="text-lg font-semibold">
{intl.formatMessage(messages.originalLanguage)}
</span>

View File

@@ -99,7 +99,6 @@ export const QueryFilterOptions = z.object({
studio: z.string().optional(),
genre: z.string().optional(),
keywords: z.string().optional(),
excludeKeywords: z.string().optional(),
language: z.string().optional(),
withRuntimeGte: z.string().optional(),
withRuntimeLte: z.string().optional(),
@@ -162,10 +161,6 @@ export const prepareFilterValues = (
filterValues.keywords = values.keywords;
}
if (values.excludeKeywords) {
filterValues.excludeKeywords = values.excludeKeywords;
}
if (values.language) {
filterValues.language = values.language;
}

View File

@@ -1,10 +1,10 @@
import type { AvailableLocale } from '@app/context/LanguageContext';
import { availableLanguages } from '@app/context/LanguageContext';
import useClickOutside from '@app/hooks/useClickOutside';
import useLocale from '@app/hooks/useLocale';
import defineMessages from '@app/utils/defineMessages';
import { Transition } from '@headlessui/react';
import { LanguageIcon } from '@heroicons/react/24/solid';
import type { AvailableLocale } from '@server/types/languages';
import { useRef, useState } from 'react';
import { useIntl } from 'react-intl';

View File

@@ -3,11 +3,11 @@ import PullToRefresh from '@app/components/Layout/PullToRefresh';
import SearchInput from '@app/components/Layout/SearchInput';
import Sidebar from '@app/components/Layout/Sidebar';
import UserDropdown from '@app/components/Layout/UserDropdown';
import type { AvailableLocale } from '@app/context/LanguageContext';
import useLocale from '@app/hooks/useLocale';
import useSettings from '@app/hooks/useSettings';
import { useUser } from '@app/hooks/useUser';
import { ArrowLeftIcon, Bars3BottomLeftIcon } from '@heroicons/react/24/solid';
import type { AvailableLocale } from '@server/types/languages';
import { useRouter } from 'next/router';
import { useEffect, useState } from 'react';
import useSWR from 'swr';

View File

@@ -1,91 +0,0 @@
import defineMessages from '@app/utils/defineMessages';
import { useIntl } from 'react-intl';
import Select, { type StylesConfig } from 'react-select';
enum MetadataProviderType {
TMDB = 'tmdb',
TVDB = 'tvdb',
}
type MetadataProviderOptionType = {
testId?: string;
value: MetadataProviderType;
label: string;
};
const messages = defineMessages('components.MetadataSelector', {
tmdbLabel: 'The Movie Database (TMDB)',
tvdbLabel: 'TheTVDB',
selectMetdataProvider: 'Select a metadata provider',
});
interface MetadataSelectorProps {
testId: string;
value: MetadataProviderType;
onChange: (value: MetadataProviderType) => void;
isDisabled?: boolean;
}
const MetadataSelector = ({
testId = 'metadata-provider-selector',
value,
onChange,
isDisabled = false,
}: MetadataSelectorProps) => {
const intl = useIntl();
const metadataProviderOptions: MetadataProviderOptionType[] = [
{
testId: 'tmdb-option',
value: MetadataProviderType.TMDB,
label: intl.formatMessage(messages.tmdbLabel),
},
{
testId: 'tvdb-option',
value: MetadataProviderType.TVDB,
label: intl.formatMessage(messages.tvdbLabel),
},
];
const customStyles: StylesConfig<MetadataProviderOptionType, false> = {
option: (base) => ({
...base,
display: 'flex',
alignItems: 'center',
}),
singleValue: (base) => ({
...base,
display: 'flex',
alignItems: 'center',
}),
};
const formatOptionLabel = (option: MetadataProviderOptionType) => (
<div className="flex items-center">
<span data-testid={option.testId}>{option.label}</span>
</div>
);
return (
<div data-testid={testId}>
<Select
options={metadataProviderOptions}
isDisabled={isDisabled}
className="react-select-container"
classNamePrefix="react-select"
value={metadataProviderOptions.find((option) => option.value === value)}
onChange={(selectedOption) => {
if (selectedOption) {
onChange(selectedOption.value);
}
}}
placeholder={intl.formatMessage(messages.selectMetdataProvider)}
styles={customStyles}
formatOptionLabel={formatOptionLabel}
/>
</div>
);
};
export { MetadataProviderType };
export default MetadataSelector;

View File

@@ -15,7 +15,6 @@ import * as Yup from 'yup';
const messages = defineMessages('components.Settings.Notifications', {
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
botUsername: 'Bot Username',
botAvatarUrl: 'Bot Avatar URL',
webhookUrl: 'Webhook URL',
@@ -75,7 +74,6 @@ const NotificationsDiscord = () => {
<Formik
initialValues={{
enabled: data.enabled,
embedPoster: data.embedPoster,
types: data.types,
botUsername: data?.options.botUsername,
botAvatarUrl: data?.options.botAvatarUrl,
@@ -88,7 +86,6 @@ const NotificationsDiscord = () => {
try {
await axios.post('/api/v1/settings/notifications/discord', {
enabled: values.enabled,
embedPoster: values.embedPoster,
types: values.types,
options: {
botUsername: values.botUsername,
@@ -138,7 +135,6 @@ const NotificationsDiscord = () => {
);
await axios.post('/api/v1/settings/notifications/discord/test', {
enabled: true,
embedPoster: values.embedPoster,
types: values.types,
options: {
botUsername: values.botUsername,
@@ -180,14 +176,6 @@ const NotificationsDiscord = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="form-row">
<label htmlFor="name" className="text-label">
{intl.formatMessage(messages.webhookUrl)}

View File

@@ -17,7 +17,6 @@ const messages = defineMessages('components.Settings.Notifications', {
validationSmtpHostRequired: 'You must provide a valid hostname or IP address',
validationSmtpPortRequired: 'You must provide a valid port number',
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
userEmailRequired: 'Require user email',
emailsender: 'Sender Address',
smtpHost: 'SMTP Host',
@@ -123,7 +122,6 @@ const NotificationsEmail = () => {
<Formik
initialValues={{
enabled: data.enabled,
embedPoster: data.embedPoster,
userEmailRequired: data.options.userEmailRequired,
emailFrom: data.options.emailFrom,
smtpHost: data.options.smtpHost,
@@ -147,7 +145,6 @@ const NotificationsEmail = () => {
try {
await axios.post('/api/v1/settings/notifications/email', {
enabled: values.enabled,
embedPoster: values.embedPoster,
options: {
userEmailRequired: values.userEmailRequired,
emailFrom: values.emailFrom,
@@ -197,7 +194,6 @@ const NotificationsEmail = () => {
);
await axios.post('/api/v1/settings/notifications/email/test', {
enabled: true,
embedPoster: values.embedPoster,
options: {
emailFrom: values.emailFrom,
smtpHost: values.smtpHost,
@@ -245,14 +241,6 @@ const NotificationsEmail = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="form-row">
<label htmlFor="userEmailRequired" className="checkbox-label">
{intl.formatMessage(messages.userEmailRequired)}

View File

@@ -19,7 +19,6 @@ const messages = defineMessages(
'components.Settings.Notifications.NotificationsNtfy',
{
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
url: 'Server root URL',
topic: 'Topic',
usernamePasswordAuth: 'Username + Password authentication',
@@ -81,7 +80,6 @@ const NotificationsNtfy = () => {
<Formik
initialValues={{
enabled: data?.enabled,
embedPoster: data?.embedPoster,
types: data?.types,
url: data?.options.url,
topic: data?.options.topic,
@@ -96,7 +94,6 @@ const NotificationsNtfy = () => {
try {
await axios.post('/api/v1/settings/notifications/ntfy', {
enabled: values.enabled,
embedPoster: values.embedPoster,
types: values.types,
options: {
url: values.url,
@@ -191,14 +188,6 @@ const NotificationsNtfy = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="form-row">
<label htmlFor="url" className="text-label">
{intl.formatMessage(messages.url)}

View File

@@ -17,7 +17,6 @@ const messages = defineMessages(
'components.Settings.Notifications.NotificationsPushover',
{
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
accessToken: 'Application API Token',
accessTokenTip:
'<ApplicationRegistrationLink>Register an application</ApplicationRegistrationLink> for use with Jellyseerr',
@@ -87,7 +86,6 @@ const NotificationsPushover = () => {
<Formik
initialValues={{
enabled: data?.enabled,
embedPoster: data?.embedPoster,
types: data?.types,
accessToken: data?.options.accessToken,
userToken: data?.options.userToken,
@@ -98,7 +96,6 @@ const NotificationsPushover = () => {
try {
await axios.post('/api/v1/settings/notifications/pushover', {
enabled: values.enabled,
embedPoster: values.embedPoster,
types: values.types,
options: {
accessToken: values.accessToken,
@@ -145,7 +142,6 @@ const NotificationsPushover = () => {
);
await axios.post('/api/v1/settings/notifications/pushover/test', {
enabled: true,
embedPoster: values.embedPoster,
types: values.types,
options: {
accessToken: values.accessToken,
@@ -185,14 +181,6 @@ const NotificationsPushover = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="form-row">
<label htmlFor="accessToken" className="text-label">
{intl.formatMessage(messages.accessToken)}

View File

@@ -16,7 +16,6 @@ const messages = defineMessages(
'components.Settings.Notifications.NotificationsSlack',
{
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
webhookUrl: 'Webhook URL',
webhookUrlTip:
'Create an <WebhookLink>Incoming Webhook</WebhookLink> integration',
@@ -60,7 +59,6 @@ const NotificationsSlack = () => {
<Formik
initialValues={{
enabled: data.enabled,
embedPoster: data.embedPoster,
types: data.types,
webhookUrl: data.options.webhookUrl,
}}
@@ -69,7 +67,6 @@ const NotificationsSlack = () => {
try {
await axios.post('/api/v1/settings/notifications/slack', {
enabled: values.enabled,
embedPoster: values.embedPoster,
types: values.types,
options: {
webhookUrl: values.webhookUrl,
@@ -114,7 +111,6 @@ const NotificationsSlack = () => {
);
await axios.post('/api/v1/settings/notifications/slack/test', {
enabled: true,
embedPoster: values.embedPoster,
types: values.types,
options: {
webhookUrl: values.webhookUrl,
@@ -152,14 +148,6 @@ const NotificationsSlack = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="form-row">
<label htmlFor="name" className="text-label">
{intl.formatMessage(messages.webhookUrl)}

View File

@@ -15,7 +15,6 @@ import * as Yup from 'yup';
const messages = defineMessages('components.Settings.Notifications', {
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
botUsername: 'Bot Username',
botUsernameTip:
'Allow users to also start a chat with your bot and configure their own notifications',
@@ -90,7 +89,6 @@ const NotificationsTelegram = () => {
<Formik
initialValues={{
enabled: data?.enabled,
embedPoster: data?.embedPoster,
types: data?.types,
botUsername: data?.options.botUsername,
botAPI: data?.options.botAPI,
@@ -103,7 +101,6 @@ const NotificationsTelegram = () => {
try {
await axios.post('/api/v1/settings/notifications/telegram', {
enabled: values.enabled,
embedPoster: values.embedPoster,
types: values.types,
options: {
botAPI: values.botAPI,
@@ -194,14 +191,6 @@ const NotificationsTelegram = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="form-row">
<label htmlFor="botAPI" className="text-label">
{intl.formatMessage(messages.botAPI)}

View File

@@ -15,7 +15,6 @@ const messages = defineMessages(
'components.Settings.Notifications.NotificationsWebPush',
{
agentenabled: 'Enable Agent',
embedPoster: 'Embed Poster',
webpushsettingssaved: 'Web push notification settings saved successfully!',
webpushsettingsfailed: 'Web push notification settings failed to save.',
toastWebPushTestSending: 'Sending web push test notification…',
@@ -56,13 +55,11 @@ const NotificationsWebPush = () => {
<Formik
initialValues={{
enabled: data.enabled,
embedPoster: data.embedPoster,
}}
onSubmit={async (values) => {
try {
await axios.post('/api/v1/settings/notifications/webpush', {
enabled: values.enabled,
embedPoster: values.embedPoster,
options: {},
});
mutate('/api/v1/settings/public');
@@ -80,7 +77,7 @@ const NotificationsWebPush = () => {
}
}}
>
{({ isSubmitting, values }) => {
{({ isSubmitting }) => {
const testSettings = async () => {
setIsTesting(true);
let toastId: string | undefined;
@@ -97,7 +94,6 @@ const NotificationsWebPush = () => {
);
await axios.post('/api/v1/settings/notifications/webpush/test', {
enabled: true,
embedPoster: values.embedPoster,
options: {},
});
@@ -132,15 +128,6 @@ const NotificationsWebPush = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="embedPoster" className="checkbox-label">
{intl.formatMessage(messages.embedPoster)}
<span className="label-required">*</span>
</label>
<div className="form-input-area">
<Field type="checkbox" id="embedPoster" name="embedPoster" />
</div>
</div>
<div className="actions">
<div className="flex justify-end">
<span className="ml-3 inline-flex rounded-md shadow-sm">

View File

@@ -1,7 +1,6 @@
import Button from '@app/components/Common/Button';
import LoadingSpinner from '@app/components/Common/LoadingSpinner';
import NotificationTypeSelector from '@app/components/NotificationTypeSelector';
import SettingsBadge from '@app/components/Settings/SettingsBadge';
import globalMessages from '@app/i18n/globalMessages';
import defineMessages from '@app/utils/defineMessages';
import { isValidURL } from '@app/utils/urlValidationHelper';
@@ -74,11 +73,6 @@ const messages = defineMessages(
{
agentenabled: 'Enable Agent',
webhookUrl: 'Webhook URL',
webhookUrlTip:
'Test Notification URL is set to {testUrl} instead of the actual webhook URL.',
supportVariables: 'Support URL Variables',
supportVariablesTip:
'Available variables are documented in the webhook template variables section',
authheader: 'Authorization Header',
validationJsonPayloadRequired: 'You must provide a valid JSON payload',
webhooksettingssaved: 'Webhook notification settings saved successfully!',
@@ -117,14 +111,8 @@ const NotificationsWebhook = () => {
.test(
'valid-url',
intl.formatMessage(messages.validationWebhookUrl),
function (value) {
const { supportVariables } = this.parent;
return supportVariables || isValidURL(value);
}
isValidURL
),
supportVariables: Yup.boolean(),
jsonPayload: Yup.string()
.when('enabled', {
is: true,
@@ -159,7 +147,6 @@ const NotificationsWebhook = () => {
webhookUrl: data.options.webhookUrl,
jsonPayload: data.options.jsonPayload,
authHeader: data.options.authHeader,
supportVariables: data.options.supportVariables ?? false,
}}
validationSchema={NotificationsWebhookSchema}
onSubmit={async (values) => {
@@ -171,7 +158,6 @@ const NotificationsWebhook = () => {
webhookUrl: values.webhookUrl,
jsonPayload: JSON.stringify(values.jsonPayload),
authHeader: values.authHeader,
supportVariables: values.supportVariables,
},
});
addToast(intl.formatMessage(messages.webhooksettingssaved), {
@@ -229,7 +215,6 @@ const NotificationsWebhook = () => {
webhookUrl: values.webhookUrl,
jsonPayload: JSON.stringify(values.jsonPayload),
authHeader: values.authHeader,
supportVariables: values.supportVariables ?? false,
},
});
@@ -264,59 +249,10 @@ const NotificationsWebhook = () => {
<Field type="checkbox" id="enabled" name="enabled" />
</div>
</div>
<div className="form-row">
<label htmlFor="supportVariables" className="checkbox-label">
<span className="mr-2">
{intl.formatMessage(messages.supportVariables)}
</span>
<SettingsBadge badgeType="experimental" />
<span className="label-tip">
{intl.formatMessage(messages.supportVariablesTip)}
</span>
</label>
<div className="form-input-area">
<Field
type="checkbox"
id="supportVariables"
name="supportVariables"
onChange={(e: React.ChangeEvent<HTMLInputElement>) =>
setFieldValue('supportVariables', e.target.checked)
}
/>
</div>
</div>
{values.supportVariables && (
<div className="mt-2">
<Link
href="https://docs.jellyseerr.dev/using-jellyseerr/notifications/webhook#template-variables"
passHref
legacyBehavior
>
<Button
as="a"
buttonSize="sm"
target="_blank"
rel="noreferrer"
>
<QuestionMarkCircleIcon />
<span>
{intl.formatMessage(messages.templatevariablehelp)}
</span>
</Button>
</Link>
</div>
)}
<div className="form-row">
<label htmlFor="webhookUrl" className="text-label">
{intl.formatMessage(messages.webhookUrl)}
<span className="label-required">*</span>
{values.supportVariables && (
<div className="label-tip">
{intl.formatMessage(messages.webhookUrlTip, {
testUrl: '/test',
})}
</div>
)}
</label>
<div className="form-input-area">
<div className="form-input-field">
@@ -376,7 +312,7 @@ const NotificationsWebhook = () => {
<span>{intl.formatMessage(messages.resetPayload)}</span>
</Button>
<Link
href="https://docs.jellyseerr.dev/using-jellyseerr/notifications/webhook#template-variables"
href="https://docs.overseerr.dev/using-overseerr/notifications/webhooks#template-variables"
passHref
legacyBehavior
>

View File

@@ -18,7 +18,6 @@ const messages = defineMessages('components.Settings', {
menuLogs: 'Logs',
menuJobs: 'Jobs & Cache',
menuAbout: 'About',
menuMetadataProviders: 'Metadata Providers',
});
type SettingsLayoutProps = {
@@ -60,11 +59,6 @@ const SettingsLayout = ({ children }: SettingsLayoutProps) => {
route: '/settings/network',
regex: /^\/settings\/network/,
},
{
text: intl.formatMessage(messages.menuMetadataProviders),
route: '/settings/metadata',
regex: /^\/settings\/metadata/,
},
{
text: intl.formatMessage(messages.menuNotifications),
route: '/settings/notifications/email',

View File

@@ -7,6 +7,7 @@ import LanguageSelector from '@app/components/LanguageSelector';
import RegionSelector from '@app/components/RegionSelector';
import CopyButton from '@app/components/Settings/CopyButton';
import SettingsBadge from '@app/components/Settings/SettingsBadge';
import type { AvailableLocale } from '@app/context/LanguageContext';
import { availableLanguages } from '@app/context/LanguageContext';
import useLocale from '@app/hooks/useLocale';
import { Permission, useUser } from '@app/hooks/useUser';
@@ -17,7 +18,6 @@ import { ArrowDownOnSquareIcon } from '@heroicons/react/24/outline';
import { ArrowPathIcon } from '@heroicons/react/24/solid';
import type { UserSettingsGeneralResponse } from '@server/interfaces/api/userSettingsInterfaces';
import type { MainSettings } from '@server/lib/settings';
import type { AvailableLocale } from '@server/types/languages';
import axios from 'axios';
import { Field, Form, Formik } from 'formik';
import { useIntl } from 'react-intl';

View File

@@ -1,476 +0,0 @@
import Badge from '@app/components/Common/Badge';
import Button from '@app/components/Common/Button';
import LoadingSpinner from '@app/components/Common/LoadingSpinner';
import PageTitle from '@app/components/Common/PageTitle';
import MetadataSelector, {
MetadataProviderType,
} from '@app/components/MetadataSelector';
import globalMessages from '@app/i18n/globalMessages';
import defineMessages from '@app/utils/defineMessages';
import { ArrowDownOnSquareIcon, BeakerIcon } from '@heroicons/react/24/outline';
import axios from 'axios';
import { Form, Formik } from 'formik';
import { useState } from 'react';
import { useIntl } from 'react-intl';
import { useToasts } from 'react-toast-notifications';
import useSWR from 'swr';
const messages = defineMessages('components.Settings', {
metadataProviderSettings: 'Metadata Providers',
general: 'General',
settings: 'Settings',
seriesMetadataProvider: 'Series metadata provider',
animeMetadataProvider: 'Anime metadata provider',
metadataSettings: 'Settings for metadata provider',
clickTest:
'Click on the "Test" button to check connectivity with metadata providers',
notTested: 'Not Tested',
failed: 'Does not work',
operational: 'Operational',
providerStatus: 'Metadata Provider Status',
chooseProvider: 'Choose metadata providers for different content types',
metadataProviderSelection: 'Metadata Provider Selection',
tmdbProviderDoesnotWork:
'TMDB provider does not work, please select another metadata provider',
tvdbProviderDoesnotWork:
'TVDB provider does not work, please select another metadata provider',
allChosenProvidersAreOperational:
'All chosen metadata providers are operational',
connectionTestFailed: 'Connection test failed',
failedToSaveMetadataSettings: 'Failed to save metadata provider settings',
metadataSettingsSaved: 'Metadata provider settings saved',
});
type ProviderStatus = 'ok' | 'not tested' | 'failed';
interface ProviderResponse {
tvdb: ProviderStatus;
tmdb: ProviderStatus;
}
interface MetadataValues {
tv: MetadataProviderType;
anime: MetadataProviderType;
}
interface MetadataSettings {
metadata: MetadataValues;
}
const SettingsMetadata = () => {
const intl = useIntl();
const { addToast } = useToasts();
const [isTesting, setIsTesting] = useState(false);
const defaultStatus: ProviderResponse = {
tmdb: 'not tested',
tvdb: 'not tested',
};
const [providerStatus, setProviderStatus] =
useState<ProviderResponse>(defaultStatus);
const { data, error } = useSWR<MetadataSettings>(
'/api/v1/settings/metadatas',
async (url: string) => {
const response = await axios.get<{
tv: MetadataProviderType;
anime: MetadataProviderType;
}>(url);
return {
metadata: {
tv: response.data.tv,
anime: response.data.anime,
},
};
}
);
const testConnection = async (
values: MetadataValues
): Promise<ProviderResponse> => {
const useTmdb =
values.tv === MetadataProviderType.TMDB ||
values.anime === MetadataProviderType.TMDB;
const useTvdb =
values.tv === MetadataProviderType.TVDB ||
values.anime === MetadataProviderType.TVDB;
const testData = {
tmdb: useTmdb,
tvdb: useTvdb,
};
try {
const response = await axios.post<{
success: boolean;
tests: ProviderResponse;
}>('/api/v1/settings/metadatas/test', testData);
const newStatus: ProviderResponse = {
tmdb: useTmdb ? response.data.tests.tmdb : 'not tested',
tvdb: useTvdb ? response.data.tests.tvdb : 'not tested',
};
setProviderStatus(newStatus);
return newStatus;
} catch (error) {
if (axios.isAxiosError(error) && error.response) {
// If we receive an error response with a valid format
const errorData = error.response.data as {
success: boolean;
tests: ProviderResponse;
};
if (errorData.tests) {
const newStatus: ProviderResponse = {
tmdb: useTmdb ? errorData.tests.tmdb : 'not tested',
tvdb: useTvdb ? errorData.tests.tvdb : 'not tested',
};
setProviderStatus(newStatus);
return newStatus;
}
}
// In case of error without usable data
throw new Error('Failed to test connection');
}
};
const saveSettings = async (
values: MetadataValues
): Promise<MetadataSettings> => {
try {
const response = await axios.put<{
success: boolean;
tv: MetadataProviderType;
anime: MetadataProviderType;
tests?: {
tvdb: ProviderStatus;
tmdb: ProviderStatus;
};
}>('/api/v1/settings/metadatas', {
tv: values.tv,
anime: values.anime,
});
// Update metadata provider status if available
if (response.data.tests) {
const mapStatusValue = (status: string): ProviderStatus => {
if (status === 'ok') return 'ok';
if (status === 'failed') return 'failed';
return 'not tested';
};
setProviderStatus({
tmdb: mapStatusValue(response.data.tests.tmdb),
tvdb: mapStatusValue(response.data.tests.tvdb),
});
}
// Adapt the response to the format expected by the component
return {
metadata: {
tv: response.data.tv,
anime: response.data.anime,
},
};
} catch (error) {
// Retrieve test data in case of error
if (axios.isAxiosError(error) && error.response?.data) {
const errorData = error.response.data as {
success: boolean;
tests?: {
tvdb: string;
tmdb: string;
};
};
// If test data is available in the error response
if (errorData.tests) {
const mapStatusValue = (status: string): ProviderStatus => {
if (status === 'ok') return 'ok';
if (status === 'failed') return 'failed';
return 'not tested';
};
// Update metadata provider status with error data
setProviderStatus({
tmdb: mapStatusValue(errorData.tests.tmdb),
tvdb: mapStatusValue(errorData.tests.tvdb),
});
}
}
throw new Error('Failed to save Metadata settings');
}
};
const getStatusClass = (status: ProviderStatus): string => {
switch (status) {
case 'ok':
return 'text-green-500';
case 'not tested':
return 'text-yellow-500';
case 'failed':
return 'text-red-500';
}
};
const getStatusMessage = (status: ProviderStatus): string => {
switch (status) {
case 'ok':
return intl.formatMessage(messages.operational);
case 'not tested':
return intl.formatMessage(messages.notTested);
case 'failed':
return intl.formatMessage(messages.failed);
}
};
const getBadgeType = (
status: ProviderStatus
):
| 'default'
| 'primary'
| 'danger'
| 'warning'
| 'success'
| 'dark'
| 'light'
| undefined => {
switch (status) {
case 'ok':
return 'success';
case 'not tested':
return 'warning';
case 'failed':
return 'danger';
}
};
if (!data && !error) {
return <LoadingSpinner />;
}
const initialValues: MetadataValues = data?.metadata || {
tv: MetadataProviderType.TMDB,
anime: MetadataProviderType.TMDB,
};
return (
<>
<PageTitle
title={[
intl.formatMessage(messages.general),
intl.formatMessage(globalMessages.settings),
]}
/>
<div className="mb-6">
<h3 className="heading">
{intl.formatMessage(messages.metadataProviderSettings)}
</h3>
<p className="description">
{intl.formatMessage(messages.metadataSettings)}
</p>
</div>
<div className="mb-6 rounded-lg bg-gray-800 p-4">
<h4 className="mb-3 text-lg font-medium">
{intl.formatMessage(messages.providerStatus)}
</h4>
<div className="flex flex-col space-y-3">
<div className="flex items-center">
<span className="mr-2 w-24">TheMovieDB:</span>
<span
className={`text-sm ${getStatusClass(providerStatus.tmdb)}`}
data-testid="tmdb-status-container"
>
<Badge badgeType={getBadgeType(providerStatus.tmdb)}>
{getStatusMessage(providerStatus.tmdb)}
</Badge>
</span>
</div>
<div className="flex items-center">
<span className="mr-2 w-24">TheTVDB:</span>
<span
className={`text-sm ${getStatusClass(providerStatus.tvdb)}`}
data-testid="tvdb-status"
>
<Badge badgeType={getBadgeType(providerStatus.tvdb)}>
{getStatusMessage(providerStatus.tvdb)}
</Badge>
</span>
</div>
</div>
</div>
<div className="section">
<Formik
initialValues={{ metadata: initialValues }}
onSubmit={async (values) => {
try {
const result = await saveSettings(values.metadata);
if (data) {
data.metadata = result.metadata;
}
addToast(intl.formatMessage(messages.metadataSettingsSaved), {
appearance: 'success',
});
} catch (e) {
addToast(
intl.formatMessage(messages.failedToSaveMetadataSettings),
{
appearance: 'error',
}
);
}
}}
>
{({ isSubmitting, isValid, values, setFieldValue }) => {
return (
<Form className="section" data-testid="settings-main-form">
<div className="mb-6">
<h2 className="heading">
{intl.formatMessage(messages.metadataProviderSelection)}
</h2>
<p className="description">
{intl.formatMessage(messages.chooseProvider)}
</p>
</div>
<div className="form-row">
<label
htmlFor="tv-metadata-provider"
className="checkbox-label"
>
<span className="mr-2">
{intl.formatMessage(messages.seriesMetadataProvider)}
</span>
</label>
<div className="form-input-area">
<MetadataSelector
testId="tv-metadata-provider-selector"
value={values.metadata.tv}
onChange={(value) => setFieldValue('metadata.tv', value)}
isDisabled={isSubmitting}
/>
</div>
</div>
<div className="form-row">
<label
htmlFor="anime-metadata-provider"
className="checkbox-label"
>
<span className="mr-2">
{intl.formatMessage(messages.animeMetadataProvider)}
</span>
</label>
<div className="form-input-area">
<MetadataSelector
testId="anime-metadata-provider-selector"
value={values.metadata.anime}
onChange={(value) =>
setFieldValue('metadata.anime', value)
}
isDisabled={isSubmitting}
/>
</div>
</div>
<div className="actions">
<div className="flex justify-end">
<span className="ml-3 inline-flex rounded-md shadow-sm">
<Button
buttonType="warning"
type="button"
disabled={isSubmitting || !isValid}
onClick={async () => {
setIsTesting(true);
try {
const resp = await testConnection(values.metadata);
if (resp.tvdb === 'failed') {
addToast(
intl.formatMessage(
messages.tvdbProviderDoesnotWork
),
{
appearance: 'error',
autoDismiss: true,
}
);
} else if (resp.tmdb === 'failed') {
addToast(
intl.formatMessage(
messages.tmdbProviderDoesnotWork
),
{
appearance: 'error',
autoDismiss: true,
}
);
} else {
addToast(
intl.formatMessage(
messages.allChosenProvidersAreOperational
),
{
appearance: 'success',
}
);
}
} catch (e) {
addToast(
intl.formatMessage(messages.connectionTestFailed),
{
appearance: 'error',
autoDismiss: true,
}
);
} finally {
setIsTesting(false);
}
}}
>
<BeakerIcon />
<span>
{isTesting
? intl.formatMessage(globalMessages.testing)
: intl.formatMessage(globalMessages.test)}
</span>
</Button>
</span>
<span className="ml-3 inline-flex rounded-md shadow-sm">
<Button
data-testid="metadata-save-button"
buttonType="primary"
type="submit"
disabled={isSubmitting || !isValid || isTesting}
>
<ArrowDownOnSquareIcon />
<span>
{isSubmitting
? intl.formatMessage(globalMessages.saving)
: intl.formatMessage(globalMessages.save)}
</span>
</Button>
</span>
</div>
</div>
</Form>
);
}}
</Formik>
</div>
</>
);
};
export default SettingsMetadata;

View File

@@ -126,7 +126,7 @@ const SettingsNetwork = () => {
proxy: {
enabled: values.proxyEnabled,
hostname: values.proxyHostname,
port: Number(values.proxyPort),
port: values.proxyPort,
useSsl: values.proxySsl,
user: values.proxyUser,
password: values.proxyPassword,

View File

@@ -60,7 +60,7 @@ const Season = ({ seasonNumber, tvId }: SeasonProps) => {
<CachedImage
type="tmdb"
className="rounded-lg object-contain"
src={episode.stillPath}
src={`https://image.tmdb.org/t/p/original/${episode.stillPath}`}
alt=""
fill
/>

View File

@@ -35,7 +35,6 @@ import { sortCrewPriority } from '@app/utils/creditHelpers';
import defineMessages from '@app/utils/defineMessages';
import { refreshIntervalHelper } from '@app/utils/refreshIntervalHelper';
import { Disclosure, Transition } from '@headlessui/react';
import { ChevronDownIcon } from '@heroicons/react/24/outline';
import {
ArrowRightCircleIcon,
CogIcon,
@@ -45,7 +44,8 @@ import {
MinusCircleIcon,
PlayIcon,
StarIcon,
} from '@heroicons/react/24/solid';
} from '@heroicons/react/24/outline';
import { ChevronDownIcon } from '@heroicons/react/24/solid';
import type { RTRating } from '@server/api/rating/rottentomatoes';
import { ANIME_KEYWORD_ID } from '@server/api/themoviedb/constants';
import { IssueStatus } from '@server/constants/issue';
@@ -118,7 +118,9 @@ const TvDetails = ({ tv }: TvDetailsProps) => {
const intl = useIntl();
const { locale } = useLocale();
const [showRequestModal, setShowRequestModal] = useState(false);
const [showManager, setShowManager] = useState(router.query.manage == '1');
const [showManager, setShowManager] = useState(
router.query.manage == '1' ? true : false
);
const [showIssueModal, setShowIssueModal] = useState(false);
const [isUpdating, setIsUpdating] = useState<boolean>(false);
const [toggleWatchlist, setToggleWatchlist] = useState<boolean>(
@@ -154,7 +156,7 @@ const TvDetails = ({ tv }: TvDetailsProps) => {
);
useEffect(() => {
setShowManager(router.query.manage == '1');
setShowManager(router.query.manage == '1' ? true : false);
}, [router.query.manage]);
const closeBlacklistModal = useCallback(

View File

@@ -5,6 +5,7 @@ import PageTitle from '@app/components/Common/PageTitle';
import LanguageSelector from '@app/components/LanguageSelector';
import QuotaSelector from '@app/components/QuotaSelector';
import RegionSelector from '@app/components/RegionSelector';
import type { AvailableLocale } from '@app/context/LanguageContext';
import { availableLanguages } from '@app/context/LanguageContext';
import useLocale from '@app/hooks/useLocale';
import useSettings from '@app/hooks/useSettings';
@@ -15,7 +16,6 @@ import defineMessages from '@app/utils/defineMessages';
import { ArrowDownOnSquareIcon } from '@heroicons/react/24/outline';
import { ApiErrorCode } from '@server/constants/error';
import type { UserSettingsGeneralResponse } from '@server/interfaces/api/userSettingsInterfaces';
import type { AvailableLocale } from '@server/types/languages';
import axios from 'axios';
import { Field, Form, Formik } from 'formik';
import { useRouter } from 'next/router';

View File

@@ -1,6 +1,41 @@
import { type AvailableLocale } from '@server/types/languages';
import React from 'react';
export type AvailableLocale =
| 'ar'
| 'bg'
| 'ca'
| 'cs'
| 'da'
| 'de'
| 'en'
| 'el'
| 'es'
| 'es-MX'
| 'fi'
| 'fr'
| 'hr'
| 'he'
| 'hi'
| 'hu'
| 'it'
| 'ja'
| 'ko'
| 'lt'
| 'nb-NO'
| 'nl'
| 'pl'
| 'pt-BR'
| 'pt-PT'
| 'ro'
| 'ru'
| 'sq'
| 'sr'
| 'sv'
| 'tr'
| 'uk'
| 'zh-CN'
| 'zh-TW';
type AvailableLanguageObject = Record<
string,
{ code: AvailableLocale; display: string }

View File

@@ -371,7 +371,19 @@
"components.Settings.Notifications.NotificationsGotify.validationTypes": "يجب عليك إختيار نوع تنبيه واحد على الأقل",
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSuccess": "تم إرسال تنبيه تجريبي لقونتفاي!",
"components.Settings.Notifications.NotificationsGotify.validationUrlRequired": "يجب عليك كتابة رابط صحيح",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "تم حفظ اعدادات تنبيه لوناسي بنجاح!",
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "الرابط يجب أن لا ينتهي بعلامة السلاش /",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "تفعيل الخدمة",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "إسم ملف التعريف",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "مطلوب فقط في حالة عدم إستخدام ملف التعريف الإفتراضي <code>default</code>",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "فشل في حفظ اعدادات تنبيه تطبيق لونا سي.",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "فشل في ارسال التنبيه التجريبي الى لوناسي.",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "جاري إرسال تنبيه تجريبي الى لوناسي…",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "تم ارسال التنبيه!",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "يجب عليك اختيار نوع تنبيه واحد على الاقل",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "يجب عليك تزويد رابط صحيح",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "رابط webhook",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "رابط المستخدم أو الجهاز <LunaSeaLink>notification webhook URL</LunaSeaLink>",
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "مفتاح الدخول Token",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSending": "جاري ارسال التنبيه…",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "فشل إرسال تنبيه تجريبي Pushbullet.",
@@ -689,6 +701,7 @@
"components.Settings.address": "العناوين",
"components.Settings.addsonarr": "إضافة سيرفر سونار",
"components.Settings.cancelscan": "إلغاء الفحص",
"components.Settings.copied": "نسخ مفتاح الـ API.",
"components.Settings.currentlibrary": "المكتبة الحالية: {name}",
"components.Settings.default": "الإفتراضي",
"components.Settings.default4k": "فور كي الإفتراضي",
@@ -778,6 +791,7 @@
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverApplicationTokenTip": "<ApplicationRegistrationLink>تسجيل تطبيق application</ApplicationRegistrationLink> للإستخدام مع {applicationTitle}",
"i18n.approve": "موافقة",
"components.UserProfile.UserSettings.UserNotificationSettings.validationPgpPublicKey": "يجب ذكر مفتاح عام PGP صحيح",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "فشل حفظ إعدادات تنبيه web Push.",
"components.UserProfile.UserSettings.UserPasswordChange.newpassword": "كلمة سر جديد",
"components.UserProfile.UserSettings.UserPermissions.unauthorizedDescription": "لا تستطيع تعديل صلاحياتك المُعطاة.",
"components.UserProfile.UserSettings.UserPasswordChange.noPasswordSet": "حساب هذا المستخدم بدون كلمة سر حاليا. قم بإعداد كلمة سر بالإسفل لإتاحة هذا الحساب من تسجيل الدخول \"كمستخدم محلي.\"",
@@ -894,6 +908,7 @@
"components.UserProfile.UserSettings.UserNotificationSettings.validationPushoverUserKey": "يجب ذكر مفتاح مستخدم او مجموعة صحيح",
"components.UserProfile.UserSettings.UserNotificationSettings.validationTelegramChatId": "يجب ذكر رقم هوية محادثة صحيحة",
"components.UserProfile.UserSettings.UserNotificationSettings.webpush": "ويب بوش Web Push",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "تم حفظ إعدادات تنبيه Web Push بنجاح!",
"components.UserProfile.UserSettings.UserPasswordChange.confirmpassword": "تأكيد كلمة السر",
"components.UserProfile.UserSettings.UserPasswordChange.currentpassword": "كلمة السر الحالية",
"components.UserProfile.UserSettings.UserPasswordChange.noPasswordSetOwnAccount": "حسابك حاليا بدون كلمة سر. قم بإعداد كلمة سر بالأسفل لإتاحة تسجيل الدخول كـ\"مستخدم محلي\" بإستخدام البريد الإلكتروني.",

View File

@@ -199,7 +199,7 @@
"components.Settings.Notifications.encryptionOpportunisticTls": "Винаги използвайте STARTTLS",
"components.Discover.FilterSlideover.ratingText": "Оценки между {minValue} и {maxValue}",
"components.PermissionEdit.autoapproveSeries": "Автоматично одобряване на сериали",
"components.RequestButton.approverequests": "Одобри {requestCount, plural, one {заявка} other {{requestCount} заявки}}",
"components.RequestButton.approverequests": "Одобряване {requestCount, plural, one {заявка} other {{requestCount} заявки}}",
"components.PersonDetails.crewmember": "Екип",
"components.RequestButton.requestmore4k": "Заявете повече в 4К",
"components.PersonDetails.ascharacter": "като {character}",
@@ -239,6 +239,7 @@
"components.ManageSlideOver.manageModalRequests": "Заявки",
"components.NotificationTypeSelector.issuecreatedDescription": "Изпращайте известия при докладване на проблеми.",
"components.NotificationTypeSelector.mediaavailableDescription": "Изпращайте известия, когато медийните заявки станат налични.",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Вашият базиран на потребител или устройство <LunaSeaLink>URL адрес за webhook за известия</LunaSeaLink>",
"components.RequestModal.requestmovie4ktitle": "Заявете филм в 4K",
"components.RequestModal.requestSuccess": "<strong>{title}</strong> е заявен успешно!",
"components.Settings.Notifications.webhookUrlTip": "Създайте <DiscordWebhookLink>интегриране на webhook</DiscordWebhookLink> във вашия сървър",
@@ -262,7 +263,9 @@
"components.Discover.resetsuccess": "Успешно нулиране на настройките за персонализиране на откриването.",
"components.Settings.RadarrModal.minimumAvailability": "Минимална наличност",
"components.Settings.Notifications.agentenabled": "Активиране на агент",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Неуспешно изпращане на тестово известие към LunaSea.",
"components.Settings.SettingsAbout.Releases.releases": "Издания",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Активиране на агент",
"components.Settings.RadarrModal.validationApiKeyRequired": "Трябва да предоставите API ключ",
"components.Settings.RadarrModal.validationMinimumAvailabilityRequired": "Трябва да изберете минимална наличност",
"components.RequestModal.requestseasons": "Заявете {seasonCount} {seasonCount, plural, one {сезон} other {сезони}}",
@@ -293,6 +296,7 @@
"components.NotificationTypeSelector.issuecomment": "Коментар на проблема",
"components.RequestBlock.seasons": "{seasonCount, plural, one {Сезон} other {Сезони}}",
"components.Settings.RadarrModal.selectMinimumAvailability": "Изберете минимална наличност",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "Настройките за известяване към LunaSea са запазени успешно!",
"components.Selector.showmore": "Покажи повече",
"components.Settings.RadarrModal.selectRootFolder": "Изберете главна папка",
"components.RequestList.RequestItem.modifieduserdate": "{date} от {user}",
@@ -305,11 +309,12 @@
"components.PermissionEdit.autoapproveMoviesDescription": "Гарантирано автоматично одобрение за заявки за не-4K филми.",
"components.Settings.Notifications.NotificationsPushover.validationUserTokenRequired": "Трябва да предоставите валиден потребителски или групов ключ",
"components.Settings.SettingsAbout.Releases.versionChangelog": "{version} Дневник на промените",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Изисква се само ако не използвате профила <code>по подразбиране</code>",
"components.ManageSlideOver.manageModalMedia": "Медия",
"components.NotificationTypeSelector.issueresolved": "Проблемът е решен",
"components.MovieDetails.originaltitle": "Оригинално заглавие",
"components.Discover.trending": "Тендеция",
"components.RequestButton.declinerequests": "Отхвърли {requestCount, plural, one {заявка} other {{requestCount} заявки}}",
"components.RequestButton.declinerequests": "Decline {requestCount, plural, one {Заявка} other {{requestCount} Заявки}}",
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Създайте токен от вашите <PushbulletSettingsLink>Настройки на акаунта</PushbulletSettingsLink>",
"components.MovieDetails.rtcriticsscore": "Rotten Tomatoes Tomatometer",
"components.PermissionEdit.requestMoviesDescription": "Дайте разрешение за изпращане на заявки за не-4K филми.",
@@ -325,6 +330,7 @@
"components.RequestModal.selectmovies": "Изберете филм(и)",
"components.RequestModal.requestApproved": "Заявката за <strong>{title}</strong> е одобрена!",
"components.Settings.RadarrModal.testFirstQualityProfiles": "Тествайте връзката, за да заредите профилите за качество",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Изпраща се тестово известие към LunaSea…",
"components.QuotaSelector.unlimited": "Неограничен",
"components.ResetPassword.validationpasswordminchars": "Паролата е твърде кратка; трябва да съдържа минимум 8 знака",
"components.Settings.RadarrModal.syncEnabled": "Активирайте сканирането",
@@ -338,6 +344,7 @@
"components.RequestBlock.profilechanged": "Профил качество",
"components.Settings.RadarrModal.create4kradarr": "Добавяне на нов 4K Radarr сървър",
"components.Settings.Notifications.senderName": "Име на изпращача",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Трябва да предоставите валиден URL адрес",
"components.PermissionEdit.autoapprove4kMovies": "Автоматично одобряване на 4К филми",
"components.ManageSlideOver.playedby": "Изигран от",
"components.Settings.RadarrModal.default4kserver": "4K сървър по подразбиране",
@@ -353,11 +360,13 @@
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "За да получава уеб насочени известия, Overseerr трябва да се работи през HTTPS.",
"components.MovieDetails.cast": "В ролите",
"components.PermissionEdit.viewissues": "Преглед на проблемите",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
"components.NotificationTypeSelector.mediaautorequestedDescription": "Получавайте известия, когато автоматично се изпращат заявки за елементи от вашия списък за гледане в Plex.",
"components.Discover.MovieGenreSlider.moviegenres": "Филмови жанрове",
"components.PermissionEdit.viewrecent": "Преглед на наскоро добавените",
"components.Discover.networks": "Мрежи",
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "URL адресът не трябва да завършва с наклонена черта в края",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Трябва да изберете поне един тип известие",
"components.MovieDetails.budget": "Бюджет",
"components.RequestList.showallrequests": "Покажи всички заявки",
"components.Settings.Notifications.validationTypes": "Трябва да изберете поне един тип известие",
@@ -366,6 +375,7 @@
"components.PermissionEdit.autoapprove4kDescription": "Гарантирано автоматично одобрение за заявки за 4K медии.",
"components.RequestModal.requestmovies": "Заявка {count} {count, plural, one {филм} other {филми}}",
"components.Settings.Notifications.validationSmtpHostRequired": "Трябва да предоставите валидно име на хост или IP адрес",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "Известието за тест към LunaSea е изпратено!",
"components.RequestModal.requestedited": "Заявката за <strong>{title}</strong> е редактирана успешно!",
"components.Discover.TvGenreSlider.tvgenres": "Жанрове сериали",
"components.RequestModal.selectseason": "Изберете сезон(и)",
@@ -449,8 +459,9 @@
"components.Settings.Notifications.pgpPasswordTip": "Подписвайте шифровани имейл съобщения с помощта на <OpenPgpLink>OpenPGP</OpenPgpLink>",
"components.RequestList.RequestItem.failedretry": "Нещо се обърка при повторен опит за заявка.",
"components.MovieDetails.imdbuserscore": "IMDB потребителска оценка",
"components.RequestButton.decline4krequests": "Отхвърли {requestCount, plural, one {4K заявка} other {{requestCount} 4K заявки}}",
"components.RequestButton.decline4krequests": "Отхвърляне {requestCount, plural, one {заявка} other {{requestCount} заявки}}",
"components.RequestButton.declinerequest4k": "Отказ на 4К заявка",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Профилно име",
"components.Settings.Notifications.NotificationsGotify.url": "URL адрес на сървъра",
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "Трябва да изберете поне един тип известие",
"components.NotificationTypeSelector.mediarequestedDescription": "Изпращайте известия, когато потребителите изпращат нови медийни заявки, които изискват одобрение.",
@@ -459,6 +470,7 @@
"components.ManageSlideOver.manageModalClearMediaWarning": "* Това ще премахне необратимо всички данни за този {mediaType}, включително всички заявки. Ако този елемент съществува във вашата Plex библиотека, медийната информация ще бъде отново създадена по време на следващото сканиране.",
"components.Settings.Notifications.encryptionDefault": "Използвайте STARTTLS, ако има такъв",
"components.Settings.SettingsAbout.uptodate": "Актуално",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Настройките за известяване на LunaSea не успяха да бъдат запазени.",
"components.Settings.Notifications.pgpPassword": "PGP Парола",
"components.RequestModal.QuotaDisplay.requiredquotaUser": "Този потребител трябва да има най-малко <strong>{seasons}</strong> {seasons, plural, one {заявка за сезон} other {заявки за сезони}} оставащи, за да изпрати заявка за този сериал.",
"components.Settings.Notifications.NotificationsWebhook.authheader": "Хедър за удостоверяване",
@@ -470,7 +482,7 @@
"components.Settings.SettingsAbout.totalmedia": "Общо медия",
"components.RegionSelector.regionServerDefault": "По подразбиране ({region})",
"components.PermissionEdit.request4kMovies": "Заявка за 4K филми",
"components.RequestButton.approve4krequests": "Одобри {requestCount, plural, one {4K заявка} other {{requestCount} 4K Заявки}}",
"components.RequestButton.approve4krequests": "Одобрете {requestCount, plural, one {4K заявка} other {{requestCount} 4K Заявки}}",
"components.Discover.FilterSlideover.releaseDate": "Дата на излизане",
"components.Settings.Notifications.webhookUrl": "Webhook URL",
"components.RequestModal.errorediting": "Нещо се обърка при редактирането на заявката.",
@@ -733,7 +745,7 @@
"components.StatusChecker.reloadApp": "Презареди {applicationTitle}",
"components.Settings.toastTautulliSettingsSuccess": "Tautulli настройките са запазени успешно!",
"components.Settings.default4k": "По подразбиране 4К",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorMinutes": "На всяка {jobScheduleMinutes, plural, one {минута} other {{jobScheduleMinutes} минути}}",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorMinutes": "Всяка {jobScheduleMinutes, plural, one {минута} other {{jobScheduleMinutes} минути}}",
"components.Settings.SettingsJobsCache.imagecachesize": "Общ размер на кеша",
"components.Settings.SonarrModal.validationLanguageProfileRequired": "Трябва да изберете езиков профил",
"components.Settings.SonarrModal.loadingTags": "Етикетите се зареждат…",
@@ -816,10 +828,12 @@
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverApplicationToken": "Токън за API към приложение",
"components.UserProfile.UserSettings.UserGeneralSettings.validationDiscordId": "Трябва да предоставите валиден потребителски идентификатор (User ID) в Discord",
"i18n.importing": "Импортиране.…",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Настройките за известяване чрез Web push не успяха да бъдат запазени.",
"components.UserProfile.UserSettings.UserGeneralSettings.plexwatchlistsyncseries": "Автоматична заявка на сериали",
"components.UserList.create": "Създавайте",
"i18n.restartRequired": "Изисква се рестартиране",
"components.Settings.tautulliSettingsDescription": "По желание конфигурирайте настройките за вашия сървър Tautulli. Overseerr извлича данни от хронологията на гледане за вашата Plex медия от Tautulli.",
"components.Settings.copied": "Копиран API ключ в клипборда.",
"i18n.request": "Заявка",
"components.Settings.validationApiKey": "Трябва да предоставите API ключ",
"components.Settings.SonarrModal.editsonarr": "Редактирай Sonarr сървър",
@@ -1055,7 +1069,7 @@
"components.UserProfile.UserSettings.UserGeneralSettings.admin": "Админ",
"components.UserList.userlist": "Списък с потребители",
"components.UserProfile.limit": "{remaining} от {limit}",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorSeconds": "На всяка {jobScheduleSeconds, plural, one {секунда} other {{jobScheduleSeconds} секунда}}",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorSeconds": "Всяка {jobScheduleSeconds, plural, one {секунда} other {{jobScheduleSeconds} секунди}}",
"components.Settings.deleteserverconfirm": "Сигурни ли сте, че искате да изтриете този сървър?",
"components.UserProfile.UserSettings.UserGeneralSettings.applanguage": "Език на дисплея",
"components.TvDetails.watchtrailer": "Гледайте трейлър",
@@ -1143,7 +1157,7 @@
"components.UserList.plexuser": "Plex потребител",
"components.UserProfile.plexwatchlist": "Plex списък за гледане",
"components.TvDetails.streamingproviders": "В момента се излъчва по",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorHours": "На всеки {jobScheduleHours, plural, one {час} other {{jobScheduleHours} часа}}",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorHours": "Всеки {jobScheduleHours, plural, one {час} other {{jobScheduleHours} часа}}",
"components.TvDetails.originaltitle": "Оригинално заглавие",
"components.Settings.noDefault4kServer": "4K {serverType} сървър трябва да бъде маркиран като стандартен, за да може потребителите да изпращат 4K {mediaType} заявки.",
"components.Settings.SettingsUsers.tvRequestLimitLabel": "Глобален лимит за заявка на сериали",
@@ -1151,6 +1165,7 @@
"components.UserProfile.UserSettings.UserGeneralSettings.languageDefault": "По подразбиране ({language})",
"components.Settings.validationUrlBaseTrailingSlash": "URL адресът не трябва да завършва с наклонена черта в края",
"components.Settings.SettingsJobsCache.imagecacheDescription": "Когато е активиран в настройките, Overseerr ще бъде прокси и ще кешира изображения от предварително конфигурирани външни източници. Кешираните изображения се записват във вашата конфигурационна папка. Можете да намерите файловете в <code>{appDataPath}/cache/images</code>.",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Настройките за известяване чрез Web push са запазени успешно!",
"components.UserProfile.UserSettings.UserNotificationSettings.pgpPublicKey": "PGP публичен ключ",
"components.TitleCard.cleardata": "Изчистване на данните",
"components.UserProfile.UserSettings.UserPasswordChange.nopermissionDescription": "Нямате права, за да промените паролата на този потребител.",
@@ -1230,6 +1245,7 @@
"components.Login.validationemailformat": "Изисква се валиден имейл адрес",
"components.Login.username": "Потребителско име",
"components.Login.validationhostformat": "Изисква се валиден URL адрес",
"components.Login.validationHostnameRequired": "Трябва да въведете валидно име на хост или IP адрес",
"components.Login.validationUrlBaseTrailingSlash": "Базовият URL адрес не трябва да завършва с наклонена черта",
"components.Login.validationhostrequired": "Изисква се {mediaServerName} URL адрес",
"components.Login.description": "Тъй като това е първото Ви влизане в {applicationName}, трябва да добавите валиден имейл адрес.",
@@ -1254,95 +1270,5 @@
"components.Login.validationUrlTrailingSlash": "URL адресът не трябва да завършва с наклонена черта",
"components.Login.validationservertyperequired": "Моля изберете тип на сървъра",
"components.Login.validationusernamerequired": "Изисква се потребителско име",
"components.Login.saving": "Добавяне…",
"components.MovieDetails.openradarr": "Отвори филма в Radarr",
"components.Settings.OverrideRuleModal.qualityprofile": "Профил за качество",
"components.Settings.SettingsNetwork.csrfProtectionHoverTip": "НЕ активирайте тази настройка освен ако не знаете какво правите!",
"components.MovieDetails.play": "Пусни на {mediaServerName}",
"components.MovieDetails.watchlistDeleted": "<strong>{title}</strong> Успешно премахнат от листата за гледане!",
"components.Selector.canceled": "Отказано",
"components.Selector.searchUsers": "Избери потребители…",
"components.Settings.OverrideRuleModal.serviceDescription": "Приложи това правило за избраната услуга.",
"components.Settings.SettingsNetwork.toastSettingsFailure": "Нещо се обърка докато запаметявахте настройките.",
"components.Settings.SettingsJobsCache.usersavatars": "Потребителски аватари",
"components.Settings.apiKey": "API ключ",
"components.Settings.SettingsNetwork.proxyBypassFilter": "Игнорирани прокси адреси",
"components.MovieDetails.addtowatchlist": "Добави към листата за гледане",
"components.PermissionEdit.blacklistedItems": "Черен списък за медия.",
"components.Settings.OverrideRuleModal.genres": "Жанрове",
"components.ManageSlideOver.removearr": "Премахни от {arr}",
"components.ManageSlideOver.removearr4k": "Премахни от 4К {arr}",
"components.MovieDetails.downloadstatus": "Статус на сваляне",
"components.MovieDetails.openradarr4k": "Отвори филма в 4К Radarr",
"components.MovieDetails.play4k": "Пусни 4К на {mediaServerName}",
"components.MovieDetails.removefromwatchlist": "Премахни от листата за гледане",
"components.MovieDetails.watchlistError": "Нещо се обърка.Моля опитайте отново.",
"components.MovieDetails.watchlistSuccess": "<strong>{title}</strong> Успешно добавен към листата за гледане!",
"components.RequestList.RequestItem.profileName": "Профил",
"components.RequestList.RequestItem.removearr": "Премахване от {arr}",
"components.Selector.inProduction": "В продукция",
"components.Settings.OverrideRuleModal.conditions": "Състояние",
"components.Settings.OverrideRuleModal.create": "Създайте правило",
"components.Settings.OverrideRuleModal.keywords": "Ключови думи",
"components.Settings.OverrideRuleModal.languages": "Езици",
"components.Settings.OverrideRuleModal.notagoptions": "Без тагове.",
"components.Settings.OverrideRuleModal.selectQualityProfile": "Изберете профил за капество",
"components.Settings.OverrideRuleModal.selectService": "Изберете услуга",
"components.Settings.OverrideRuleModal.selecttags": "Изберете тагове",
"components.Settings.OverrideRuleModal.service": "Услуга",
"components.Settings.OverrideRuleModal.settings": "Настройки",
"components.Settings.OverrideRuleModal.tags": "Тагове",
"components.Settings.OverrideRuleModal.users": "Потребители",
"components.Settings.OverrideRuleTile.genre": "Жанр",
"components.Settings.OverrideRuleTile.keywords": "Ключови думи",
"components.Settings.OverrideRuleTile.language": "Език",
"components.Settings.OverrideRuleTile.qualityprofile": "Профил за капество",
"components.Settings.OverrideRuleTile.settings": "Настройки",
"components.Settings.OverrideRuleTile.tags": "Тагове",
"components.Settings.OverrideRuleTile.users": "Потребители",
"components.Settings.SettingsJobsCache.jellyfin-full-scan": "Пълно сканиране на библиотеката Jellyfin",
"components.Settings.SettingsMain.enableSpecialEpisodes": "Позволи искане за специални епизоди",
"components.Settings.SettingsNetwork.docs": "Документация",
"components.Settings.SettingsNetwork.network": "Мрежа",
"components.Settings.SettingsNetwork.networksettings": "Мрежови настройки",
"components.Settings.SettingsNetwork.proxyPassword": "Прокси парола",
"components.Settings.SettingsNetwork.proxyPort": "Прокси порт",
"components.Settings.SettingsNetwork.proxySsl": "Използвайте SSL за прокси",
"components.Settings.SettingsNetwork.proxyUser": "Прокси потребител",
"components.Settings.SettingsNetwork.toastSettingsSuccess": "Настройките са запаметени успешно!",
"components.Settings.SettingsNetwork.trustProxy": "Активирай прокси поддръжка",
"components.Settings.SettingsNetwork.validationProxyPort": "Трябва да предоставите валиден порт",
"components.Settings.SettingsUsers.loginMethods": "Метод за влизане",
"components.Settings.SettingsUsers.loginMethodsTip": "Настройте методи за влизане напотребителите",
"components.Settings.SettingsUsers.mediaServerLoginTip": "Позволи на потребителите да се вписват с техния {mediaServerName} акаунт",
"components.Settings.Notifications.userEmailRequired": "Изисква потребителски е-майл",
"components.Settings.SettingsAbout.supportjellyseerr": "Поддръжка Jellyseerr",
"components.Settings.jellyfinSettings": "{mediaServerName} Настройки",
"components.Settings.jellyfinSettingsFailure": "Нещо се обърка докато запаметявахте {mediaServerName} настройките.",
"components.Settings.jellyfinSettingsSuccess": "{mediaServerName} настройките са запазени успешно!",
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmailEmpty": "Друг потребител вече използва това потребителско име. Трябва да въведете е-майл",
"components.UserProfile.UserSettings.LinkJellyfinModal.errorExists": "Този акаунт вече е свързан с {applicationName} потребител",
"components.TvDetails.removefromwatchlist": "Премахни от листата за гледане",
"components.UserList.validationUsername": "Трябва да предоставите потребителско име",
"components.UserProfile.UserSettings.LinkJellyfinModal.usernameRequired": "Трябва да предоставите потребителско име",
"components.UserProfile.UserSettings.menuLinkedAccounts": "Свързани акаунти",
"i18n.addToBlacklist": "Добави в черният списък",
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmail": "Този е-майл вече се използва!",
"components.UserProfile.localWatchlist": "Списък за гледане на {username}",
"components.UserProfile.UserSettings.LinkJellyfinModal.errorUnknown": "Появи се непозната грешка",
"components.UserProfile.UserSettings.LinkJellyfinModal.password": "Парола",
"components.UserProfile.UserSettings.LinkJellyfinModal.passwordRequired": "Трябва да предоставите парола",
"components.UserProfile.UserSettings.LinkJellyfinModal.saving": "Добавяне…",
"components.UserProfile.UserSettings.LinkJellyfinModal.username": "Потребителско име",
"components.UserProfile.UserSettings.UserGeneralSettings.email": "Е-майл",
"components.UserProfile.UserSettings.UserGeneralSettings.mediaServerUser": "{mediaServerName} Потребител",
"components.UserProfile.UserSettings.UserGeneralSettings.save": "Запамети промените",
"components.UserProfile.UserSettings.UserGeneralSettings.saving": "Запазване…",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.errorUnknown": "Появи се непозната грешка",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.linkedAccounts": "Свързани акаунти",
"i18n.blacklist": "Черен списък",
"i18n.blacklistError": "Нещо се обърка. Моля опитайте отново.",
"i18n.removeFromBlacklistSuccess": "<strong>{title}</strong> е успешно премахнат от Черния списък.",
"i18n.removefromBlacklist": "Премахни ит Черния списък",
"i18n.specials": "Специални"
"components.Login.saving": "Добавяне…"
}

View File

@@ -463,6 +463,7 @@
"components.Settings.email": "Adreça electrònica",
"components.Settings.default4k": "4K predeterminat",
"components.Settings.default": "Predeterminat",
"components.Settings.copied": "S'ha copiat la clau API al porta-retalls.",
"components.Settings.address": "Adreça",
"components.Settings.addradarr": "Afegeix un servidor Radarr",
"components.Settings.SonarrModal.validationRootFolderRequired": "Heu de seleccionar una carpeta arrel",
@@ -711,7 +712,11 @@
"components.RequestList.RequestItem.editrequest": "Edita la sol·licitud",
"components.UserProfile.UserSettings.UserGeneralSettings.languageDefault": "Predeterminat ({language})",
"components.Settings.Notifications.toastTelegramTestFailed": "No s'ha pogut enviar la notificació de prova de Telegram.",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "No s'ha pogut enviar la notificació de prova de LunaSea.",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "No s'ha pogut desar la configuració de notificacions de LunaSea.",
"components.DownloadBlock.estimatedtime": "{time} de temps estimat",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "La configuració de notificacions de Push Web s'ha desat correctament!",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "No s'ha pogut desar la configuració de notificacions de Push Web.",
"components.UserProfile.UserSettings.UserNotificationSettings.webpush": "Web Push",
"components.UserProfile.UserSettings.UserGeneralSettings.applanguage": "Idioma de visualització",
"components.Settings.webpush": "Web Push",
@@ -745,10 +750,19 @@
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "S'ha enviat la notificació de prova Pushbullet!",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "S'està enviant la notificació de prova de Pushbullet…",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "No s'ha pogut enviar la notificació de prova Pushbullet.",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "URL del Webhook",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Has de proporcionar un URL vàlid",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "S'ha enviat la notificació de prova de LunaSea!",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "S'està enviant la notificació de prova de LunaSea…",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "La configuració de les notificacions de LunaSea s'ha desat correctament!",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Només és necessari si no s'utilitza el perfil <code>default</code>",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Nom de perfil",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Activa l'agent",
"components.PermissionEdit.requestTvDescription": "Concedeix permís per sol·licitar sèries no 4K.",
"components.PermissionEdit.requestTv": "Sol·licita sèries",
"components.PermissionEdit.requestMoviesDescription": "Concedeix permís per sol·licitar pel·lícules no 4K.",
"components.PermissionEdit.requestMovies": "Sol·liciteu pel·lícules",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "El vostre <LunaSeaLink>URL del webhook de notificació</LunaSeaLink> basat en l'usuari o el dispositiu",
"components.UserList.localLoginDisabled": "El paràmetre <strong>Activa l'inici de sessió local</strong> està desactivat actualment.",
"components.Settings.webAppUrlTip": "Opcionalment, dirigiu els usuaris a l'aplicació web del vostre servidor en lloc de l'aplicació web \"allotjada\"",
"components.Settings.webAppUrl": "<WebAppLink>URL de l'aplicació web</WebAppLink>",
@@ -776,6 +790,7 @@
"components.Settings.Notifications.NotificationsSlack.validationTypes": "Heu de seleccionar com a mínim un tipus de notificació",
"components.Settings.Notifications.NotificationsPushover.validationTypes": "Heu de seleccionar com a mínim un tipus de notificació",
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "Heu de seleccionar com a mínim un tipus de notificació",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Heu de seleccionar com a mínim un tipus de notificació",
"components.QuotaSelector.tvRequests": "{quotaLimit} <quotaUnits>{temporades} per {quotaDays} {dies}</quotaUnits>",
"components.QuotaSelector.seasons": "{count, plural, one {temporada} other {temporades}}",
"components.QuotaSelector.movies": "{count, plural, one {pel·lícula} other {pel·lícules}}",

View File

@@ -79,6 +79,9 @@
"components.Settings.Notifications.NotificationsPushover.agentenabled": "Povolit agenta",
"components.Settings.Notifications.NotificationsPushbullet.agentEnabled": "Povolit agenta",
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "Přístupový token",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Jméno profilu",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Povolit agenta",
"components.Search.searchresults": "Výsledky vyhledávání",
"components.ResetPassword.passwordreset": "Obnovení hesla",
"components.ResetPassword.email": "E-mailová adresa",
@@ -594,9 +597,11 @@
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSuccess": "Oznámení o testu Gotify odesláno!",
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "Adresa URL nesmí končit koncovým lomítkem",
"components.Settings.Notifications.NotificationsGotify.validationTypes": "Musíte vybrat alespoň jeden typ oznámení",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "Oznámení o testu LunaSea odesláno!",
"components.Settings.Notifications.NotificationsGotify.validationUrlRequired": "Musíte zadat platnou adresu URL",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "Testovací oznámení Pushbullet odesláno!",
"components.Settings.Notifications.NotificationsPushbullet.validationAccessTokenRequired": "Musíte zadat přístupový token",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Musíte vybrat alespoň jeden typ oznámení",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Odeslání testovacího oznámení Pushbullet…",
"components.Settings.RadarrModal.validationApplicationUrl": "Musíte zadat platnou adresu URL",
"components.Settings.RadarrModal.validationApplicationUrlTrailingSlash": "Adresa URL nesmí končit koncovým lomítkem",
@@ -697,6 +702,7 @@
"components.RequestModal.QuotaDisplay.requiredquota": "Abyste mohli zažádat o tento seriál, musíte mít alespoň <strong>{seasons}</strong> {seasons, plural, one {zbývající žádost o sezónu} few {zbývající žádosti o sezónu} other {zbývajících žádostí o sezónu}}.",
"components.RequestModal.requestfrom": "Žádost od {username} čeká na schválení.",
"components.RequestModal.requesterror": "Při odesílání žádosti se něco pokazilo.",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Vaše adresa URL <LunaSeaLink>notification webhook</LunaSeaLink> pro uživatele nebo zařízení",
"components.Settings.Notifications.toastEmailTestSuccess": "E-mailové oznámení o testu odesláno!",
"components.Settings.RadarrModal.baseUrl": "Základní adresa URL",
"components.Settings.RadarrModal.default4kserver": "Výchozí server 4K",
@@ -725,6 +731,8 @@
"components.RequestBlock.languageprofile": "Jazykový profil",
"components.RequestModal.QuotaDisplay.quotaLinkUser": "Souhrn limitů požadavků tohoto uživatele můžete zobrazit na jeho <ProfileLink>profilové stránce</ProfileLink>.",
"components.Settings.Notifications.NotificationsGotify.token": "Token aplikace",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Testovací oznámení LunaSea se nepodařilo odeslat.",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Musíte zadat platnou adresu URL",
"components.Settings.Notifications.NotificationsPushbullet.channelTag": "Označení kanálu",
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsFailed": "Nastavení oznámení Pushbullet se nepodařilo uložit.",
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "Musíte vybrat alespoň jeden typ oznámení",
@@ -767,6 +775,7 @@
"components.Settings.SonarrModal.validationApplicationUrlTrailingSlash": "Adresa URL nesmí končit koncovým lomítkem",
"components.Settings.addradarr": "Přidání serveru Radarr",
"components.Settings.addsonarr": "Adding a Radarr server",
"components.Settings.copied": "Zkopírování klíče API do schránky.",
"components.Settings.externalUrl": "Externí adresa URL",
"components.Settings.hostname": "Název hostitele nebo IP adresa",
"components.Settings.manualscan": "Manuální skenování knihovny",
@@ -844,6 +853,7 @@
"components.RequestModal.AdvancedRequester.animenote": "* Tento seriál je anime.",
"components.Settings.Notifications.NotificationsPushover.userToken": "Klíč uživatele nebo skupiny",
"components.RequestCard.failedretry": "Při opakovaném pokusu o zadání požadavku se něco pokazilo.",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Vyžaduje se pouze v případě, že nepoužíváte profil <code>default</code>",
"components.RequestCard.mediaerror": "{mediaType} Nenalezeno",
"components.RequestList.RequestItem.mediaerror": "{mediaType} Nenalezeno",
"components.RequestModal.QuotaDisplay.allowedRequests": "Můžete požádat o <strong>{limit}</strong> {type} každé <strong>{days}</strong> dny.",
@@ -856,6 +866,7 @@
"components.Settings.SonarrModal.selectRootFolder": "Vyberte kořenovou složku",
"components.ResetPassword.requestresetlinksuccessmessage": "Na zadanou e-mailovou adresu bude zaslán odkaz pro obnovení hesla, pokud je spojena s platným uživatelem.",
"components.RequestModal.pendingrequest": "Čekající žádost",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "Nastavení oznámení LunaSea úspěšně uloženo!",
"components.Settings.SonarrModal.default4kserver": "Výchozí server 4K",
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverUserKeyTip": "Váš 30znakový <UsersGroupsLink>identifikátor uživatele nebo skupiny</UsersGroupsLink>",
"components.UserProfile.UserSettings.UserNotificationSettings.pushoversettingssaved": "Nastavení oznámení Pushover úspěšně uloženo!",
@@ -867,6 +878,7 @@
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSuccess": "Oznámení o testu Pushover odesláno!",
"components.Settings.Notifications.NotificationsSlack.slacksettingsfailed": "Nastavení oznámení služby Slack se nepodařilo uložit.",
"components.Settings.toastPlexConnectingSuccess": "Připojení k systému Plex úspěšně navázáno!",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Odeslání oznámení o testu LunaSea…",
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Vytvořte token ze svého <PushbulletSettingsLink>Nastavení účtu</PushbulletSettingsLink>",
"components.Settings.Notifications.encryptionTip": "Ve většině případů používá implicitní TLS port 465 a STARTTLS port 587",
"components.Settings.Notifications.toastDiscordTestFailed": "Oznámení o testu Discord se nepodařilo odeslat.",
@@ -875,6 +887,7 @@
"components.TvDetails.firstAirDate": "Datum prvního vysílání",
"components.Settings.RadarrModal.validationApiKeyRequired": "Musíte zadat klíč API",
"components.Settings.toastPlexConnectingFailure": "Nepodařilo se připojit k systému Plex.",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Nastavení oznámení LunaSea se nepodařilo uložit.",
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Registrace aplikace</ApplicationRegistrationLink> pro použití s aplikací Jellyseerr",
"components.Settings.Notifications.NotificationsPushover.validationAccessTokenRequired": "Musíte zadat platný token aplikace",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestFailed": "Testovací oznámení Pushover se nepodařilo odeslat.",
@@ -936,6 +949,7 @@
"components.UserProfile.UserSettings.UserGeneralSettings.validationDiscordId": "Musíte zadat platné ID uživatele služby Discord",
"components.UserProfile.UserSettings.UserNotificationSettings.pgpPublicKey": "Veřejný klíč PGP",
"components.UserProfile.UserSettings.UserNotificationSettings.pgpPublicKeyTip": "Šifrování e-mailových zpráv pomocí <OpenPgpLink>OpenPGP</OpenPgpLink>",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Nastavení webových oznámení push bylo úspěšně uloženo!",
"components.UserProfile.UserSettings.UserNotificationSettings.discordIdTip": "<FindDiscordIdLink>vícemístné identifikační číslo</FindDiscordIdLink> spojené s vaším uživatelským účtem",
"components.UserProfile.UserSettings.UserNotificationSettings.pushbulletAccessToken": "Přístupový token",
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverUserKey": "Klíč uživatele nebo skupiny",
@@ -944,6 +958,7 @@
"components.UserProfile.UserSettings.UserNotificationSettings.pushoversettingsfailed": "Nastavení oznámení Pushover se nepodařilo uložit.",
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverApplicationTokenTip": "<ApplicationRegistrationLink>Registrace aplikace</ApplicationRegistrationLink> pro použití s {applicationTitle}",
"components.UserProfile.UserSettings.UserNotificationSettings.telegramsettingssaved": "Nastavení oznámení Telegramu úspěšně uloženo!",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Nastavení webových push oznámení se nepodařilo uložit.",
"components.UserProfile.UserSettings.UserPasswordChange.noPasswordSet": "Tento uživatelský účet v současné době nemá nastavené heslo. Níže nastavte heslo, aby se tento účet mohl přihlašovat jako \"místní uživatel.\"",
"components.UserProfile.UserSettings.UserPasswordChange.noPasswordSetOwnAccount": "Váš účet v současné době nemá nastavené heslo. Níže nastavte heslo, abyste se mohli přihlásit jako \"místní uživatel\" pomocí své e-mailové adresy.",
"i18n.importing": "Importování…",
@@ -1235,6 +1250,7 @@
"components.Settings.Notifications.validationWebhookRoleId": "Musíte poskytnout platné ID Discord role",
"components.Blacklist.blacklistedby": "{date} uživatelem {user}",
"components.Layout.UserWarnings.passwordRequired": "Heslo je povinné.",
"components.Login.validationHostnameRequired": "Musíte poskytnout platné hostitelské jméno nebo IP adresu",
"components.Selector.searchStatus": "Vyberte status…",
"components.TvDetails.watchlistSuccess": "<strong>{title}</strong> úspěšně přidáno na seznam sledování!",
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> není na černé listině.",

View File

@@ -258,6 +258,7 @@
"components.RegionSelector.regionDefault": "Alle Regioner",
"components.RequestBlock.rootfolder": "Rodmappe",
"components.RequestButton.viewrequest4k": "Vis 4K Forespørgsel",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Aktivér Agent",
"components.RequestModal.seasonnumber": "Sæson {number}",
"components.NotificationTypeSelector.mediadeclinedDescription": "Send notifikationer når medieforespørgsler afvises.",
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "For at kunne modtage web push-notifikationer skal Jellyseerr benytte HTTPS.",
@@ -285,6 +286,9 @@
"components.RequestModal.pending4krequest": "Afventende 4K Forespørgsler",
"components.RequestModal.pendingapproval": "Din forespørgsel afventer godkendelse.",
"components.ResetPassword.resetpasswordsuccessmessage": "Kodeord er nulstillet!",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Profilnavn",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "LunaSea testnotifikation er afsendt!",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Du skal vælge mindst én notifikationstype",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Pushbullet testnotifikation kunne ikke sendes.",
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Registrér en applikation</ApplicationRegistrationLink> til brug med Jellyseerr",
"components.Settings.Notifications.NotificationsPushover.pushoversettingssaved": "Pushover notifikationsindstillinger er blevet gemt!",
@@ -330,6 +334,14 @@
"components.ResetPassword.validationpasswordminchars": "Kodeordet er for kort; det skal være mindst 8 tegn",
"components.ResetPassword.validationpasswordrequired": "Du skal angive et kodeord",
"components.Search.search": "Søg",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Kun påkrævet hvis du benytter en anden profil end <code>default</code>",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "LunaSea notifikationsindstillinger kunne ikke gemmes.",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "LunaSea notifikationsindstillinger er blevet gemt!",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "LunaSea testnotifikation kunne ikke afsendes.",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Sender LunaSea testnotifikation…",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Du skal angive en gyldig URL",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Din bruger- eller enhedsbaserede <LunaSeaLink>webhook URL for notifikationer</LunaSeaLink>",
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "Adgangstoken",
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Opret en token fra dine <PushbulletSettingsLink>Kontoindstillinger</PushbulletSettingsLink>",
"components.Settings.Notifications.NotificationsPushbullet.agentEnabled": "Aktivér Agent",
@@ -583,6 +595,7 @@
"components.Settings.SonarrModal.validationRootFolderRequired": "Du skal angive en rodmappe",
"components.Settings.address": "Adresse",
"components.Settings.addsonarr": "Tilføj Sonarr Server",
"components.Settings.copied": "API-nøgle er kopieret til udklipsholder.",
"components.Settings.currentlibrary": "Nuværende Bibliotek: {name}",
"components.Settings.email": "Email",
"components.Settings.enablessl": "Benyt SSL",
@@ -830,6 +843,8 @@
"components.UserProfile.UserSettings.UserNotificationSettings.validationTelegramChatId": "Du skal angive et gyldigt chat-ID",
"components.UserProfile.UserSettings.UserNotificationSettings.validationDiscordId": "Du skal angive et bruger-ID",
"components.UserProfile.UserSettings.UserNotificationSettings.validationPgpPublicKey": "Du skal angive en gyldig offentlig PGP-nøgle",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Notifikationsindstillingerne for web push kunne ikke gemmes.",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Notifikationsindstillingerne for web push er blevet gemt!",
"components.UserProfile.UserSettings.UserPasswordChange.confirmpassword": "Bekræft Kodeord",
"components.UserProfile.UserSettings.UserPasswordChange.newpassword": "Nyt Kodeord",
"components.UserProfile.UserSettings.UserPasswordChange.noPasswordSet": "Denne brugerkonto har i øjeblikket ikke et kodeord. Konfigurér et kodeord nedenfor så denne konto kan logge ind som en \"lokal bruger.\"",

View File

@@ -16,7 +16,7 @@
"components.Discover.DiscoverWatchlist.watchlist": "Plex Merkliste",
"components.Discover.MovieGenreList.moviegenres": "Film-Genres",
"components.Discover.MovieGenreSlider.moviegenres": "Film-Genres",
"components.Discover.NetworkSlider.networks": "Dienste",
"components.Discover.NetworkSlider.networks": "Sender",
"components.Discover.StudioSlider.studios": "Filmstudio",
"components.Discover.TvGenreList.seriesgenres": "Serien-Genres",
"components.Discover.TvGenreSlider.tvgenres": "Serien-Genres",
@@ -28,17 +28,17 @@
"components.Discover.populartv": "Beliebte Serien",
"components.Discover.recentlyAdded": "Kürzlich hinzugefügt",
"components.Discover.recentrequests": "Bisherige Anfragen",
"components.Discover.trending": "Im Trend",
"components.Discover.trending": "Trends",
"components.Discover.upcoming": "Demnächst erscheinende Filme",
"components.Discover.upcomingmovies": "Demnächst erscheinende Filme",
"components.Discover.upcomingtv": "Demnächst erscheinende Serien",
"components.DownloadBlock.estimatedtime": "Geschätzt {time}",
"components.DownloadBlock.formattedTitle": "{title}: Staffel {seasonNumber} Folge {episodeNumber}",
"components.DownloadBlock.estimatedtime": "Geschätzte {time}",
"components.DownloadBlock.formattedTitle": "{title}: Staffel {seasonNumber} Episode {episodeNumber}",
"components.IssueDetails.IssueComment.areyousuredelete": "Soll dieser Kommentar wirklich gelöscht werden?",
"components.IssueDetails.IssueComment.delete": "Kommentar löschen",
"components.IssueDetails.IssueComment.edit": "Kommentar bearbeiten",
"components.IssueDetails.IssueComment.postedby": "Verfasst {relativeTime} von {username}",
"components.IssueDetails.IssueComment.postedbyedited": "Verfasst {relativeTime} von {username} (Bearbeitet)",
"components.IssueDetails.IssueComment.postedby": "Gepostet {relativeTime} von {username}",
"components.IssueDetails.IssueComment.postedbyedited": "Gepostet {relativeTime} von {username} (Bearbeitet)",
"components.IssueDetails.IssueComment.validationComment": "Du musst eine Nachricht eingeben",
"components.IssueDetails.IssueDescription.deleteissue": "Problem löschen",
"components.IssueDetails.IssueDescription.description": "Beschreibung",
@@ -54,9 +54,9 @@
"components.IssueDetails.episode": "Folge {episodeNumber}",
"components.IssueDetails.issuepagetitle": "Problem",
"components.IssueDetails.issuetype": "Art",
"components.IssueDetails.lastupdated": "Letzte Änderung",
"components.IssueDetails.lastupdated": "Letzte Aktualisierung",
"components.IssueDetails.leavecomment": "Kommentar",
"components.IssueDetails.nocomments": "Es gibt keine Kommentare.",
"components.IssueDetails.nocomments": "Keine Kommentare.",
"components.IssueDetails.openedby": "#{issueId} geöffnet {relativeTime} von {username}",
"components.IssueDetails.openin4karr": "In {arr} 4K öffnen",
"components.IssueDetails.openinarr": "In {arr} öffnen",
@@ -71,8 +71,8 @@
"components.IssueDetails.toasteditdescriptionsuccess": "Problembeschreibung erfolgreich bearbeitet!",
"components.IssueDetails.toastissuedeleted": "Problem erfolgreich gelöscht!",
"components.IssueDetails.toastissuedeletefailed": "Beim Löschen des Problems ist ein Fehler aufgetreten.",
"components.IssueDetails.toaststatusupdated": "Status des Problems erfolgreich aktualisiert!",
"components.IssueDetails.toaststatusupdatefailed": "Beim Aktualisieren des Status des Problems ist ein Fehler aufgetreten.",
"components.IssueDetails.toaststatusupdated": "Problemstatus erfolgreich aktualisiert!",
"components.IssueDetails.toaststatusupdatefailed": "Beim Aktualisieren des Problemstatus ist ein Fehler aufgetreten.",
"components.IssueDetails.unknownissuetype": "Unbekannt",
"components.IssueList.IssueItem.episodes": "{episodeCount, plural, one {Folge} other {Folgen}}",
"components.IssueList.IssueItem.issuestatus": "Status",
@@ -103,29 +103,29 @@
"components.IssueModal.CreateIssueModal.validationMessageRequired": "Du musst eine Beschreibung eingeben",
"components.IssueModal.CreateIssueModal.whatswrong": "Was ist das Problem?",
"components.IssueModal.issueAudio": "Ton",
"components.IssueModal.issueOther": "Sonstige",
"components.IssueModal.issueOther": "Andere",
"components.IssueModal.issueSubtitles": "Untertitel",
"components.IssueModal.issueVideo": "Video",
"components.LanguageSelector.languageServerDefault": "Standard ({language})",
"components.LanguageSelector.originalLanguageDefault": "Alle Sprachen",
"components.Layout.LanguagePicker.displaylanguage": "Anzeigesprache",
"components.Layout.SearchInput.searchPlaceholder": "Nach Filmen & Serien suchen",
"components.Layout.SearchInput.searchPlaceholder": "Nach Filmen und Serien suchen",
"components.Layout.Sidebar.dashboard": "Entdecken",
"components.Layout.Sidebar.issues": "Probleme",
"components.Layout.Sidebar.requests": "Anfragen",
"components.Layout.Sidebar.settings": "Einstellungen",
"components.Layout.Sidebar.users": "Benutzer",
"components.Layout.UserDropdown.MiniQuotaDisplay.movierequests": "Filmanfragen",
"components.Layout.UserDropdown.MiniQuotaDisplay.seriesrequests": "Serienanfragen",
"components.Layout.UserDropdown.MiniQuotaDisplay.movierequests": "Film-Anfragen",
"components.Layout.UserDropdown.MiniQuotaDisplay.seriesrequests": "Serien-Anfragen",
"components.Layout.UserDropdown.myprofile": "Profil",
"components.Layout.UserDropdown.requests": "Anfragen",
"components.Layout.UserDropdown.settings": "Einstellungen",
"components.Layout.UserDropdown.signout": "Abmelden",
"components.Layout.VersionStatus.commitsbehind": "{commitsBehind} {commitsBehind, plural, one {Version} other {Versionen}} hinterher",
"components.Layout.VersionStatus.outofdate": "Veraltet",
"components.Layout.VersionStatus.streamdevelop": "Jellyseerr (Entwicklung)",
"components.Layout.VersionStatus.streamstable": "Jellyseerr (Stabil)",
"components.Login.email": "E-Mail-Adresse",
"components.Layout.VersionStatus.streamdevelop": "Jellyseerr Entwicklung",
"components.Layout.VersionStatus.streamstable": "Jellyseerr stabil",
"components.Login.email": "E-Mail Adresse",
"components.Login.forgotpassword": "Passwort vergessen?",
"components.Login.loginerror": "Beim Anmelden ist etwas schief gelaufen.",
"components.Login.password": "Passwort",
@@ -172,60 +172,60 @@
"components.MovieDetails.originaltitle": "Originaltitel",
"components.MovieDetails.overview": "Übersicht",
"components.MovieDetails.overviewunavailable": "Übersicht nicht verfügbar.",
"components.MovieDetails.physicalrelease": "Physische Veröffentlichung",
"components.MovieDetails.productioncountries": "Produktions{countryCount, plural, one {land} other {länder}}",
"components.MovieDetails.physicalrelease": "DVD/Bluray-Veröffentlichung",
"components.MovieDetails.productioncountries": "Produktions {countryCount, plural, one {Land} other {Länder}}",
"components.MovieDetails.recommendations": "Empfehlungen",
"components.MovieDetails.releasedate": "{releaseCount, plural, one {Erscheinungsdatum} other {Erscheinungsdatum}}",
"components.MovieDetails.releasedate": "{releaseCount, plural, one {Veröffentlichungstermin} other {Veröffentlichungstermine}}",
"components.MovieDetails.reportissue": "Problem melden",
"components.MovieDetails.revenue": "Einnahmen",
"components.MovieDetails.rtaudiencescore": "Rotten Tomatoes - Nutzerwertung",
"components.MovieDetails.rtcriticsscore": "Rotten Tomatoes - Tomatometer",
"components.MovieDetails.rtaudiencescore": "Rotten Tomatoes Publikumswertung",
"components.MovieDetails.rtcriticsscore": "Rotten Tomatoes Tomatometer",
"components.MovieDetails.runtime": "{minutes} Minuten",
"components.MovieDetails.showless": "Weniger Anzeigen",
"components.MovieDetails.showmore": "Mehr Anzeigen",
"components.MovieDetails.similar": "Ähnliche Titel",
"components.MovieDetails.streamingproviders": "Derzeit verfügbar auf",
"components.MovieDetails.streamingproviders": "Streamt derzeit auf",
"components.MovieDetails.studio": "{studioCount, plural, one {Studio} other {Studios}}",
"components.MovieDetails.theatricalrelease": "Kinostart",
"components.MovieDetails.tmdbuserscore": "TMDB - Nutzerwertung",
"components.MovieDetails.tmdbuserscore": "TMDB-Nutzerwertung",
"components.MovieDetails.viewfullcrew": "Komplette Crew anzeigen",
"components.MovieDetails.watchtrailer": "Trailer ansehen",
"components.NotificationTypeSelector.adminissuecommentDescription": "Benachrichtigung erhalten, wenn andere Benutzer Kommentare zu Problemen verfassen.",
"components.NotificationTypeSelector.adminissuereopenedDescription": "Benachrichtigung erhalten, wenn Probleme von anderen Benutzern wieder geöffnet werden.",
"components.NotificationTypeSelector.adminissueresolvedDescription": "Benachrichtigung erhalten, wenn Probleme von anderen Benutzern gelöst werden.",
"components.NotificationTypeSelector.adminissuecommentDescription": "Sende eine Benachrichtigung, wenn andere Benutzer Kommentare zu Problemen abgeben.",
"components.NotificationTypeSelector.adminissuereopenedDescription": "Sende eine Benachrichtigung, wenn Probleme von anderen Benutzern wieder geöffnet werden.",
"components.NotificationTypeSelector.adminissueresolvedDescription": "Sende eine Benachrichtigung, wenn andere Benutzer Kommentare zu Themen abgeben.",
"components.NotificationTypeSelector.issuecomment": "Problem Kommentar",
"components.NotificationTypeSelector.issuecommentDescription": "Benachrichtigung erhalten, wenn Probleme neue Kommentare erhalten.",
"components.NotificationTypeSelector.issuecommentDescription": "Sende eine Benachrichtigungen, wenn Probleme neue Kommentare erhalten.",
"components.NotificationTypeSelector.issuecreated": "Problem gemeldet",
"components.NotificationTypeSelector.issuecreatedDescription": "Benachrichtigung erhalten, wenn Probleme gemeldet werden.",
"components.NotificationTypeSelector.issuecreatedDescription": "Senden eine Benachrichtigungen, wenn Probleme gemeldet werden.",
"components.NotificationTypeSelector.issuereopened": "Problem wiedereröffnet",
"components.NotificationTypeSelector.issuereopenedDescription": "Benachrichtigung erhalten, wenn Probleme wieder geöffnet werden.",
"components.NotificationTypeSelector.issuereopenedDescription": "Sende eine Benachrichtigung, wenn Probleme wieder geöffnet werden.",
"components.NotificationTypeSelector.issueresolved": "Problem gelöst",
"components.NotificationTypeSelector.issueresolvedDescription": "Benachrichtigung erhalten, wenn Probleme gelöst sind.",
"components.NotificationTypeSelector.issueresolvedDescription": "Senden Benachrichtigungen, wenn Probleme gelöst sind.",
"components.NotificationTypeSelector.mediaAutoApproved": "Anfrage automatisch genehmigt",
"components.NotificationTypeSelector.mediaAutoApprovedDescription": "Benachrichtigung erhalten, wenn das angeforderte Medium automatisch genehmigt wird.",
"components.NotificationTypeSelector.mediaAutoApprovedDescription": "Sende eine Benachrichtigung, wenn das angeforderte Medium automatisch genehmigt wird.",
"components.NotificationTypeSelector.mediaapproved": "Anfrage genehmigt",
"components.NotificationTypeSelector.mediaapprovedDescription": "Benachrichtigung erhalten, wenn angeforderte Medien manuell genehmigt wurden.",
"components.NotificationTypeSelector.mediaapprovedDescription": "Sende Benachrichtigungen, wenn angeforderte Medien manuell genehmigt wurden.",
"components.NotificationTypeSelector.mediaautorequested": "Anfrage automatisch übermittelt",
"components.NotificationTypeSelector.mediaautorequestedDescription": "Benachrichtigung erhalten, wenn neue Medienanfragen für Objekte auf deiner Merkliste automatisch übermittelt werden.",
"components.NotificationTypeSelector.mediaautorequestedDescription": "Erhalten eine Benachrichtigung, wenn neue Medienanfragen für Objekte auf deiner Merkliste automatisch übermittelt werden.",
"components.NotificationTypeSelector.mediaavailable": "Anfrage verfügbar",
"components.NotificationTypeSelector.mediaavailableDescription": "Benachrichtigung erhalten, wenn angeforderte Medien verfügbar werden.",
"components.NotificationTypeSelector.mediaavailableDescription": "Sendet Benachrichtigungen, wenn angeforderte Medien verfügbar werden.",
"components.NotificationTypeSelector.mediadeclined": "Anfrage abgelehnt",
"components.NotificationTypeSelector.mediadeclinedDescription": "Benachrichtigung erhalten, wenn Medienanfragen abgelehnt wurden.",
"components.NotificationTypeSelector.mediadeclinedDescription": "Sende eine Benachrichtigungen, wenn Medienanfragen abgelehnt wurden.",
"components.NotificationTypeSelector.mediafailed": "Anfrageverarbeitung fehlgeschlagen",
"components.NotificationTypeSelector.mediafailedDescription": "Benachrichtigungen senden, wenn angeforderte Medien nicht zu Radarr oder Sonarr hinzugefügt werden konnten.",
"components.NotificationTypeSelector.mediafailedDescription": "Sende Benachrichtigungen, wenn angeforderte Medien nicht zu Radarr oder Sonarr hinzugefügt werden konnten.",
"components.NotificationTypeSelector.mediarequested": "Anfrage in Bearbeitung",
"components.NotificationTypeSelector.mediarequestedDescription": "Benachrichtigungen senden, wenn neue Medien angefordert wurden und auf Genehmigung warten.",
"components.NotificationTypeSelector.mediarequestedDescription": "Sende Benachrichtigungen, wenn neue Medien angefordert wurden und auf Genehmigung warten.",
"components.NotificationTypeSelector.notificationTypes": "Benachrichtigungstypen",
"components.NotificationTypeSelector.userissuecommentDescription": "Benachrichtigung erhalten, wenn dein Problem neue Kommentare erhält.",
"components.NotificationTypeSelector.userissuecreatedDescription": "Benachrichtigung erhalten, wenn andere Benutzer Probleme melden.",
"components.NotificationTypeSelector.userissuereopenedDescription": "Benachrichtigung erhalten, wenn von dir gemeldete Probleme wieder geöffnet werden.",
"components.NotificationTypeSelector.userissueresolvedDescription": "Benachrichtigung erhalten, wenn dein Problem gelöst wurde.",
"components.NotificationTypeSelector.usermediaAutoApprovedDescription": "Benachrichtigung erhalten, wenn andere Benutzer neue Medienanfragen stellen, die automatisch genehmigt werden.",
"components.NotificationTypeSelector.usermediaapprovedDescription": "Benachrichtigung erhalten, wenn deine Medienanfragen genehmigt werden.",
"components.NotificationTypeSelector.usermediaavailableDescription": "Benachrichtigung erhalten, wenn deine Medienanfragen verfügbar sind.",
"components.NotificationTypeSelector.usermediadeclinedDescription": "Benachrichtigung erhalten, wenn deine Medienanfrage abgelehnt wurde.",
"components.NotificationTypeSelector.usermediafailedDescription": "Benachrichtigung erhalten, wenn die angeforderten Medien bei der Hinzufügung zu Radarr oder Sonarr fehlschlagen.",
"components.NotificationTypeSelector.usermediarequestedDescription": "Benachrichtigung erhalten, wenn andere Nutzer eine Medie anfordern, welches eine Genehmigung erfordert.",
"components.NotificationTypeSelector.userissuecommentDescription": "Sende eine Benachrichtigung, wenn dein Problem neue Kommentare erhält.",
"components.NotificationTypeSelector.userissuecreatedDescription": "Lassen dich benachrichtigen, wenn andere Benutzer Probleme melden.",
"components.NotificationTypeSelector.userissuereopenedDescription": "Sende eine Benachrichtigung, wenn die von dir gemeldeten Probleme wieder geöffnet werden.",
"components.NotificationTypeSelector.userissueresolvedDescription": "Sende eine Benachrichtigung, wenn dein Problem gelöst wurde.",
"components.NotificationTypeSelector.usermediaAutoApprovedDescription": "Werde benachrichtigt, wenn andere Nutzer Medien anfordern, welche automatisch angenommen werden.",
"components.NotificationTypeSelector.usermediaapprovedDescription": "Werde benachrichtigt, wenn deine Medienanfrage angenommen wurde.",
"components.NotificationTypeSelector.usermediaavailableDescription": "Sende eine Benachrichtigung, wenn deine Medienanfragen verfügbar sind.",
"components.NotificationTypeSelector.usermediadeclinedDescription": "Werde benachrichtigt, wenn deine Medienanfrage abgelehnt wurde.",
"components.NotificationTypeSelector.usermediafailedDescription": "Werde benachrichtigt, wenn die angeforderten Medien bei der Hinzufügung zu Radarr oder Sonarr fehlschlagen.",
"components.NotificationTypeSelector.usermediarequestedDescription": "Werde benachrichtigt, wenn andere Nutzer eine Medie anfordern, welches eine Genehmigung erfordert.",
"components.PermissionEdit.admin": "Admin",
"components.PermissionEdit.adminDescription": "Voller Administratorzugriff. Umgeht alle anderen Rechteabfragen.",
"components.PermissionEdit.advancedrequest": "Erweiterte Anfragen",
@@ -242,7 +242,7 @@
"components.PermissionEdit.autoapproveMoviesDescription": "Autorisierung der automatischen Freigabe von Anfragen für nicht-4K-Filme.",
"components.PermissionEdit.autoapproveSeries": "Automatische Genehmigung von Serien",
"components.PermissionEdit.autoapproveSeriesDescription": "Autorisierung der automatischen Freigabe von Anfragen für nicht-4K-Serien.",
"components.PermissionEdit.autorequest": "Automatische Anfrage aus Plex Merkliste",
"components.PermissionEdit.autorequest": "Automatische Anfrage aus Plex-Merkliste",
"components.PermissionEdit.autorequestDescription": "Autorisierung zur automatischen Anfrage von Nicht-4K-Medien über die Plex Merkliste.",
"components.PermissionEdit.autorequestMovies": "Filme automatisch anfragen",
"components.PermissionEdit.autorequestMoviesDescription": "Autorisierung zur automatischen Anfrage von Nicht-4K-Medien über die Plex Merkliste.",
@@ -297,7 +297,7 @@
"components.RequestBlock.languageprofile": "Sprachprofil",
"components.RequestBlock.lastmodifiedby": "Zuletzt geändert von",
"components.RequestBlock.profilechanged": "Qualitätsprofil",
"components.RequestBlock.requestdate": "Anfragedatum",
"components.RequestBlock.requestdate": "Anfrage-Datum",
"components.RequestBlock.requestedby": "Angefragt von",
"components.RequestBlock.requestoverrides": "Anfrage Überschreibungen",
"components.RequestBlock.rootfolder": "Stammordner",
@@ -323,7 +323,7 @@
"components.RequestCard.failedretry": "Beim erneuten Versuch die Anfrage zu senden ist ein Fehler aufgetreten.",
"components.RequestCard.mediaerror": "{mediaType} wurde nicht gefunden",
"components.RequestCard.seasons": "{seasonCount, plural, one {Staffel} other {Staffeln}}",
"components.RequestCard.tmdbid": "TMDB ID",
"components.RequestCard.tmdbid": "TMDB-ID",
"components.RequestCard.tvdbid": "TheTVDB-ID",
"components.RequestCard.unknowntitle": "Unbekannter Titel",
"components.RequestList.RequestItem.cancelRequest": "Anfrage abbrechen",
@@ -336,11 +336,11 @@
"components.RequestList.RequestItem.requested": "Angefragt",
"components.RequestList.RequestItem.requesteddate": "Angefordert",
"components.RequestList.RequestItem.seasons": "{seasonCount, plural, one {Staffel} other {Staffeln}}",
"components.RequestList.RequestItem.tmdbid": "TMDB ID",
"components.RequestList.RequestItem.tmdbid": "TMDB-ID",
"components.RequestList.RequestItem.tvdbid": "TheTVDB-ID",
"components.RequestList.RequestItem.unknowntitle": "Unbekannter Titel",
"components.RequestList.requests": "Anfragen",
"components.RequestList.showallrequests": "Alle Anfragen anzeigen",
"components.RequestList.showallrequests": "Zeige alle Anfragen",
"components.RequestList.sortAdded": "Zuletzt angefragt",
"components.RequestList.sortModified": "Zuletzt geändert",
"components.RequestModal.AdvancedRequester.advancedoptions": "Erweiterte Einstellungen",
@@ -402,8 +402,8 @@
"components.RequestModal.selectmovies": "Wähle Film(e)",
"components.RequestModal.selectseason": "Staffel(n) Auswählen",
"components.ResetPassword.confirmpassword": "Passwort bestätigen",
"components.ResetPassword.email": "E-Mail-Adresse",
"components.ResetPassword.emailresetlink": "Wiederherstellungs-Link an E-Mail-Adresse senden",
"components.ResetPassword.email": "E-Mail Adresse",
"components.ResetPassword.emailresetlink": "Wiederherstellungs-Link per E-Mail senden",
"components.ResetPassword.gobacklogin": "Zurück zur Anmeldeseite",
"components.ResetPassword.password": "Passwort",
"components.ResetPassword.passwordreset": "Passwort zurücksetzen",
@@ -412,7 +412,7 @@
"components.ResetPassword.resetpasswordsuccessmessage": "Passwort wurde erfolgreich zurückgesetzt!",
"components.ResetPassword.validationemailrequired": "Du musst eine gültige E-Mail Adresse angeben",
"components.ResetPassword.validationpasswordmatch": "Passwörter müssen übereinstimmen",
"components.ResetPassword.validationpasswordminchars": "Das Passwort ist zu kurz, es sollte mindestens 8 Zeichen lang sein",
"components.ResetPassword.validationpasswordminchars": "Passwort ist zu kurz; es sollte mindestens 8 Zeichen lang sein",
"components.ResetPassword.validationpasswordrequired": "Du musst ein Passwort angeben",
"components.Search.search": "Suchen",
"components.Search.searchresults": "Suchergebnisse",
@@ -428,25 +428,37 @@
"components.Settings.Notifications.NotificationsGotify.validationTypes": "Es muss mindestens eine Benachrichtigungsart ausgewählt werden",
"components.Settings.Notifications.NotificationsGotify.validationUrlRequired": "Es muss eine gültige URL angegeben werden",
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "URL darf nicht mit einem abschließenden Schrägstrich enden",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Dienst aktivieren",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Profil Name",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Wird nur benötigt wenn <code>default</code> Profil nicht verwendet wird",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "LunaSea Benachrichtigungseinstellungen konnten nicht gespeichert werden.",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "LunaSea Benachrichtigungseinstellungen wurden gespeichert!",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "LunaSea Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "LunaSea Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "LunaSea Test Benachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Sie müssen mindestens einen Benachrichtigungstypen auswählen",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Geben sie eine gültige URL an",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Deine Benutzer oder Geräte basierende <LunaSeaLink>Benachrichtigungs-Webhook URL</LunaSeaLink>",
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "Zugangstoken",
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Erstelle ein Token in deinen <PushbulletSettingsLink>Kontoeinstellungen</PushbulletSettingsLink>",
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Erstellen Sie einen Token in Ihren <PushbulletSettingsLink>Account Einstellungen</PushbulletSettingsLink>",
"components.Settings.Notifications.NotificationsPushbullet.agentEnabled": "Agent aktivieren",
"components.Settings.Notifications.NotificationsPushbullet.channelTag": "Channel Tag",
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsFailed": "Pushbullet-Benachrichtigungseinstellungen konnten nicht gespeichert werden.",
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsSaved": "Pushbullet-Benachrichtigungseinstellungen erfolgreich gespeichert!",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Pushbullet Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Pushbullet Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "Pushbullet Testbenachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Pushbullet Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Pushbullet Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "Pushbullet Test Benachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsPushbullet.validationAccessTokenRequired": "Du musst ein Zugangstoken angeben",
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "Es muss mindestens ein Benachrichtigungstyp ausgewählt sein",
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "Sie müssen mindestens einen Benachrichtigungstypen auswählen",
"components.Settings.Notifications.NotificationsPushover.accessToken": "Anwendungs API-Token",
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Registriere eine Anwendung</ApplicationRegistrationLink> , um diese mit Jellyseerr benutzen zu können",
"components.Settings.Notifications.NotificationsPushover.agentenabled": "Agent aktivieren",
"components.Settings.Notifications.NotificationsPushover.pushoversettingsfailed": "Pushover-Benachrichtigungseinstellungen konnten nicht gespeichert werden.",
"components.Settings.Notifications.NotificationsPushover.pushoversettingssaved": "Pushover-Benachrichtigungseinstellungen erfolgreich gespeichert!",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestFailed": "Pushover Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSending": "Pushover Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSuccess": "Pushover Testbenachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestFailed": "Pushover Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSending": "Pushover Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSuccess": "Pushover Test Benachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsPushover.userToken": "Benutzer- oder Gruppenschlüssel",
"components.Settings.Notifications.NotificationsPushover.userTokenTip": "Ihr 30-stelliger <UsersGroupsLink>Nutzer oder Gruppen Identifikator</UsersGroupsLink>",
"components.Settings.Notifications.NotificationsPushover.validationAccessTokenRequired": "Du musst ein gültiges Anwendungstoken angeben",
@@ -455,18 +467,18 @@
"components.Settings.Notifications.NotificationsSlack.agentenabled": "Agent aktivieren",
"components.Settings.Notifications.NotificationsSlack.slacksettingsfailed": "Slack-Benachrichtigungseinstellungen konnten nicht gespeichert werden.",
"components.Settings.Notifications.NotificationsSlack.slacksettingssaved": "Slack-Benachrichtigungseinstellungen erfolgreich gespeichert!",
"components.Settings.Notifications.NotificationsSlack.toastSlackTestFailed": "Slack Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSending": "Slack Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSuccess": "Slack Testbenachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsSlack.toastSlackTestFailed": "Slack Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSending": "Slack Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSuccess": "Slack Test Benachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsSlack.validationTypes": "Du musst mindestens einen Benachrichtigungstypen auswählen",
"components.Settings.Notifications.NotificationsSlack.validationWebhookUrl": "Du musst eine gültige URL angeben",
"components.Settings.Notifications.NotificationsSlack.webhookUrl": "Webhook URL",
"components.Settings.Notifications.NotificationsSlack.webhookUrlTip": "Erstelle eine <WebhookLink>Eingehende Webhook</WebhookLink> integration",
"components.Settings.Notifications.NotificationsWebPush.agentenabled": "Agent aktivieren",
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "Jellyseerr muss via HTTPS bereitgestellt werden, um Web-Push Benachrichtigungen empfangen zu können.",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestFailed": "Web push Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSending": "Web push Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSuccess": "Web push Testbenachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestFailed": "Web push Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSending": "Web push Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSuccess": "Web push Test Benachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsWebPush.webpushsettingsfailed": "Web push Benachrichtigungseinstellungen konnten nicht gespeichert werden.",
"components.Settings.Notifications.NotificationsWebPush.webpushsettingssaved": "Web push Benachrichtigungseinstellungen erfolgreich gespeichert!",
"components.Settings.Notifications.NotificationsWebhook.agentenabled": "Dienst aktivieren",
@@ -475,9 +487,9 @@
"components.Settings.Notifications.NotificationsWebhook.resetPayload": "Auf Standard zurücksetzen",
"components.Settings.Notifications.NotificationsWebhook.resetPayloadSuccess": "JSON-Inhalt erfolgreich zurückgesetzt!",
"components.Settings.Notifications.NotificationsWebhook.templatevariablehelp": "Hilfe zu Vorlagenvariablen",
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestFailed": "Webhook Testbenachrichtigung konnte nicht gesendet werden.",
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSending": "Webhook Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSuccess": "Webhook Testbenachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestFailed": "Webhook Test Benachrichtigung konnte nicht gesendet werden.",
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSending": "Webhook Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSuccess": "Webhook Test Benachrichtigung gesendet!",
"components.Settings.Notifications.NotificationsWebhook.validationJsonPayloadRequired": "Du musst einen gültigen JSON-Inhalt angeben",
"components.Settings.Notifications.NotificationsWebhook.validationTypes": "Du musst mindestens einen Benachrichtigungstypen auswählen",
"components.Settings.Notifications.NotificationsWebhook.validationWebhookUrl": "Du musst eine gültige URL angeben",
@@ -511,22 +523,22 @@
"components.Settings.Notifications.pgpPasswordTip": "Signiere verschlüsselte E-Mail-Nachrichten mit <OpenPgpLink>OpenPGP</OpenPgpLink>",
"components.Settings.Notifications.pgpPrivateKey": "PGP Privater Schlüssel",
"components.Settings.Notifications.pgpPrivateKeyTip": "Signiere verschlüsselte E-Mail-Nachrichten mit <OpenPgpLink>OpenPGP</OpenPgpLink>",
"components.Settings.Notifications.sendSilently": "Lautlos senden",
"components.Settings.Notifications.sendSilently": "Sende stumm",
"components.Settings.Notifications.sendSilentlyTip": "Sende Benachrichtigungen ohne Ton",
"components.Settings.Notifications.senderName": "Absendername",
"components.Settings.Notifications.smtpHost": "SMTP-Host",
"components.Settings.Notifications.smtpPort": "SMTP-Port",
"components.Settings.Notifications.telegramsettingsfailed": "Telegram-Benachrichtigungseinstellungen konnten nicht gespeichert werden.",
"components.Settings.Notifications.telegramsettingssaved": "Telegram-Benachrichtigungseinstellungen erfolgreich gespeichert!",
"components.Settings.Notifications.toastDiscordTestFailed": "Discord Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.toastDiscordTestSending": "Discord Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.toastDiscordTestSuccess": "Discord Testbenachrichtigung gesendet!",
"components.Settings.Notifications.toastEmailTestFailed": "E-Mail Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.toastEmailTestSending": "Email Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.toastEmailTestSuccess": "Email Testbenachrichtigung gesendet!",
"components.Settings.Notifications.toastTelegramTestFailed": "Telegram Testbenachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.toastTelegramTestSending": "Telegram Testbenachrichtigung wird gesendet…",
"components.Settings.Notifications.toastTelegramTestSuccess": "Telegram Testbenachrichtigung gesendet!",
"components.Settings.Notifications.toastDiscordTestFailed": "Discord Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.toastDiscordTestSending": "Discord Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.toastDiscordTestSuccess": "Discord Test Benachrichtigung gesendet!",
"components.Settings.Notifications.toastEmailTestFailed": "E-Mail Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.toastEmailTestSending": "Email Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.toastEmailTestSuccess": "Email Test Benachrichtigung gesendet!",
"components.Settings.Notifications.toastTelegramTestFailed": "Telegram Test Benachrichtigung fehlgeschlagen.",
"components.Settings.Notifications.toastTelegramTestSending": "Telegram Test Benachrichtigung wird gesendet…",
"components.Settings.Notifications.toastTelegramTestSuccess": "Telegram Test Benachrichtigung gesendet!",
"components.Settings.Notifications.validationBotAPIRequired": "Du musst ein Bot-Autorisierungstoken angeben",
"components.Settings.Notifications.validationChatIdRequired": "Du musst eine gültige Chat-ID angeben",
"components.Settings.Notifications.validationEmail": "Du musst eine gültige E-Mail-Adresse angeben",
@@ -567,13 +579,13 @@
"components.Settings.RadarrModal.selecttags": "Tags auswählen",
"components.Settings.RadarrModal.server4k": "4K-Server",
"components.Settings.RadarrModal.servername": "Servername",
"components.Settings.RadarrModal.ssl": "SSL verwenden",
"components.Settings.RadarrModal.ssl": "SSL aktivieren",
"components.Settings.RadarrModal.syncEnabled": "Scannen aktivieren",
"components.Settings.RadarrModal.tags": "Tags",
"components.Settings.RadarrModal.testFirstQualityProfiles": "Teste die Verbindung, um Qualitätsprofile zu laden",
"components.Settings.RadarrModal.testFirstRootFolders": "Teste die Verbindung, um Stammordner zu laden",
"components.Settings.RadarrModal.testFirstTags": "Teste die Verbindung, um Tags zu laden",
"components.Settings.RadarrModal.toastRadarrTestFailure": "Die Verbindung zu Radarr fehlgeschlagen.",
"components.Settings.RadarrModal.testFirstTags": "Teste Verbindung, um Tags zu laden",
"components.Settings.RadarrModal.toastRadarrTestFailure": "Verbindung zu Radarr fehlgeschlagen.",
"components.Settings.RadarrModal.toastRadarrTestSuccess": "Radarr-Verbindung erfolgreich hergestellt!",
"components.Settings.RadarrModal.validationApiKeyRequired": "Du musst einen API-Schlüssel angeben",
"components.Settings.RadarrModal.validationApplicationUrl": "Du musst eine gültige URL angeben",
@@ -595,7 +607,7 @@
"components.Settings.SettingsAbout.Releases.viewongithub": "Auf GitHub anzeigen",
"components.Settings.SettingsAbout.about": "Über",
"components.Settings.SettingsAbout.appDataPath": "Datenverzeichnis",
"components.Settings.SettingsAbout.betawarning": "BETA-Software: Funktionen können fehlerhaft oder instabil sein. Probleme bitte auf GitHub melden!",
"components.Settings.SettingsAbout.betawarning": "Das ist eine BETA Software. Einige Funktionen könnten nicht richtig/stabil funktionieren. Bitte sämtliche Fehler auf GitHub melden!",
"components.Settings.SettingsAbout.documentation": "Dokumentation",
"components.Settings.SettingsAbout.gettingsupport": "Hilfe erhalten",
"components.Settings.SettingsAbout.githubdiscussions": "GitHub-Diskussionen",
@@ -603,8 +615,8 @@
"components.Settings.SettingsAbout.outofdate": "Veraltet",
"components.Settings.SettingsAbout.overseerrinformation": "Über Jellyseerr",
"components.Settings.SettingsAbout.preferredmethod": "Bevorzugt",
"components.Settings.SettingsAbout.runningDevelop": "Es wird der <code>develop</code>-Branch von Jellyseerr verwendet, der nur für Mitwirkende an der Entwicklung oder für Tests der neuesten Funktionen empfohlen wird.",
"components.Settings.SettingsAbout.supportoverseerr": "Overseerr unterstützen",
"components.Settings.SettingsAbout.runningDevelop": "Sie benutzen den Branch<code>develop</code> von Jellyseerr, welcher nur für Entwickler, bzw. \"Bleeding-Edge\" Tests empfohlen wird.",
"components.Settings.SettingsAbout.supportoverseerr": "Unterstütze Overseerr",
"components.Settings.SettingsAbout.timezone": "Zeitzone",
"components.Settings.SettingsAbout.totalmedia": "Medien insgesamt",
"components.Settings.SettingsAbout.totalrequests": "Anfragen insgesamt",
@@ -717,14 +729,14 @@
"components.Settings.SonarrModal.selecttags": "Wähle Tags",
"components.Settings.SonarrModal.server4k": "4K-Server",
"components.Settings.SonarrModal.servername": "Servername",
"components.Settings.SonarrModal.ssl": "SSL verwenden",
"components.Settings.SonarrModal.ssl": "SSL aktivieren",
"components.Settings.SonarrModal.syncEnabled": "Scannen aktivieren",
"components.Settings.SonarrModal.tags": "Tags",
"components.Settings.SonarrModal.testFirstLanguageProfiles": "Teste die Verbindung zum Laden von Sprachprofilen",
"components.Settings.SonarrModal.testFirstQualityProfiles": "Teste die Verbindung, um Qualitätsprofile zu laden",
"components.Settings.SonarrModal.testFirstRootFolders": "Teste die Verbindung, um Stammordner zu laden",
"components.Settings.SonarrModal.testFirstTags": "Teste die Verbindung, um Tags zu laden",
"components.Settings.SonarrModal.toastSonarrTestFailure": "Die Verbindung zu Sonarr ist fehlgeschlagen.",
"components.Settings.SonarrModal.testFirstTags": "Teste Verbindung, um Tags zu laden",
"components.Settings.SonarrModal.toastSonarrTestFailure": "Verbindung zu Sonarr fehlgeschlagen.",
"components.Settings.SonarrModal.toastSonarrTestSuccess": "Sonarr-Verbindung erfolgreich hergestellt!",
"components.Settings.SonarrModal.validationApiKeyRequired": "Du musst einen API-Schlüssel angeben",
"components.Settings.SonarrModal.validationApplicationUrl": "Du musst eine gültige URL angeben",
@@ -743,13 +755,14 @@
"components.Settings.addsonarr": "Sonarr Server hinzufügen",
"components.Settings.advancedTooltip": "Bei falscher Konfiguration dieser Einstellung, kann dies zu einer Funktionsstörung führen",
"components.Settings.cancelscan": "Durchsuchung abbrechen",
"components.Settings.copied": "API-Schlüssel in die Zwischenablage kopiert.",
"components.Settings.currentlibrary": "Aktuelle Bibliothek: {name}",
"components.Settings.default": "Standardmäßig",
"components.Settings.default4k": "Standard-4K",
"components.Settings.deleteServer": "{serverType} Server löschen",
"components.Settings.deleteserverconfirm": "Bist du sicher, dass du diesen Server löschen möchtest?",
"components.Settings.email": "E-Mail",
"components.Settings.enablessl": "SSL verwenden",
"components.Settings.enablessl": "SSL aktivieren",
"components.Settings.experimentalTooltip": "Die Aktivierung dieser Einstellung kann zu einem unerwarteten Verhalten der Anwendung führen",
"components.Settings.externalUrl": "Externe URL",
"components.Settings.hostname": "Hostname oder IP-Adresse",
@@ -840,16 +853,16 @@
"components.StatusChecker.restartRequiredDescription": "Starte bitte den Server neu, um die aktualisierten Einstellungen zu übernehmen.",
"components.TitleCard.cleardata": "Daten löschen",
"components.TitleCard.mediaerror": "{mediaType} wurde nicht gefunden",
"components.TitleCard.tmdbid": "TMDB ID",
"components.TitleCard.tmdbid": "TMDB-ID",
"components.TitleCard.tvdbid": "TheTVDB-ID",
"components.TvDetails.Season.noepisodes": "Liste der Folgen nicht verfügbar.",
"components.TvDetails.Season.noepisodes": "Liste der Episoden nicht verfügbar.",
"components.TvDetails.Season.somethingwentwrong": "Beim Datenabruf der Staffel ist etwas schief gelaufen.",
"components.TvDetails.TvCast.fullseriescast": "Komplette Serien Besetzung",
"components.TvDetails.TvCrew.fullseriescrew": "Komplette Serien-Crew",
"components.TvDetails.anime": "Anime",
"components.TvDetails.cast": "Besetzung",
"components.TvDetails.episodeCount": "{episodeCount, plural, one {# Folge} other {# Folgen}}",
"components.TvDetails.episodeRuntime": "Laufzeit der Folge",
"components.TvDetails.episodeCount": "{episodeCount, plural, one {# Episode} other {# Episoden}}",
"components.TvDetails.episodeRuntime": "Episodenlaufzeit",
"components.TvDetails.episodeRuntimeMinutes": "{runtime} Minuten",
"components.TvDetails.firstAirDate": "Erstausstrahlung",
"components.TvDetails.manageseries": "Serie verwalten",
@@ -859,11 +872,11 @@
"components.TvDetails.originaltitle": "Originaltitel",
"components.TvDetails.overview": "Übersicht",
"components.TvDetails.overviewunavailable": "Übersicht nicht verfügbar.",
"components.TvDetails.productioncountries": "Produktions{countryCount, plural, one {land} other {länder}}",
"components.TvDetails.productioncountries": "Produktions {countryCount, plural, one {Land} other {Länder}}",
"components.TvDetails.recommendations": "Empfehlungen",
"components.TvDetails.reportissue": "Problem melden",
"components.TvDetails.rtaudiencescore": "Rotten Tomatoes - Nutzerwertung",
"components.TvDetails.rtcriticsscore": "Rotten Tomatoes - Tomatometer",
"components.TvDetails.rtaudiencescore": "Rotten Tomatoes Publikumswertung",
"components.TvDetails.rtcriticsscore": "Rotten Tomatoes Tomatometer",
"components.TvDetails.seasonnumber": "Staffel {seasonNumber}",
"components.TvDetails.seasons": "{seasonCount, plural, one {# Staffel} other {# Staffeln}}",
"components.TvDetails.seasonstitle": "Staffeln",
@@ -871,7 +884,7 @@
"components.TvDetails.similar": "Ähnliche Serien",
"components.TvDetails.status4k": "4K {status}",
"components.TvDetails.streamingproviders": "Streamt derzeit auf",
"components.TvDetails.tmdbuserscore": "TMDB - Nutzerwertung",
"components.TvDetails.tmdbuserscore": "TMDB-Nutzerwertung",
"components.TvDetails.viewfullcrew": "Komplette Crew anzeigen",
"components.TvDetails.watchtrailer": "Trailer ansehen",
"components.UserList.accounttype": "Art",
@@ -885,8 +898,8 @@
"components.UserList.creating": "Erstelle…",
"components.UserList.deleteconfirm": "Möchtest du diesen Benutzer wirklich löschen? Alle seine Anfragendaten werden dauerhaft entfernt.",
"components.UserList.deleteuser": "Benutzer löschen",
"components.UserList.edituser": "Benutzerberechtigungen bearbeiten",
"components.UserList.email": "E-Mail-Adresse",
"components.UserList.edituser": "Benutzerberechtigungen Bearbeiten",
"components.UserList.email": "E-Mail Adresse",
"components.UserList.importedfromplex": "<strong>{userCount}</strong> Plex {userCount, Plural, one {Benutzer} other {Benutzer}} erfolgreich importiert!",
"components.UserList.importfrommediaserver": "{mediaServerName}-Benutzer importieren",
"components.UserList.importfromplex": "Plex Benutzer importieren",
@@ -920,7 +933,7 @@
"components.UserProfile.UserSettings.UserPermissions.toastSettingsSuccess": "Berechtigungen erfolgreich gespeichert!",
"components.UserProfile.UserSettings.UserPermissions.toastSettingsFailure": "Beim Speichern der Einstellungen ist etwas schief gelaufen.",
"components.UserProfile.UserSettings.UserPermissions.permissions": "Berechtigungen",
"components.UserProfile.UserSettings.UserPasswordChange.validationNewPasswordLength": "Das Passwort ist zu kurz, es sollte mindestens 8 Zeichen lang sein",
"components.UserProfile.UserSettings.UserPasswordChange.validationNewPasswordLength": "Passwort ist zu kurz; es sollte mindestens 8 Zeichen lang sein",
"components.UserProfile.UserSettings.UserPasswordChange.validationNewPassword": "Du musst ein neues Passwort angeben",
"components.UserProfile.UserSettings.UserPasswordChange.validationCurrentPassword": "Du musst dein aktuelles Passwort angeben",
"components.UserProfile.UserSettings.UserPasswordChange.validationConfirmPasswordSame": "Das Passwort muss übereinstimmen",
@@ -948,7 +961,7 @@
"components.UserProfile.UserSettings.UserGeneralSettings.region": "Region Entdecken",
"components.UserProfile.UserSettings.UserGeneralSettings.originallanguageTip": "Filtere Inhalte nach Originalsprache",
"components.UserProfile.UserSettings.UserGeneralSettings.originallanguage": "Sprache des Bereiches \"Entdecken\"",
"components.UserProfile.UserSettings.UserPasswordChange.nopermissionDescription": "Es besteht keine Berechtigung, das Passwort dieses Benutzers zu ändern.",
"components.UserProfile.UserSettings.UserPasswordChange.nopermissionDescription": "Sie haben keine Berechtigung, das Kennwort dieses Benutzers zu ändern.",
"components.UserProfile.UserSettings.UserGeneralSettings.user": "Benutzer",
"components.UserProfile.UserSettings.UserGeneralSettings.role": "Rolle",
"components.UserProfile.UserSettings.UserGeneralSettings.owner": "Besitzer",
@@ -988,7 +1001,7 @@
"i18n.requesting": "Anfordern…",
"i18n.request4k": "In 4K anfragen",
"i18n.previous": "Zurück",
"i18n.notrequested": "Nicht angefragt",
"i18n.notrequested": "Nicht Angefragt",
"i18n.noresults": "Keine Ergebnisse.",
"i18n.next": "Weiter",
"i18n.movie": "Film",
@@ -1050,12 +1063,12 @@
"components.UserProfile.emptywatchlist": "Hier erscheinen deine zur <PlexWatchlistSupportLink>Plex Merkliste</PlexWatchlistSupportLink> hinzugefügte Medien.",
"components.UserProfile.plexwatchlist": "Plex Merkliste",
"components.Discover.DiscoverTvKeyword.keywordSeries": "{keywordTitle} Serien",
"components.Discover.moviegenres": "Film-Genres",
"components.Discover.moviegenres": "Film Genre",
"components.Discover.studios": "Studios",
"components.Discover.tmdbmoviegenre": "TMDB Film-Genre",
"components.Discover.tmdbtvgenre": "TMDB Serien-Genre",
"components.Discover.tmdbmoviegenre": "TMDB Film Genre",
"components.Discover.tmdbtvgenre": "TMDB Serien Genre",
"components.Discover.tmdbtvkeyword": "TMDB Serien Stichwort",
"components.Discover.tvgenres": "Serien-Genres",
"components.Discover.tvgenres": "Serien Genre",
"components.Settings.SettingsMain.apikey": "API-Schlüssel",
"components.Settings.SettingsMain.applicationTitle": "Anwendungstitel",
"components.Settings.SettingsMain.general": "Allgemein",
@@ -1070,11 +1083,11 @@
"components.Discover.tmdbsearch": "TMDB Suche",
"components.Settings.SettingsMain.toastApiKeyFailure": "Etwas ist schiefgelaufen während der Generierung eines neuen API Schlüssels.",
"components.Settings.SettingsMain.toastSettingsSuccess": "Einstellungen erfolgreich gespeichert!",
"components.Discover.tmdbmoviekeyword": "TMDB Film-Stichwort",
"components.Discover.tmdbmoviekeyword": "TMDB Film Stichwort",
"components.Settings.SettingsMain.validationApplicationTitle": "Du musst einen Anwendungstitel angeben",
"components.Discover.PlexWatchlistSlider.emptywatchlist": "Medien in deiner <PlexWatchlistSupportLink>Plex Merkliste</PlexWatchlistSupportLink> erscheinen hier.",
"components.Settings.SettingsMain.cacheImagesTip": "Cache extern gehostete Bilder (erfordert eine beträchtliche Menge an Speicherplatz)",
"components.Discover.networks": "Dienste",
"components.Discover.networks": "Sender",
"components.Discover.tmdbstudio": "TMDB Studio",
"components.Settings.SettingsMain.applicationurl": "Anwendung URL",
"components.Settings.SettingsMain.cacheImages": "Bild-Caching aktivieren",
@@ -1082,27 +1095,27 @@
"components.Settings.SettingsMain.originallanguage": "Sprache des Bereiches \"Entdecken\"",
"components.Settings.SettingsMain.partialRequestsEnabled": "Teilweise Serienanfragen zulassen",
"components.Settings.SettingsMain.toastSettingsFailure": "Beim Speichern der Einstellungen ist ein Fehler aufgetreten.",
"components.Discover.tmdbnetwork": "TMDB Netzwerk",
"components.Discover.tmdbnetwork": "TMDB Sender",
"components.Settings.SettingsMain.originallanguageTip": "Inhalt nach Originalsprache filtern",
"components.Discover.CreateSlider.addSlider": "Schieberegler hinzufügen",
"components.Discover.CreateSlider.addcustomslider": "Benutzerdefinierten Schieberegler erstellen",
"components.Discover.CreateSlider.addfail": "Neuer Schieberegler konnte nicht erstellt werden.",
"components.Discover.CreateSlider.addsuccess": "Ein neuer Schieberegler wurde erstellt und die Einstellungen wurden gespeichert.",
"components.Discover.CreateSlider.editSlider": "Schieberegler bearbeiten",
"components.Discover.CreateSlider.editfail": "Schieberegler konnte nicht bearbeitet werden.",
"components.Discover.CreateSlider.editsuccess": "Schieberegler bearbeitet und Einstellung gespeichert.",
"components.Discover.CreateSlider.addSlider": "Slider hinzufügen",
"components.Discover.CreateSlider.addcustomslider": "Benutzerdefinierten Slider erstellen",
"components.Discover.CreateSlider.addfail": "Neuer Slider konnte nicht erstellt werden.",
"components.Discover.CreateSlider.addsuccess": "Ein neuer Slider wurde erstellt und die Einstellungen wurden gespeichert.",
"components.Discover.CreateSlider.editSlider": "Slider bearbeiten",
"components.Discover.CreateSlider.editfail": "Slider konnte nicht bearbeitet werden.",
"components.Discover.CreateSlider.editsuccess": "Slider bearbeitet und Einstellung gespeichert.",
"components.Discover.CreateSlider.needresults": "Es muss mindestens 1 Ergebnis vorhanden sein.",
"components.Layout.Sidebar.browsemovies": "Filme",
"components.Layout.Sidebar.browsetv": "Serien",
"components.Discover.CreateSlider.nooptions": "Keine Ergebnisse.",
"components.Discover.CreateSlider.providetmdbgenreid": "Hinterlege eine TMDB Genre ID",
"components.Discover.CreateSlider.providetmdbkeywordid": "Hinterlege eine TMDB Schlüsselwort ID",
"components.Discover.CreateSlider.providetmdbkeywordid": "Hinterlege eine TMDB Keyword ID",
"components.Discover.CreateSlider.providetmdbnetwork": "Hinterlege eine TMDB Netzwerk ID",
"components.Discover.CreateSlider.providetmdbsearch": "Gib eine Suchanfrage ein",
"components.Discover.CreateSlider.providetmdbsearch": "Geben Sie eine Suchanfrage an",
"components.Discover.CreateSlider.validationTitlerequired": "Du musst einen Titel eingeben.",
"components.Discover.DiscoverSliderEdit.remove": "Entfernen",
"components.Discover.DiscoverSliderEdit.deletefail": "Schieberegler konnte nicht gelöscht werden.",
"components.Discover.DiscoverSliderEdit.deletesuccess": "Schieberegler erfolgreich entfernt.",
"components.Discover.DiscoverSliderEdit.deletefail": "Slider konnte nicht gelöscht werden.",
"components.Discover.DiscoverSliderEdit.deletesuccess": "Slider erfolgreich entfernt.",
"components.Discover.DiscoverMovies.discovermovies": "Filme",
"components.Discover.DiscoverMovies.sortReleaseDateAsc": "Erscheinungsdatum (aufsteigend)",
"components.Discover.DiscoverMovies.sortReleaseDateDesc": "Erscheinungsdatum (absteigend)",
@@ -1113,9 +1126,9 @@
"components.Discover.DiscoverTv.sortFirstAirDateAsc": "Erstausstrahlung (aufsteigend)",
"components.Discover.DiscoverTv.sortPopularityAsc": "Beliebtheit (aufsteigend)",
"components.Discover.DiscoverTv.sortPopularityDesc": "Beliebtheit (absteigend)",
"components.Discover.CreateSlider.slidernameplaceholder": "Name des Schiebereglers",
"components.Discover.CreateSlider.slidernameplaceholder": "Name des Slider",
"components.Settings.SettingsJobsCache.availability-sync": "Medienverfügbarkeit Sync",
"components.Discover.FilterSlideover.activefilters": "{count, plural, one {# aktiver Filter} other {# aktive Filter}}",
"components.Discover.FilterSlideover.activefilters": "{count, plural, one {# Aktiver Filter} other {# Aktive Filter}}",
"components.Discover.FilterSlideover.originalLanguage": "Originalsprache",
"components.Settings.SettingsJobsCache.editJobScheduleSelectorSeconds": "Alle {jobScheduleSeconds, plural, one {Sekunde} other {{jobScheduleSeconds} Sekunden}}",
"components.Discover.updatefailed": "Bei der Aktualisierung der Entdecken-Einstellungen ist ein Fehler aufgetreten.",
@@ -1136,50 +1149,50 @@
"components.Discover.resetsuccess": "Die Entdecken-Einstellungen wurden erfolgreich zurückgesetzt.",
"components.Discover.stopediting": "Bearbeitung stoppen",
"components.Discover.resettodefault": "Zurücksetzen auf Standard",
"components.Discover.resetwarning": "Setzt alle Schieberegler auf die Standardwerte zurück. Dadurch werden auch alle benutzerdefinierten Schieberegler gelöscht!",
"components.Discover.DiscoverMovies.activefilters": "{count, plural, one {# aktiver Filter} other {# aktive Filter}}",
"components.Discover.resetwarning": "Setzt alle Slider auf die Standardwerte zurück. Dadurch werden auch alle benutzerdefinierten Slider gelöscht!",
"components.Discover.DiscoverMovies.activefilters": "{count, plural, one {# Aktiver Filter} other {# Aktive Filter}}",
"components.Discover.DiscoverMovies.sortPopularityAsc": "Beliebtheit (aufsteigend)",
"components.Discover.DiscoverMovies.sortPopularityDesc": "Beliebtheit (absteigend)",
"components.Discover.DiscoverMovies.sortTmdbRatingAsc": "TMDB Bewertung (aufsteigend)",
"components.Discover.DiscoverMovies.sortTmdbRatingDesc": "TMDB Bewertung (absteigend)",
"components.Discover.DiscoverTv.activefilters": "{count, plural, one {# aktiver Filter} other {# aktive Filter}}",
"components.Discover.DiscoverMovies.sortTmdbRatingAsc": "TMDB-Bewertung (aufsteigend)",
"components.Discover.DiscoverMovies.sortTmdbRatingDesc": "TMDB-Bewertung (absteigend)",
"components.Discover.DiscoverTv.activefilters": "{count, plural, one {# Aktiver Filter} other {# Aktive Filter}}",
"components.Discover.DiscoverTv.sortTitleAsc": "Titel (A-Z) (aufsteigend)",
"components.Discover.DiscoverTv.sortTitleDesc": "Titel (Z-A) (absteigend)",
"components.Discover.DiscoverTv.sortTmdbRatingAsc": "TMDB Bewertung (aufsteigend)",
"components.Discover.DiscoverTv.sortTmdbRatingDesc": "TMDB Bewertung (absteigend)",
"components.Discover.DiscoverTv.sortTmdbRatingAsc": "TMDB-Bewertung (aufsteigend)",
"components.Discover.DiscoverTv.sortTmdbRatingDesc": "TMDB-Bewertung (absteigend)",
"components.Discover.FilterSlideover.clearfilters": "Aktive Filter löschen",
"components.Discover.FilterSlideover.filters": "Filter",
"components.Discover.FilterSlideover.firstAirDate": "Datum der Erstausstrahlung",
"components.Discover.FilterSlideover.from": "Von",
"components.Discover.FilterSlideover.from": "Vom",
"components.Discover.FilterSlideover.genres": "Genres",
"components.Discover.FilterSlideover.keywords": "Stichwörter",
"components.Discover.FilterSlideover.ratingText": "Bewertungen zwischen {minValue} und {maxValue}",
"components.Discover.FilterSlideover.releaseDate": "Erscheinungsdatum",
"components.Discover.FilterSlideover.runtime": "Laufzeit",
"components.Discover.FilterSlideover.runtimeText": "{minValue}-{maxValue} Minuten Laufzeit",
"components.Discover.FilterSlideover.tmdbuserscore": "TMDB - Nutzerwertung",
"components.Discover.FilterSlideover.tmdbuserscore": "TMDB-Benutzerbewertung",
"components.Discover.FilterSlideover.to": "Bis",
"components.Discover.createnewslider": "Neuen Schieberegler erstellen",
"components.Discover.createnewslider": "Neuen Slider erstellen",
"components.Discover.FilterSlideover.studio": "Studio",
"components.Discover.FilterSlideover.streamingservices": "Streamingdienste",
"components.Discover.FilterSlideover.streamingservices": "Streaming-Dienste",
"components.Selector.nooptions": "Keine Ergebnisse.",
"components.Selector.searchKeywords": "Stichwörter suchen…",
"components.Selector.searchStudios": "Studios suchen…",
"components.Discover.tmdbmoviestreamingservices": "TMDB Film-Streamingdienste",
"components.Discover.tmdbtvstreamingservices": "TMDB TV-Streamingdienste",
"components.Discover.tmdbmoviestreamingservices": "TMDB Film-Streaming-Dienste",
"components.Discover.tmdbtvstreamingservices": "TMDB TV-Streaming-Dienste",
"i18n.collection": "Sammlung",
"components.Discover.FilterSlideover.tmdbuservotecount": "Anzahl der TMDB-Nutzerwertungen",
"components.Discover.FilterSlideover.tmdbuservotecount": "Anzahl an TMDB-Benutzerbewertungen",
"components.Settings.RadarrModal.tagRequestsInfo": "Füge automatisch ein Tag hinzu mit der ID und dem Namen des anfordernden Nutzers",
"components.MovieDetails.imdbuserscore": "IMDb - Nutzerwertung",
"components.MovieDetails.imdbuserscore": "IMDB Nutzer Bewertung",
"components.Settings.SonarrModal.tagRequests": "Tag Anforderungen",
"components.Discover.FilterSlideover.voteCount": "Anzahl der Abstimmungen zwischen {minValue} und {maxValue}",
"components.Discover.FilterSlideover.voteCount": "Anzahl Abstimmungen zwischen {minValue} und {maxValue}",
"components.Settings.SonarrModal.tagRequestsInfo": "Füge automatisch einen zusätzlichen Tag mit der ID & Namen des anfordernden Nutzers",
"components.Layout.UserWarnings.passwordRequired": "Ein Passwort ist erforderlich.",
"components.Login.description": "Da du dich zum ersten Mal bei {applicationName} anmeldest, musst du eine gültige E-Mail-Adresse angeben.",
"components.Layout.UserWarnings.emailRequired": "Eine E-Mail-Adresse ist erforderlich.",
"components.Layout.UserWarnings.emailInvalid": "Die E-Mail-Adresse ist ungültig.",
"components.Layout.UserWarnings.emailRequired": "E-Mail Adresse ist erforderlich.",
"components.Layout.UserWarnings.emailInvalid": "E-Mail Adresse ist nicht gültig.",
"components.Login.credentialerror": "Der Benutzername oder das Passwort ist falsch.",
"components.Login.emailtooltip": "Die Adresse muss nicht mit deiner {mediaServerName}-Instanz verbunden sein.",
"components.Login.emailtooltip": "Die Adresse muss nicht mit Ihrer {mediaServerName}-Instanz verbunden sein.",
"components.Login.initialsignin": "Verbinde",
"components.Login.initialsigningin": "Verbinden…",
"components.Login.save": "Hinzufügen",
@@ -1187,9 +1200,9 @@
"components.Login.signinwithjellyfin": "Verwende dein {mediaServerName} Konto",
"components.Login.title": "E-Mail hinzufügen",
"components.Login.username": "Benutzername",
"components.Login.validationEmailFormat": "Ungültige E-Mail-Adresse",
"components.Login.validationEmailRequired": "Du musst eine E-Mail-Adresse angeben",
"components.Login.validationemailformat": "Gültige E-Mail-Adresse erforderlich",
"components.Login.validationEmailFormat": "Ungültige E-Mail",
"components.Login.validationEmailRequired": "Du musst eine E-Mail angeben",
"components.Login.validationemailformat": "Gültige E-Mail erforderlich",
"components.Login.validationhostformat": "Gültige URL erforderlich",
"components.Login.validationhostrequired": "{mediaServerName} URL erforderlich",
"components.Login.validationusernamerequired": "Benutzername erforderlich",
@@ -1197,7 +1210,7 @@
"components.ManageSlideOver.removearr4k": "Aus 4K {arr} entfernen",
"components.MovieDetails.downloadstatus": "Download-Status",
"components.MovieDetails.openradarr4k": "Film in 4K Radarr öffnen",
"components.MovieDetails.play": "Auf {mediaServerName} wiedergeben",
"components.MovieDetails.play": "Wiedergabe auf {mediaServerName}",
"components.MovieDetails.play4k": "4K abspielen auf {mediaServerName}",
"components.Settings.SonarrModal.animeSeriesType": "Anime-Serien Typ",
"components.Settings.jellyfinSettings": "{mediaServerName} Einstellungen",
@@ -1216,7 +1229,7 @@
"components.TitleCard.watchlistDeleted": "<strong>{title}</strong> Erfolgreich aus der Merkliste entfernt!",
"components.TitleCard.watchlistError": "Ein Fehler ist aufgetreten. Bitte versuche es erneut.",
"components.TitleCard.watchlistSuccess": "<strong>{title}</strong> erfolgreich zur Merkliste hinzugefügt!",
"components.TvDetails.play": "Auf {mediaServerName} wiedergeben",
"components.TvDetails.play": "Wiedergabe auf {mediaServerName}",
"components.TvDetails.play4k": "4K abspielen auf {mediaServerName}",
"components.UserList.importfromJellyfin": "Importieren von {mediaServerName} Benutzern",
"components.UserList.mediaServerUser": "{mediaServerName} Benutzer",
@@ -1227,6 +1240,7 @@
"components.UserProfile.UserSettings.UserGeneralSettings.email": "E-Mail",
"components.UserProfile.UserSettings.UserGeneralSettings.mediaServerUser": "{mediaServerName} Benutzer",
"components.UserProfile.UserSettings.UserGeneralSettings.saving": "Speichern…",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Web-Push-Benachrichtigungseinstellungen erfolgreich gespeichert!",
"i18n.close": "Schließen",
"i18n.decline": "Ablehnen",
"i18n.declined": "Abgelehnt",
@@ -1236,7 +1250,7 @@
"i18n.movies": "Filme",
"i18n.open": "Offen",
"i18n.pending": "Ausstehend",
"i18n.processing": "Verarbeiten",
"i18n.processing": "Verarbeitung",
"i18n.request": "Anfrage senden",
"i18n.requested": "Angefragt",
"i18n.retry": "Wiederholen",
@@ -1266,30 +1280,32 @@
"components.UserList.usercreatedsuccess": "Benutzer erfolgreich angelegt!",
"components.ManageSlideOver.manageModalRemoveMediaWarning": "* Dadurch wird dieser {mediaType} unwiderruflich aus {arr} entfernt, einschließlich aller Dateien.",
"components.UserList.importedfromJellyfin": "<strong>{userCount}</strong> {mediaServerName} {userCount, plural, one {Benutzer} other {Benutzer}} erfolgreich importiert!",
"components.UserList.validationpasswordminchars": "Das Passwort ist zu kurz, es sollte mindestens 8 Zeichen lang sein",
"components.UserList.validationpasswordminchars": "Das Passwort ist zu kurz; es sollte mindestens 8 Zeichen lang sein",
"components.UserProfile.UserSettings.UserNotificationSettings.deviceDefault": "Gerätestandard",
"i18n.approve": "Genehmigen",
"i18n.partiallyavailable": "Teilweise verfügbar",
"components.UserList.newJellyfinsigninenabled": "Die Einstellung <strong>Aktiviere neuen {mediaServerName} Sign-In</strong> ist derzeit aktiviert. {mediaServerName}-Benutzer mit Bibliothekszugang müssen nicht importiert werden, um sich anmelden zu können.",
"components.UserProfile.UserSettings.UserNotificationSettings.sound": "Benachrichtigungston",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Die Einstellungen für Web-Push-Benachrichtigungen konnten nicht gespeichert werden.",
"components.UserProfile.localWatchlist": "Merkliste von {username}",
"i18n.approved": "Genehmigt",
"pages.returnHome": "Zurück zur Startseite",
"components.Discover.FilterSlideover.status": "Status",
"components.UserList.username": "Benutzername",
"components.Login.adminerror": "Für die Anmeldung ist ein Administratorkonto erforderlich.",
"components.MovieDetails.watchlistError": "Es ist ein Fehler aufgetreten. Bitte erneut versuchen.",
"components.Login.adminerror": "Du musst einen Adminaccount für den Zugang benutzen.",
"components.MovieDetails.watchlistError": "Es ist ein Fehler aufgetreten. Bitte versuchen Sie es erneut.",
"components.RequestList.RequestItem.profileName": "Profil",
"components.Selector.searchStatus": "Status auswählen...",
"components.Settings.invalidurlerror": "Es kann keine Verbindung zu {mediaServerName} hergestellt werden.",
"components.Settings.jellyfinSyncFailedGenericError": "Es trat ein unbekannter Fehler während der Bibliothekssynchronisation auf",
"components.UserList.validationUsername": "Du musst einen Benutzernamen angeben",
"components.UserProfile.UserSettings.UserGeneralSettings.validationemailrequired": "E-Mail-Adresse benötigt",
"components.UserProfile.UserSettings.UserGeneralSettings.validationemailrequired": "E-Mail Adresse benötigt",
"components.Login.invalidurlerror": "Es kann keine Verbindung zu {mediaServerName} hergestellt werden.",
"components.MovieDetails.removefromwatchlist": "Von der Merkliste entfernen",
"components.TvDetails.watchlistDeleted": "<strong>{title}</strong> erfolgreich aus der Merkliste entfernt!",
"components.Login.back": "Zurück",
"components.Login.servertype": "Servertyp",
"components.Login.validationHostnameRequired": "Du musst eine gültige IP-Adresse oder einen gültigen Hostnamen angeben",
"components.Login.validationPortRequired": "Du musst einen gültigen Port angeben",
"components.Login.validationUrlBaseLeadingSlash": "Der URL muss ein Slash vorangestellt sein",
"components.Login.validationUrlBaseTrailingSlash": "Die URL-Basis darf nicht auf einem Slash enden",
@@ -1316,7 +1332,7 @@
"components.TvDetails.removefromwatchlist": "Von der Merkliste entfernen",
"components.TvDetails.watchlistError": "Ein Fehler ist aufgetreten. Bitte versuche es erneut.",
"components.TvDetails.watchlistSuccess": "<strong>{title}</strong> erfolgreich zur Merkliste hinzugefügt!",
"components.UserProfile.UserSettings.UserGeneralSettings.validationemailformat": "Gültige E-Mail-Adresse benötigt",
"components.UserProfile.UserSettings.UserGeneralSettings.validationemailformat": "Gültige E-Mail Adresse benötigt",
"components.Login.hostname": "{mediaServerName} URL",
"components.Login.port": "Port",
"components.Login.urlBase": "URL-Basis",
@@ -1324,20 +1340,20 @@
"components.Settings.jellyfinForgotPasswordUrl": "Passwort vergessen URL",
"components.Settings.jellyfinSyncFailedAutomaticGroupedFolders": "Eine benutzerdefinierte Authentifizierung mit automatischer Bibliotheksbündelung wird nicht unterstützt",
"components.Settings.jellyfinSyncFailedNoLibrariesFound": "Es wurden keine Bibliotheken gefunden",
"components.Settings.scanbackground": "Der Scan läuft im Hintergrund. Die Einrichtung kann in der Zwischenzeit fortgesetzt werden.",
"components.Settings.scanbackground": "Der Scanvorgang wird im Hintergrund ausgeführt. Sie können in der Zwischenzeit den Einrichtungsprozess fortsetzen.",
"components.Blacklist.blacklistdate": "Datum",
"components.PermissionEdit.viewblacklistedItems": "Medien auf der Sperrliste anzeigen.",
"components.Settings.SettingsMain.discoverRegion": "Region für \"Entdecken\"",
"components.Settings.SettingsMain.discoverRegion": "Region entdecken",
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> ist nicht auf der Sperrliste.",
"components.PermissionEdit.manageblacklist": "Sperrliste verwalten",
"components.Settings.SettingsJobsCache.plex-refresh-token": "Plex Refresh Token",
"components.UserProfile.UserSettings.UserGeneralSettings.discoverRegion": "Region für \"Entdecken\"",
"components.UserProfile.UserSettings.UserGeneralSettings.discoverRegion": "Region entdecken",
"i18n.blacklistDuplicateError": "<strong>{title}</strong> wurde bereits auf die Sperrliste gesetzt.",
"components.Settings.Notifications.validationWebhookRoleId": "Du musst eine gültige Discord Rollen-ID angeben",
"components.Settings.Notifications.webhookRoleIdTip": "Die Rollen ID, die in der Webhook Nachricht erwähnt werden soll. Leer lassen, um Erwähnungen zu deaktivieren",
"i18n.addToBlacklist": "Zur Sperrliste hinzufügen",
"components.PermissionEdit.blacklistedItemsDescription": "Autorisierung zum Sperren von Medien.",
"components.Settings.SettingsMain.streamingRegion": "Region des Streamings",
"components.Settings.SettingsMain.streamingRegion": "Streaming Region",
"i18n.removeFromBlacklistSuccess": "<strong>{title}</strong> wurde erfolgreich von der Sperrliste entfernt.",
"components.UserProfile.UserSettings.UserGeneralSettings.streamingRegion": "Streaming Region",
"components.UserProfile.UserSettings.UserGeneralSettings.streamingRegionTip": "Streaming Seiten nach regionaler Verfügbarkeit anzeigen",
@@ -1363,8 +1379,8 @@
"components.Settings.apiKey": "API-Schlüssel",
"components.Settings.tip": "Tipp",
"components.UserProfile.UserSettings.UserGeneralSettings.discoverRegionTip": "Inhalte nach regionaler Verfügbarkeit filtern",
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmail": "Diese E-Mail-Adresse ist bereits vergeben!",
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmailEmpty": "Dieser Benutzername ist bereits vergeben. Eine E-Mail-Adresse muss angegeben werden",
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmail": "Diese E-Mail ist bereits vergeben!",
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmailEmpty": "Ein anderer Benutzer hat bereits diesen Benutzernamen. Sie müssen eine E-Mail festlegen",
"i18n.blacklist": "Sperrliste",
"i18n.blacklistError": "Etwas ist schief gelaufen, versuche es noch einmal.",
"i18n.blacklistSuccess": "<strong>{title}</strong> wurde erfolgreich auf die Sperrliste gesetzt.",
@@ -1377,20 +1393,20 @@
"components.Settings.OverrideRuleModal.rootfolder": "Stammverzeichnis",
"components.UserProfile.UserSettings.menuLinkedAccounts": "Verknüpfte Konten",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.deleteFailed": "Verknüpftes Konto kann nicht gelöscht werden.",
"components.UserProfile.UserSettings.LinkJellyfinModal.usernameRequired": "Es muss ein Benutzername eingegeben werden",
"components.UserProfile.UserSettings.LinkJellyfinModal.usernameRequired": "Sie müssen einen Benutzernamen angeben",
"components.Setup.librarieserror": "Validierung fehlgeschlagen. Bitte schalte die Bibliotheken erneut um, um fortzufahren.",
"components.Settings.SettingsNetwork.proxyBypassFilterTip": "Verwende ',' als Trennzeichen und '*.' als Platzhalter für Subdomains",
"components.Settings.OverrideRuleModal.settingsDescription": "Gibt an, welche Einstellungen geändert werden, wenn die oben genannten Bedingungen erfüllt sind.",
"components.Settings.SettingsUsers.mediaServerLogin": "Aktiviere {mediaServerName} Anmeldung",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.plexErrorExists": "Dieses Konto ist bereits mit einem Plex Benutzer verknüpft",
"components.UserProfile.UserSettings.LinkJellyfinModal.description": "Anmeldedaten von {mediaServerName} eingeben, um das Konto mit {applicationName} zu verbinden.",
"components.Settings.SettingsNetwork.networkDisclaimer": "Netzwerkparameter des Containers bzw. Systems sollten statt dieser Einstellungen verwendet werden. Weitere Informationen in den {docs}.",
"components.UserProfile.UserSettings.LinkJellyfinModal.description": "Geben Sie Ihre {mediaServerName}-Anmeldeinformationen ein, um Ihr Konto mit {applicationName} zu verknüpfen.",
"components.Settings.SettingsNetwork.networkDisclaimer": "Anstelle dieser Einstellungen sollten Netzwerkparameter aus Ihrem Container/System verwendet werden. Weitere Informationen finden Sie in den {docs}.",
"components.Selector.searchUsers": "Benutzer auswählen…",
"components.Settings.overrideRules": "Override-Regeln",
"components.Settings.Notifications.messageThreadId": "Thread-/Themen-ID",
"components.Settings.OverrideRuleModal.conditions": "Bedingungen",
"components.Settings.OverrideRuleTile.settings": "Einstellungen",
"components.Login.noadminerror": "Auf dem Server wurde kein Administrator gefunden.",
"components.Login.noadminerror": "Kein Admin-Benutzer auf dem Server gefunden.",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.plexErrorUnauthorized": "Mit Ihren Anmeldeinformationen kann keine Verbindung zu Plex hergestellt werden",
"components.UserProfile.UserSettings.LinkJellyfinModal.errorUnknown": "Ein unbekannter Fehler ist aufgetreten",
"components.Settings.addrule": "Neue Override-Regel",
@@ -1419,14 +1435,15 @@
"components.Settings.OverrideRuleModal.settings": "Einstellungen",
"components.Settings.OverrideRuleModal.serviceDescription": "Wende diese Regel auf den ausgewählten Dienst an.",
"components.Settings.OverrideRuleModal.service": "Dienst",
"components.Settings.SettingsMain.enableSpecialEpisodes": "Anfragen zu Spezial-Folgen zulassen",
"components.Settings.SettingsNetwork.csrfProtectionHoverTip": "Diese Einstellung nur aktivieren, wenn die Auswirkungen bekannt sind!",
"components.Settings.SettingsMain.enableSpecialEpisodes": "Anfragen zu Spezial-Episoden zulassen",
"components.Settings.SettingsNetwork.advancedNetworkSettings": "Erweiterte Netzwerkeinstellungen",
"components.Settings.SettingsNetwork.csrfProtectionHoverTip": "Aktivieren Sie diese Einstellung NICHT, wenn Sie nicht wissen, was Sie tun!",
"components.Settings.SettingsNetwork.docs": "Dokumentation/Hilfe",
"components.Settings.SettingsNetwork.networksettings": "Netzwerkeinstellungen",
"components.Settings.SettingsNetwork.networksettingsDescription": "Konfiguriere die Netzwerkeinstellungen deiner Jellyseerr-Instanz.",
"components.Settings.SettingsNetwork.toastSettingsSuccess": "Einstellungen erfolgreich gespeichert!",
"components.Settings.SettingsNetwork.trustProxy": "Aktiviere Proxy-Unterstützung",
"components.Settings.SettingsNetwork.validationProxyPort": "Es muss ein gültiger Port eingetragen werden",
"components.Settings.SettingsNetwork.validationProxyPort": "Sie müssen einen gültigen Port angeben",
"components.Settings.SettingsUsers.atLeastOneAuth": "Es muss mindestens eine Authentifizierungsmethode ausgewählt werden.",
"components.Settings.SettingsUsers.loginMethods": "Anmeldemethoden",
"components.Settings.SettingsUsers.loginMethodsTip": "Anmeldemethoden für Benutzer konfigurieren.",
@@ -1449,12 +1466,12 @@
"components.UserProfile.UserSettings.LinkJellyfinModal.username": "Benutzername",
"components.UserProfile.UserSettings.LinkJellyfinModal.title": "{mediaServerName}-Konto verknüpfen",
"components.UserProfile.UserSettings.LinkJellyfinModal.saving": "Hinzufügen…",
"components.UserProfile.UserSettings.LinkJellyfinModal.passwordRequired": "Es muss ein Passwort eingegeben werden",
"components.UserProfile.UserSettings.LinkJellyfinModal.passwordRequired": "Sie müssen ein Passwort angeben",
"components.UserProfile.UserSettings.LinkJellyfinModal.password": "Passwort",
"components.UserProfile.UserSettings.LinkJellyfinModal.errorUnauthorized": "Mit Ihren Anmeldeinformationen kann keine Verbindung zu {mediaServerName} hergestellt werden",
"components.UserProfile.UserSettings.LinkJellyfinModal.errorExists": "Dieses Konto ist bereits mit einem {applicationName}-Benutzer verknüpft",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.noPermissionDescription": "Es besteht keine Berechtigung, die verknüpften Konten dieses Benutzers zu bearbeiten.",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.noLinkedAccounts": "Es sind keine externen Konten mit deinem Account verknüpft.",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.noPermissionDescription": "Sie sind nicht berechtigt, die verknüpften Konten dieses Benutzers zu ändern.",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.noLinkedAccounts": "Sie haben keine externen Konten mit Ihrem Konto verknüpft.",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.linkedAccountsHint": "Diese externen Konten sind mit Ihrem {applicationName}-Konto verknüpft.",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.linkedAccounts": "Verknüpfte Konten",
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.errorUnknown": "Ein unbekannter Fehler ist aufgetreten",

View File

@@ -110,6 +110,16 @@
"components.Discover.recentrequests": "Πρόσφατα Αιτήματα",
"components.Discover.recentlyAdded": "Προστέθηκαν πρόσφατα",
"components.Discover.populartv": "Δημοφιλείς Σειρές",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Πρέπει να βάλεις μια έγκυρη διεύθυνση URL",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "Η δοκιμαστική ειδοποίηση LunaSea εστάλη!",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Αποστολή δοκιμαστικής ειδοποίησης LunaSea…",
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Αποτυχία αποστολής δοκιμαστικής ειδοποίησης LunaSea.",
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "Οι ρυθμίσεις ειδοποιήσεων LunaSea αποθηκεύτηκαν με επιτυχία!",
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Οι ρυθμίσεις των ειδοποιήσεων LunaSea δεν κατάφεραν να αποθηκευτούν.",
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Χρειάζεται μόνο εφόσον δεν χρησιμοποιείται το <code>default</code> προφίλ",
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Όνομα Προφίλ",
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Ενεργοποίηση του Μεταφορέα",
"components.Search.searchresults": "Αποτελέσματα αναζήτησης",
"components.Search.search": "Αναζήτηση",
"components.ResetPassword.validationpasswordrequired": "Πρέπει να βάλεις έναν κωδικό πρόσβασης",
@@ -506,6 +516,8 @@
"components.UserProfile.UserSettings.UserPasswordChange.newpassword": "Νέος κωδικός πρόσβασης",
"components.UserProfile.UserSettings.UserPasswordChange.currentpassword": "Τρέχων κωδικός πρόσβασης",
"components.UserProfile.UserSettings.UserPasswordChange.confirmpassword": "Επιβεβαίωση κωδικού πρόσβασης",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Οι ρυθμίσεις των ειδοποιήσεων push αποθηκεύτηκαν επιτυχώς!",
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Οι ρυθμίσεις των ειδοποιήσεων push δεν κατάφεραν να αποθηκευτούν.",
"components.UserProfile.UserSettings.UserNotificationSettings.webpush": "Web Push",
"components.UserProfile.UserSettings.UserNotificationSettings.validationTelegramChatId": "Πρέπει να δώσεις ένα έγκυρο αναγνωριστικό συνομιλίας",
"components.UserProfile.UserSettings.UserNotificationSettings.validationPgpPublicKey": "Πρέπει να βάλεις ένα έγκυρο δημόσιο κλειδί PGP",
@@ -681,6 +693,7 @@
"components.Settings.default4k": "Προεπιλεγμένο 4K",
"components.Settings.default": "Προκαθορισμένο",
"components.Settings.currentlibrary": "Τρέχουσα βιβλιοθήκη: {name}",
"components.Settings.copied": "Αντιγράφηκε το κλειδί API στο πρόχειρο.",
"components.Settings.cancelscan": "Ακύρωση σάρωσης",
"components.Settings.addsonarr": "Προσθήκη διακομιστή Sonarr",
"components.Settings.address": "Διεύθυνση",
@@ -748,6 +761,7 @@
"components.Settings.SettingsUsers.newPlexLogin": "Ενεργοποίηση νέας σύνδεσης {mediaServerName}",
"components.Settings.SettingsJobsCache.jobsDescription": "Το Jellyseerr εκτελεί ορισμένες εργασίες συντήρησης ως τακτικά προγραμματισμένες εργασίες, αλλά μπορούν επίσης να ενεργοποιηθούν χειροκίνητα παρακάτω. Η χειροκίνητη εκτέλεση μιας εργασίας δεν θα αλλάξει το χρονοδιάγραμμα του.",
"components.Settings.Notifications.NotificationsWebhook.templatevariablehelp": "Template Variable Help",
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Ο χρήστης σου ή η συσκευή <LunaSeaLink>ειδοποίηση webhook URL</LunaSeaLink>",
"components.RequestModal.numberofepisodes": "# Αριθμός Επεισοδίων",
"components.MovieDetails.studio": "{studioCount, plural, one {Στούντιο} other {Στούντιο}}",
"components.Layout.VersionStatus.commitsbehind": "{commitsBehind} {commitsBehind, plural, one {commit} other {commits}} πίσω",
@@ -948,6 +962,7 @@
"components.Selector.showmore": "Εμφάνιση περισσότερων",
"components.Selector.starttyping": "Αρχίστε να πληκτρολογείτε για αναζήτηση.",
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSending": "Αποστολή δοκιμαστικής ειδοποίησης Gotify…",
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Πρέπει να επιλέξετε τουλάχιστον έναν τύπο ειδοποιήσεων",
"components.Settings.Notifications.NotificationsPushbullet.channelTag": "Ετικέτα καναλιού",
"components.Settings.RadarrModal.announced": "Ανακοινώθηκε",
"components.Settings.RadarrModal.inCinemas": "Στους Κινηματογράφους",

Some files were not shown because too many files have changed in this diff Show More