Compare commits
19 Commits
preview-de
...
preview-OI
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
7f39794116 | ||
|
|
be5ee1e980 | ||
|
|
ab3c8e4e7e | ||
|
|
05b0a1fa99 | ||
|
|
cfbf7edf7e | ||
|
|
8f8a4153b6 | ||
|
|
f4988aba15 | ||
|
|
4a3f38fa10 | ||
|
|
67bbc73564 | ||
|
|
205aa5da92 | ||
|
|
27292c02ea | ||
|
|
80217c70ea | ||
|
|
7d426f0c7e | ||
|
|
55870fed20 | ||
|
|
7bd26eebb5 | ||
|
|
d36dcbed7e | ||
|
|
03d869ca59 | ||
|
|
51849cd9de | ||
|
|
fa7efa31bc |
@@ -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"
|
||||
]
|
||||
}
|
||||
]
|
||||
}
|
||||
|
||||
1
.github/PULL_REQUEST_TEMPLATE.md
vendored
1
.github/PULL_REQUEST_TEMPLATE.md
vendored
@@ -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)
|
||||
|
||||
160
.github/workflows/ci.yml
vendored
160
.github/workflows/ci.yml
vendored
@@ -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:
|
||||
|
||||
29
.github/workflows/codeql.yml
vendored
29
.github/workflows/codeql.yml
vendored
@@ -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 }}'
|
||||
|
||||
20
.github/workflows/conflict_labeler.yml
vendored
20
.github/workflows/conflict_labeler.yml
vendored
@@ -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
|
||||
|
||||
38
.github/workflows/cypress.yml
vendored
38
.github/workflows/cypress.yml
vendored
@@ -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
|
||||
|
||||
40
.github/workflows/docs-deploy.yml
vendored
40
.github/workflows/docs-deploy.yml
vendored
@@ -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
|
||||
|
||||
29
.github/workflows/helm.yml
vendored
29
.github/workflows/helm.yml
vendored
@@ -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
|
||||
|
||||
29
.github/workflows/lint-helm-charts.yml
vendored
29
.github/workflows/lint-helm-charts.yml
vendored
@@ -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
|
||||
|
||||
130
.github/workflows/preview.yml
vendored
130
.github/workflows/preview.yml
vendored
@@ -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 }}
|
||||
|
||||
230
.github/workflows/release.yml
vendored
230
.github/workflows/release.yml
vendored
@@ -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
94
.github/workflows/snap.yaml.disabled
vendored
Normal 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
|
||||
51
.github/workflows/support.yml
vendored
51
.github/workflows/support.yml
vendored
@@ -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'
|
||||
|
||||
18
.github/workflows/test-docs-deploy.yml
vendored
18
.github/workflows/test-docs-deploy.yml
vendored
@@ -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
|
||||
|
||||
@@ -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
|
||||
|
||||
5
.vscode/settings.json
vendored
5
.vscode/settings.json
vendored
@@ -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"]
|
||||
}
|
||||
|
||||
@@ -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.
|
||||
|
||||
35
Dockerfile
35
Dockerfile
@@ -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 ./
|
||||
|
||||
@@ -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
|
||||
|
||||
|
||||
@@ -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>
|
||||
|
||||
@@ -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
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
# jellyseerr-chart
|
||||
|
||||
  
|
||||
  
|
||||
|
||||
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. |
|
||||
|
||||
@@ -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" . }}
|
||||
|
||||
@@ -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 }}
|
||||
@@ -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"
|
||||
|
||||
@@ -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)
|
||||
|
||||
@@ -1,5 +1,5 @@
|
||||
---
|
||||
title: Kubernetes (Advanced)
|
||||
title: Kubernetes
|
||||
description: Install Jellyseerr in Kubernetes
|
||||
sidebar_position: 5
|
||||
---
|
||||
|
||||
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_1.png
Normal file
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_1.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 375 KiB |
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_2.png
Normal file
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_2.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 296 KiB |
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_3.png
Normal file
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_3.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 306 KiB |
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_4.png
Normal file
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_4.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 306 KiB |
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_5.png
Normal file
BIN
docs/using-jellyseerr/settings/users/assets/oidc_keycloak_5.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 285 KiB |
@@ -22,6 +22,14 @@ When disabled, users will only be able to sign in using their email address. Use
|
||||
|
||||
This setting is **enabled** by default.
|
||||
|
||||
## Enable OpenID Connect Sign-In
|
||||
|
||||
When enabled, users will be able to sign in to Jellyseerr using their OpenID Connect credentials, provided they have linked their OpenID Connect accounts. Once enabled, the [OpenID Connect settings](./oidc.md) can be accessed using the settings cog to the right of this option, and OpenID Connect providers can be configured.
|
||||
|
||||
When disabled, users will only be able to sign in using their Jellyseerr username or email address. Users without a password set will not be able to sign in to Jellyseerr.
|
||||
|
||||
This setting is **disabled** by default.
|
||||
|
||||
## Enable New Jellyfin/Emby/Plex Sign-In
|
||||
|
||||
When enabled, users with access to your media server will be able to sign in to Jellyseerr even if they have not yet been imported. Users will be automatically assigned the permissions configured in the [Default Permissions](#default-permissions) setting upon first sign-in.
|
||||
82
docs/using-jellyseerr/settings/users/oidc.md
Normal file
82
docs/using-jellyseerr/settings/users/oidc.md
Normal file
@@ -0,0 +1,82 @@
|
||||
---
|
||||
title: OpenID Connect
|
||||
description: Configure OpenID Connect settings.
|
||||
sidebar_position: 2.5
|
||||
---
|
||||
|
||||
# OpenID Connect
|
||||
|
||||
Jellyseerr supports OpenID Connect (OIDC) for authentication and authorization. To begin setting up OpenID Connect, follow these steps:
|
||||
|
||||
1. First, enable OpenID Connect [on the User settings page](./index.md#enable-openid-connect-sign-in).
|
||||
2. Once enabled, access OpenID Connect settings using the cog icon to the right.
|
||||
3. Add a new provider by clicking the "Add Provider" button.
|
||||
4. Configure the provider with the options described below.
|
||||
5. Link your OpenID Connect account to your Jellyseerr account using the "Link Account" button on the Linked Accounts page in your user's settings.
|
||||
6. Finally, you should be able to log in using your OpenID Connect account.
|
||||
|
||||
## Configuration Options
|
||||
|
||||
### Provider Name
|
||||
|
||||
Name of the provider which appears on the login screen.
|
||||
|
||||
Configuring this setting will automatically determine the [provider slug](#provider-slug), unless it is manually specified.
|
||||
|
||||
### Logo
|
||||
|
||||
The logo to display for the provider. Should be a URL or base64 encoded image.
|
||||
|
||||
:::tip
|
||||
|
||||
The search icon at the right of the logo field opens the [selfh.st/icons](https://selfh.st/icons) database. These icons include popular self-hosted OpenID Connect providers.
|
||||
|
||||
:::
|
||||
|
||||
### Issuer URL
|
||||
The base URL of the identity provider's OpenID Connect endpoint
|
||||
|
||||
### Client ID
|
||||
|
||||
The Client ID assigned to Jellyseerr
|
||||
|
||||
### Client Secret
|
||||
|
||||
The Client Secret assigned to Jellyseerr
|
||||
|
||||
### Provider Slug
|
||||
|
||||
Unique identifier for the provider
|
||||
|
||||
### Scopes
|
||||
|
||||
Space-separated list of scopes to request from the provider
|
||||
|
||||
### Required Claims
|
||||
|
||||
Space-separated list of boolean claims that are required to log in
|
||||
|
||||
### Allow New Users
|
||||
|
||||
Create accounts for new users logging in with this provider
|
||||
|
||||
## Provider Guides
|
||||
|
||||
### Keycloak
|
||||
|
||||
To set up Keycloak, follow these steps:
|
||||
|
||||
1. First, create a new client in Keycloak.
|
||||

|
||||
|
||||
1. Set the client ID to `jellyseerr`, and set the name to "Jellyseerr" (or whatever you prefer).
|
||||

|
||||
|
||||
1. Next, be sure to enable "Client authentication" in the capabilities section. The remaining defaults should be fine.
|
||||

|
||||
|
||||
1. Finally, set the root url to your Jellyseerr instance's URL, and add the login page as a valid redirect URL.
|
||||

|
||||
|
||||
1. With all that set up, you should be able to configure Jellyseerr to use Keycloak for authentication. Be sure to copy the client secret from the credentials page, as shown above. The issuer URL can be obtained from the "Realm Settings" page, by copying the link titled "OpenID Endpoint Configuration".
|
||||

|
||||
@@ -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.
|
||||
@@ -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
|
||||
@@ -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: [
|
||||
|
||||
@@ -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
8738
gen-docs/pnpm-lock.yaml
generated
File diff suppressed because it is too large
Load Diff
@@ -254,6 +254,41 @@ components:
|
||||
enableSpecialEpisodes:
|
||||
type: boolean
|
||||
example: false
|
||||
OidcProvider:
|
||||
type: object
|
||||
properties:
|
||||
slug:
|
||||
type: string
|
||||
readOnly: true
|
||||
name:
|
||||
type: string
|
||||
issuerUrl:
|
||||
type: string
|
||||
clientId:
|
||||
type: string
|
||||
clientSecret:
|
||||
type: string
|
||||
logo:
|
||||
type: string
|
||||
requiredClaims:
|
||||
type: string
|
||||
scopes:
|
||||
type: string
|
||||
newUserLogin:
|
||||
type: boolean
|
||||
required:
|
||||
- slug
|
||||
- name
|
||||
- issuerUrl
|
||||
- clientId
|
||||
- clientSecret
|
||||
OidcSettings:
|
||||
type: object
|
||||
properties:
|
||||
providers:
|
||||
type: array
|
||||
items:
|
||||
$ref: '#/components/schemas/OidcProvider'
|
||||
NetworkSettings:
|
||||
type: object
|
||||
properties:
|
||||
@@ -1451,9 +1486,6 @@ components:
|
||||
type: string
|
||||
jsonPayload:
|
||||
type: string
|
||||
supportVariables:
|
||||
type: boolean
|
||||
example: false
|
||||
TelegramSettings:
|
||||
type: object
|
||||
properties:
|
||||
@@ -2215,6 +2247,64 @@ paths:
|
||||
application/json:
|
||||
schema:
|
||||
$ref: '#/components/schemas/MainSettings'
|
||||
/settings/oidc:
|
||||
get:
|
||||
summary: Get OpenID Connect settings
|
||||
description: Retrieves all OpenID Connect settings in a JSON object.
|
||||
tags:
|
||||
- settings
|
||||
responses:
|
||||
'200':
|
||||
description: OK
|
||||
content:
|
||||
application/json:
|
||||
schema:
|
||||
$ref: '#/components/schemas/OidcSettings'
|
||||
/settings/oidc/{provider}:
|
||||
put:
|
||||
summary: Update OpenID Connect provider
|
||||
description: Updates an existing OpenID Connect provider with the provided values.
|
||||
tags:
|
||||
- settings
|
||||
parameters:
|
||||
- in: path
|
||||
name: provider
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
description: Provider slug
|
||||
requestBody:
|
||||
required: true
|
||||
content:
|
||||
application/json:
|
||||
schema:
|
||||
$ref: '#/components/schemas/OidcProvider'
|
||||
responses:
|
||||
'200':
|
||||
description: 'Radarr instance updated'
|
||||
content:
|
||||
application/json:
|
||||
schema:
|
||||
$ref: '#/components/schemas/RadarrSettings'
|
||||
delete:
|
||||
summary: Delete OpenID Connect provider
|
||||
description: Deletes an existing OpenID Connect provider based on the provider slug parameter.
|
||||
tags:
|
||||
- settings
|
||||
parameters:
|
||||
- in: path
|
||||
name: provider
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
description: Provider slug
|
||||
responses:
|
||||
'200':
|
||||
description: 'OpenID Connect provider deleted'
|
||||
content:
|
||||
application/json:
|
||||
schema:
|
||||
$ref: '#/components/schemas/OidcSettings'
|
||||
/settings/network:
|
||||
get:
|
||||
summary: Get network settings
|
||||
@@ -4008,6 +4098,81 @@ paths:
|
||||
required:
|
||||
- email
|
||||
- password
|
||||
/auth/oidc/login/{slug}:
|
||||
get:
|
||||
security: []
|
||||
summary: Redirect to the OpenID Connect provider
|
||||
description: Constructs the redirect URL to the OpenID Connect provider, and redirects the user to it.
|
||||
tags:
|
||||
- auth
|
||||
parameters:
|
||||
- in: path
|
||||
name: slug
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
example: 'authentik'
|
||||
responses:
|
||||
'200':
|
||||
description: Authentication redirect url for the OpenID Connect provider
|
||||
headers:
|
||||
Set-Cookie:
|
||||
schema:
|
||||
type: string
|
||||
example: 'oidc-state=123456789; HttpOnly; max-age=60000; Secure'
|
||||
content:
|
||||
application/json:
|
||||
schema:
|
||||
type: object
|
||||
properties:
|
||||
redirectUrl:
|
||||
type: string
|
||||
example: https://example.com/auth/oidc/callback?response_type=code&client_id=client_id&redirect_uri=https%3A%2F%2Fexample.com%2Fauth%2Foidc%2Fcallback&scope=openid%20email&state=state
|
||||
/auth/oidc/callback/{slug}:
|
||||
get:
|
||||
security: []
|
||||
summary: The callback endpoint for the OpenID Connect provider redirect
|
||||
description: Takes the `code` and `state` parameters from the OpenID Connect provider, and exchanges them for a token.
|
||||
x-allow-unknown-query-parameters: true
|
||||
tags:
|
||||
- auth
|
||||
parameters:
|
||||
- in: path
|
||||
name: slug
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
example: 'authentik'
|
||||
- in: query
|
||||
name: code
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
example: '123456789'
|
||||
- in: query
|
||||
name: state
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
example: '123456789'
|
||||
- in: cookie
|
||||
name: oidc-state
|
||||
required: true
|
||||
schema:
|
||||
type: string
|
||||
example: '123456789'
|
||||
responses:
|
||||
'302':
|
||||
description: A redirect to the home page if successful or back to the login page if not
|
||||
headers:
|
||||
Location:
|
||||
schema:
|
||||
type: string
|
||||
example: /
|
||||
Set-Cookie:
|
||||
schema:
|
||||
type: string
|
||||
example: 'oidc-state=deleted; path=/; expires=Thu, 01 Jan 1970 00:00:00 GMT'
|
||||
/auth/logout:
|
||||
post:
|
||||
summary: Sign out and clear session cookie
|
||||
@@ -4811,6 +4976,23 @@ paths:
|
||||
responses:
|
||||
'204':
|
||||
description: User password updated
|
||||
/user/{userId}/settings/linked-accounts:
|
||||
get:
|
||||
summary: Lists the user's linked OpenID Connect accounts
|
||||
description: Lists the user's linked OpenID Connect accounts
|
||||
tags:
|
||||
- users
|
||||
parameters:
|
||||
- in: path
|
||||
name: userId
|
||||
required: true
|
||||
schema:
|
||||
type: number
|
||||
responses:
|
||||
'200':
|
||||
description: List of linked accounts
|
||||
'403':
|
||||
description: Invalid credentials
|
||||
/user/{userId}/settings/linked-accounts/plex:
|
||||
post:
|
||||
summary: Link the provided Plex account to the current user
|
||||
@@ -4909,6 +5091,28 @@ paths:
|
||||
description: Unlink request invalid
|
||||
'404':
|
||||
description: User does not exist
|
||||
/user/{userId}/settings/linked-accounts/{acctId}:
|
||||
delete:
|
||||
summary: Remove a linked account for a user
|
||||
description: Removes the linked account with the given ID for a specific user. Requires `MANAGE_USERS` permission if editing other users.
|
||||
tags:
|
||||
- users
|
||||
parameters:
|
||||
- in: path
|
||||
name: userId
|
||||
required: true
|
||||
schema:
|
||||
type: number
|
||||
- in: path
|
||||
name: acctId
|
||||
required: true
|
||||
schema:
|
||||
type: number
|
||||
responses:
|
||||
'204':
|
||||
description: Unlinking account succeeded
|
||||
'404':
|
||||
description: User or linked account does not exist
|
||||
/user/{userId}/settings/notifications:
|
||||
get:
|
||||
summary: Get notification settings for a user
|
||||
@@ -5198,12 +5402,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 +5722,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 +6345,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 +6372,6 @@ paths:
|
||||
type: number
|
||||
available:
|
||||
type: number
|
||||
completed:
|
||||
type: number
|
||||
/request/{requestId}:
|
||||
get:
|
||||
summary: Get MediaRequest
|
||||
|
||||
36
package.json
36
package.json
@@ -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",
|
||||
@@ -69,6 +68,7 @@
|
||||
"gravatar-url": "3.1.0",
|
||||
"http-proxy-agent": "^7.0.2",
|
||||
"https-proxy-agent": "^7.0.6",
|
||||
"jwt-decode": "^4.0.0",
|
||||
"lodash": "4.17.21",
|
||||
"mime": "3",
|
||||
"next": "^14.2.25",
|
||||
@@ -117,8 +117,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 +171,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 +180,7 @@
|
||||
},
|
||||
"engines": {
|
||||
"node": "^22.0.0",
|
||||
"pnpm": "^10.0.0"
|
||||
"pnpm": "^9.0.0"
|
||||
},
|
||||
"overrides": {
|
||||
"sqlite3/node-gyp": "8.4.1",
|
||||
@@ -205,12 +209,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 +251,7 @@
|
||||
"@codedependant/semantic-release-docker",
|
||||
{
|
||||
"dockerArgs": {
|
||||
"COMMIT_TAG": "${GITHUB_SHA}"
|
||||
"COMMIT_TAG": "$GIT_SHA"
|
||||
},
|
||||
"dockerLogin": false,
|
||||
"dockerRegistry": "ghcr.io",
|
||||
@@ -264,11 +284,5 @@
|
||||
"@codedependant/semantic-release-docker",
|
||||
"@semantic-release/github"
|
||||
]
|
||||
},
|
||||
"pnpm": {
|
||||
"onlyBuiltDependencies": [
|
||||
"sqlite3",
|
||||
"bcrypt"
|
||||
]
|
||||
}
|
||||
}
|
||||
|
||||
1892
pnpm-lock.yaml
generated
1892
pnpm-lock.yaml
generated
File diff suppressed because it is too large
Load Diff
57
public/images/openid.svg
Normal file
57
public/images/openid.svg
Normal file
@@ -0,0 +1,57 @@
|
||||
<?xml version="1.0" encoding="UTF-8" standalone="no"?>
|
||||
<!-- Created with Inkscape (http://www.inkscape.org/) -->
|
||||
|
||||
<svg
|
||||
version="1.0"
|
||||
width="120"
|
||||
height="120"
|
||||
id="svg2593"
|
||||
xml:space="preserve"
|
||||
sodipodi:docname="OpenID_logo_2.svg"
|
||||
inkscape:version="1.3.2 (091e20e, 2023-11-25)"
|
||||
xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape"
|
||||
xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd"
|
||||
xmlns="http://www.w3.org/2000/svg"
|
||||
xmlns:svg="http://www.w3.org/2000/svg"><sodipodi:namedview
|
||||
id="namedview1"
|
||||
pagecolor="#505050"
|
||||
bordercolor="#eeeeee"
|
||||
borderopacity="1"
|
||||
inkscape:showpageshadow="0"
|
||||
inkscape:pageopacity="0"
|
||||
inkscape:pagecheckerboard="0"
|
||||
inkscape:deskcolor="#505050"
|
||||
showgrid="false"
|
||||
inkscape:zoom="5.3731101"
|
||||
inkscape:cx="69.60587"
|
||||
inkscape:cy="65.883631"
|
||||
inkscape:window-width="1512"
|
||||
inkscape:window-height="945"
|
||||
inkscape:window-x="0"
|
||||
inkscape:window-y="37"
|
||||
inkscape:window-maximized="0"
|
||||
inkscape:current-layer="svg2593" /><defs
|
||||
id="defs2596"><clipPath
|
||||
id="clipPath2616"><path
|
||||
d="M 0,14400 H 14400 V 0 H 0 Z"
|
||||
id="path2618" /></clipPath></defs><g
|
||||
transform="matrix(1.25,0,0,-1.25,-8601.6804,9121.1624)"
|
||||
id="g2602"><g
|
||||
transform="matrix(0.375,0,0,0.375,4301.4506,4557.5812)"
|
||||
id="g2734"><g
|
||||
id="g2726"><g
|
||||
transform="translate(6998.0969,7259.1135)"
|
||||
id="g2604"><path
|
||||
d="M 0,0 V -159.939 -180 l 32,15.061 V 15.633 Z"
|
||||
id="path2606"
|
||||
style="fill:#f8931e;fill-opacity:1;fill-rule:nonzero;stroke:none" /></g><g
|
||||
transform="translate(7108.9192,7206.3137)"
|
||||
id="g2608"><path
|
||||
d="M 0,0 4.417,-45.864 -57.466,-32.4"
|
||||
id="path2610"
|
||||
style="fill:#b3b3b3;fill-opacity:1;fill-rule:nonzero;stroke:none" /></g><g
|
||||
transform="translate(6934.0969,7147.6213)"
|
||||
id="g2620"><path
|
||||
d="M 0,0 C 0,22.674 24.707,41.769 58.383,47.598 V 67.923 C 6.873,61.697 -32,33.656 -32,0 -32,-34.869 9.725,-63.709 64,-68.508 v 20.061 C 27.484,-43.869 0,-23.919 0,0 M 101.617,67.915 V 47.598 c 13.399,-2.319 25.385,-6.727 34.951,-12.64 l 22.627,13.984 c -15.42,9.531 -35.322,16.283 -57.578,18.973"
|
||||
id="path2622"
|
||||
style="fill:#b3b3b3;fill-opacity:1;fill-rule:nonzero;stroke:none" /></g></g></g></g></svg>
|
||||
|
After Width: | Height: | Size: 2.4 KiB |
@@ -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) {
|
||||
|
||||
@@ -103,7 +103,6 @@ export interface JellyfinLibraryItemExtended extends JellyfinLibraryItem {
|
||||
Tmdb?: string;
|
||||
Imdb?: string;
|
||||
Tvdb?: string;
|
||||
AniDB?: string;
|
||||
};
|
||||
MediaSources?: JellyfinMediaSource[];
|
||||
Width?: number;
|
||||
|
||||
@@ -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,
|
||||
|
||||
@@ -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', {});
|
||||
}
|
||||
|
||||
@@ -86,7 +86,6 @@ interface DiscoverMovieOptions {
|
||||
genre?: string;
|
||||
studio?: string;
|
||||
keywords?: string;
|
||||
excludeKeywords?: string;
|
||||
sortBy?: SortOptions;
|
||||
watchRegion?: string;
|
||||
watchProviders?: string;
|
||||
@@ -112,7 +111,6 @@ interface DiscoverTvOptions {
|
||||
genre?: string;
|
||||
network?: number;
|
||||
keywords?: string;
|
||||
excludeKeywords?: string;
|
||||
sortBy?: SortOptions;
|
||||
watchRegion?: string;
|
||||
watchProviders?: string;
|
||||
@@ -497,7 +495,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
|
||||
genre,
|
||||
studio,
|
||||
keywords,
|
||||
excludeKeywords,
|
||||
withRuntimeGte,
|
||||
withRuntimeLte,
|
||||
voteAverageGte,
|
||||
@@ -548,7 +545,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 +577,6 @@ class TheMovieDb extends ExternalAPI implements TvShowProvider {
|
||||
genre,
|
||||
network,
|
||||
keywords,
|
||||
excludeKeywords,
|
||||
withRuntimeGte,
|
||||
withRuntimeLte,
|
||||
voteAverageGte,
|
||||
@@ -633,7 +628,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,
|
||||
|
||||
27
server/entity/LinkedAccount.ts
Normal file
27
server/entity/LinkedAccount.ts
Normal file
@@ -0,0 +1,27 @@
|
||||
import { Column, Entity, ManyToOne, PrimaryGeneratedColumn } from 'typeorm';
|
||||
import { User } from './User';
|
||||
|
||||
@Entity('linked_accounts')
|
||||
export class LinkedAccount {
|
||||
constructor(options: Omit<LinkedAccount, 'id'>) {
|
||||
Object.assign(this, options);
|
||||
}
|
||||
|
||||
@PrimaryGeneratedColumn()
|
||||
id: number;
|
||||
|
||||
@ManyToOne(() => User, (user) => user.linkedAccounts, { onDelete: 'CASCADE' })
|
||||
user: User;
|
||||
|
||||
/** Slug of the OIDC provider. */
|
||||
@Column({ type: 'varchar', length: 255 })
|
||||
provider: string;
|
||||
|
||||
/** Unique ID from the OAuth provider */
|
||||
@Column({ type: 'varchar', length: 255 })
|
||||
sub: string;
|
||||
|
||||
/** Account username from the OAuth provider */
|
||||
@Column()
|
||||
username: string;
|
||||
}
|
||||
@@ -1,6 +1,7 @@
|
||||
import { MediaRequestStatus, MediaType } from '@server/constants/media';
|
||||
import { UserType } from '@server/constants/user';
|
||||
import { getRepository } from '@server/datasource';
|
||||
import { LinkedAccount } from '@server/entity/LinkedAccount';
|
||||
import { Watchlist } from '@server/entity/Watchlist';
|
||||
import type { QuotaResponse } from '@server/interfaces/api/userInterfaces';
|
||||
import PreparedEmail from '@server/lib/email';
|
||||
@@ -91,6 +92,9 @@ export class User {
|
||||
@Column({ type: 'varchar', nullable: true, select: false })
|
||||
public plexToken?: string | null;
|
||||
|
||||
@OneToMany(() => LinkedAccount, (link) => link.user)
|
||||
public linkedAccounts: LinkedAccount[];
|
||||
|
||||
@Column({ type: 'integer', default: 0 })
|
||||
public permissions = 0;
|
||||
|
||||
|
||||
@@ -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,
|
||||
|
||||
239
server/interfaces/api/oidcInterfaces.ts
Normal file
239
server/interfaces/api/oidcInterfaces.ts
Normal file
@@ -0,0 +1,239 @@
|
||||
/**
|
||||
* @internal
|
||||
*/
|
||||
type Mandatory<T, K extends keyof T> = Required<Pick<T, K>> & Omit<T, K>;
|
||||
|
||||
/**
|
||||
* Standard OpenID Connect discovery document.
|
||||
*
|
||||
* @public
|
||||
* @see https://openid.net/specs/openid-connect-discovery-1_0.html#ProviderMetadata
|
||||
*/
|
||||
export interface OidcProviderMetadata {
|
||||
issuer: string; // REQUIRED
|
||||
|
||||
authorization_endpoint: string; // REQUIRED
|
||||
|
||||
token_endpoint: string; // REQUIRED
|
||||
|
||||
token_endpoint_auth_methods_supported?: string[]; // OPTIONAL
|
||||
|
||||
token_endpoint_auth_signing_alg_values_supported?: string[]; // OPTIONAL
|
||||
|
||||
userinfo_endpoint: string; // RECOMMENDED
|
||||
|
||||
check_session_iframe: string; // REQUIRED
|
||||
|
||||
end_session_endpoint: string; // REQUIRED
|
||||
|
||||
jwks_uri: string; // REQUIRED
|
||||
|
||||
registration_endpoint: string; // RECOMMENDED
|
||||
|
||||
scopes_supported: string[]; // RECOMMENDED
|
||||
|
||||
response_types_supported: string[]; // REQUIRED
|
||||
|
||||
acr_values_supported?: string[]; // OPTIONAL
|
||||
|
||||
subject_types_supported: string[]; // REQUIRED
|
||||
|
||||
request_object_signing_alg_values_supported?: string[]; // OPTIONAL
|
||||
|
||||
display_values_supported?: string[]; // OPTIONAL
|
||||
|
||||
claim_types_supported?: string[]; // OPTIONAL
|
||||
|
||||
claims_supported: string[]; // RECOMMENDED
|
||||
|
||||
claims_parameter_supported?: boolean; // OPTIONAL
|
||||
|
||||
service_documentation?: string; // OPTIONAL
|
||||
|
||||
ui_locales_supported?: string[]; // OPTIONAL
|
||||
|
||||
revocation_endpoint: string; // REQUIRED
|
||||
|
||||
introspection_endpoint: string; // REQUIRED
|
||||
|
||||
frontchannel_logout_supported?: boolean; // OPTIONAL
|
||||
|
||||
frontchannel_logout_session_supported?: boolean; // OPTIONAL
|
||||
|
||||
backchannel_logout_supported?: boolean; // OPTIONAL
|
||||
|
||||
backchannel_logout_session_supported?: boolean; // OPTIONAL
|
||||
|
||||
grant_types_supported?: string[]; // OPTIONAL
|
||||
|
||||
response_modes_supported?: string[]; // OPTIONAL
|
||||
|
||||
code_challenge_methods_supported?: string[]; // OPTIONAL
|
||||
}
|
||||
|
||||
/**
|
||||
* Standard OpenID Connect address claim.
|
||||
* The Address Claim represents a physical mailing address.
|
||||
*
|
||||
* @public
|
||||
* @see https://openid.net/specs/openid-connect-core-1_0.html#AddressClaim
|
||||
*/
|
||||
export interface OidcAddressClaim {
|
||||
/** Full mailing address, formatted for display or use on a mailing label. This field MAY contain multiple lines, separated by newlines. Newlines can be represented either as a carriage return/line feed pair ("\\r\\n") or as a single line feed character ("\\n"). */
|
||||
formatted?: string;
|
||||
/** Full street address component, which MAY include house number, street name, Post Office Box, and multi-line extended street address information. This field MAY contain multiple lines, separated by newlines. Newlines can be represented either as a carriage return/line feed pair ("\\r\\n") or as a single line feed character ("\\n"). */
|
||||
street_address?: string;
|
||||
/** City or locality component. */
|
||||
locality?: string;
|
||||
/** State, province, prefecture, or region component. */
|
||||
region?: string;
|
||||
/** Zip code or postal code component. */
|
||||
postal_code?: string;
|
||||
/** Country name component. */
|
||||
country?: string;
|
||||
}
|
||||
|
||||
/**
|
||||
* Standard OpenID Connect claims.
|
||||
* They can be requested to be returned either in the UserInfo Response or in the ID Token.
|
||||
*
|
||||
* @public
|
||||
* @see https://openid.net/specs/openid-connect-core-1_0.html#StandardClaims
|
||||
*/
|
||||
export interface OidcStandardClaims {
|
||||
/** Subject - Identifier for the End-User at the Issuer. */
|
||||
sub?: string;
|
||||
/** End-User's full name in displayable form including all name parts, possibly including titles and suffixes, ordered according to the End-User's locale and preferences. */
|
||||
name?: string;
|
||||
/** Given name(s) or first name(s) of the End-User. Note that in some cultures, people can have multiple given names; all can be present, with the names being separated by space characters. */
|
||||
given_name?: string;
|
||||
/** Surname(s) or last name(s) of the End-User. Note that in some cultures, people can have multiple family names or no family name; all can be present, with the names being separated by space characters. */
|
||||
family_name?: string;
|
||||
/** Middle name(s) of the End-User. Note that in some cultures, people can have multiple middle names; all can be present, with the names being separated by space characters. Also note that in some cultures, middle names are not used. */
|
||||
middle_name?: string;
|
||||
/** Casual name of the End-User that may or may not be the same as the given_name. For instance, a nickname value of Mike might be returned alongside a given_name value of Michael. */
|
||||
nickname?: string;
|
||||
/** Shorthand name by which the End-User wishes to be referred to at the RP, such as janedoe or j.doe. This value MAY be any valid JSON string including special characters such as \@, /, or whitespace. */
|
||||
preferred_username?: string;
|
||||
/** URL of the End-User's profile page. The contents of this Web page SHOULD be about the End-User. */
|
||||
profile?: string;
|
||||
/** URL of the End-User's profile picture. This URL MUST refer to an image file (for example, a PNG, JPEG, or GIF image file), rather than to a Web page containing an image. Note that this URL SHOULD specifically reference a profile photo of the End-User suitable for displaying when describing the End-User, rather than an arbitrary photo taken by the End-User. */
|
||||
picture?: string;
|
||||
/** URL of the End-User's Web page or blog. This Web page SHOULD contain information published by the End-User or an organization that the End-User is affiliated with. */
|
||||
website?: string;
|
||||
/** End-User's preferred e-mail address. Its value MUST conform to the RFC 5322 addr-spec syntax. */
|
||||
email?: string;
|
||||
/** True if the End-User's e-mail address has been verified; otherwise false. When this Claim Value is true, this means that the OP took affirmative steps to ensure that this e-mail address was controlled by the End-User at the time the verification was performed. The means by which an e-mail address is verified is context-specific, and dependent upon the trust framework or contractual agreements within which the parties are operating. */
|
||||
email_verified?: boolean;
|
||||
/** End-User's gender. Values defined by this specification are female and male. Other values MAY be used when neither of the defined values are applicable. */
|
||||
gender?: string;
|
||||
/** End-User's birthday, represented as an ISO 8601:2004 [ISO8601‑2004] YYYY-MM-DD format. The year MAY be 0000, indicating that it is omitted. To represent only the year, YYYY format is allowed. Note that depending on the underlying platform's date related function, providing just year can result in varying month and day, so the implementers need to take this factor into account to correctly process the dates. */
|
||||
birthdate?: string;
|
||||
/** String from zoneinfo [zoneinfo] time zone database representing the End-User's time zone. For example, Europe/Paris or America/Los_Angeles. */
|
||||
zoneinfo?: string;
|
||||
/** End-User's locale, represented as a BCP47 [RFC5646] language tag. This is typically an ISO 639-1 Alpha-2 [ISO639‑1] language code in lowercase and an ISO 3166-1 Alpha-2 [ISO3166‑1] country code in uppercase, separated by a dash. For example, en-US or fr-CA. As a compatibility note, some implementations have used an underscore as the separator rather than a dash, for example, en_US; */
|
||||
locale?: string;
|
||||
/** End-User's preferred telephone number. E.164 [E.164] is RECOMMENDED as the format of this Claim, for example, +1 (425) 555-1212 or +56 (2) 687 2400. If the phone number contains an extension, it is RECOMMENDED that the extension be represented using the RFC 3966 [RFC3966] extension syntax, for example, +1 (604) 555-1234;ext=5678. */
|
||||
phone_number?: string;
|
||||
/** True if the End-User's phone number has been verified; otherwise false. When this Claim Value is true, this means that the OP took affirmative steps to ensure that this phone number was controlled by the End-User at the time the verification was performed. The means by which a phone number is verified is context-specific, and dependent upon the trust framework or contractual agreements within which the parties are operating. When true, the phone_number Claim MUST be in E.164 format and any extensions MUST be represented in RFC 3966 format. */
|
||||
phone_number_verified?: boolean;
|
||||
/** End-User's preferred postal address. The value of the address member is a JSON [RFC4627] structure containing some or all of the members defined in Section 5.1.1. */
|
||||
address?: OidcAddressClaim;
|
||||
/** Time the End-User's information was last updated. Its value is a JSON number representing the number of seconds from 1970-01-01T0:0:0Z as measured in UTC until the date/time. */
|
||||
updated_at?: number;
|
||||
}
|
||||
|
||||
/**
|
||||
* Standard JWT claims.
|
||||
*
|
||||
* @public
|
||||
* @see https://datatracker.ietf.org/doc/html/rfc7519#section-4.1
|
||||
*/
|
||||
export interface JwtClaims {
|
||||
[claim: string]: unknown;
|
||||
|
||||
/** The "iss" (issuer) claim identifies the principal that issued the JWT. The processing of this claim is generally application specific. The "iss" value is a case-sensitive string containing a StringOrURI value. */
|
||||
iss?: string;
|
||||
/** The "sub" (subject) claim identifies the principal that is the subject of the JWT. The claims in a JWT are normally statements about the subject. The subject value MUST either be scoped to be locally unique in the context of the issuer or be globally unique. The processing of this claim is generally application specific. The "sub" value is a case-sensitive string containing a StringOrURI value. */
|
||||
sub?: string;
|
||||
/** The "aud" (audience) claim identifies the recipients that the JWT is intended for. Each principal intended to process the JWT MUST identify itself with a value in the audience claim. If the principal processing the claim does not identify itself with a value in the "aud" claim when this claim is present, then the JWT MUST be rejected. In the general case, the "aud" value is an array of case-sensitive strings, each containing a StringOrURI value. In the special case when the JWT has one audience, the "aud" value MAY be a single case-sensitive string containing a StringOrURI value. The interpretation of audience values is generally application specific. */
|
||||
aud?: string | string[];
|
||||
/** The "exp" (expiration time) claim identifies the expiration time on or after which the JWT MUST NOT be accepted for processing. The processing of the "exp" claim requires that the current date/time MUST be before the expiration date/time listed in the "exp" claim. Implementers MAY provide for some small leeway, usually no more than a few minutes, to account for clock skew. Its value MUST be a number containing a NumericDate value. */
|
||||
exp?: number;
|
||||
/** The "nbf" (not before) claim identifies the time before which the JWT MUST NOT be accepted for processing. The processing of the "nbf" claim requires that the current date/time MUST be after or equal to the not-before date/time listed in the "nbf" claim. Implementers MAY provide for some small leeway, usually no more than a few minutes, to account for clock skew. Its value MUST be a number containing a NumericDate value. */
|
||||
nbf?: number;
|
||||
/** The "iat" (issued at) claim identifies the time at which the JWT was issued. This claim can be used to determine the age of the JWT. Its value MUST be a number containing a NumericDate value. */
|
||||
iat?: number;
|
||||
/** The "jti" (JWT ID) claim provides a unique identifier for the JWT. The identifier value MUST be assigned in a manner that ensures that there is a negligible probability that the same value will be accidentally assigned to a different data object; if the application uses multiple issuers, collisions MUST be prevented among values produced by different issuers as well. The "jti" claim can be used to prevent the JWT from being replayed. The "jti" value is a case-sensitive string. */
|
||||
jti?: string;
|
||||
}
|
||||
|
||||
/**
|
||||
* Standard ID Token claims.
|
||||
*
|
||||
* @public
|
||||
* @see https://openid.net/specs/openid-connect-core-1_0.html#IDToken
|
||||
*/
|
||||
export interface IdTokenClaims
|
||||
extends Mandatory<OidcStandardClaims, 'sub'>,
|
||||
Mandatory<JwtClaims, 'iss' | 'sub' | 'aud' | 'exp' | 'iat'> {
|
||||
[claim: string]: unknown;
|
||||
|
||||
/** Time when the End-User authentication occurred. Its value is a JSON number representing the number of seconds from 1970-01-01T0:0:0Z as measured in UTC until the date/time. When a max_age request is made or when auth_time is requested as an Essential Claim, then this Claim is REQUIRED; otherwise, its inclusion is OPTIONAL. (The auth_time Claim semantically corresponds to the OpenID 2.0 PAPE [OpenID.PAPE] auth_time response parameter.) */
|
||||
auth_time?: number;
|
||||
/** String value used to associate a Client session with an ID Token, and to mitigate replay attacks. The value is passed through unmodified from the Authentication Request to the ID Token. If present in the ID Token, Clients MUST verify that the nonce Claim Value is equal to the value of the nonce parameter sent in the Authentication Request. If present in the Authentication Request, Authorization Servers MUST include a nonce Claim in the ID Token with the Claim Value being the nonce value sent in the Authentication Request. Authorization Servers SHOULD perform no other processing on nonce values used. The nonce value is a case sensitive string. */
|
||||
nonce?: string;
|
||||
/** Authentication Context Class Reference. String specifying an Authentication Context Class Reference value that identifies the Authentication Context Class that the authentication performed satisfied. The value "0" indicates the End-User authentication did not meet the requirements of ISO/IEC 29115 [ISO29115] level 1. Authentication using a long-lived browser cookie, for instance, is one example where the use of "level 0" is appropriate. Authentications with level 0 SHOULD NOT be used to authorize access to any resource of any monetary value. (This corresponds to the OpenID 2.0 PAPE [OpenID.PAPE] nist_auth_level 0.) An absolute URI or an RFC 6711 [RFC6711] registered name SHOULD be used as the acr value; registered names MUST NOT be used with a different meaning than that which is registered. Parties using this claim will need to agree upon the meanings of the values used, which may be context-specific. The acr value is a case sensitive string. */
|
||||
acr?: string;
|
||||
/** Authentication Methods References. JSON array of strings that are identifiers for authentication methods used in the authentication. For instance, values might indicate that both password and OTP authentication methods were used. The definition of particular values to be used in the amr Claim is beyond the scope of this specification. Parties using this claim will need to agree upon the meanings of the values used, which may be context-specific. The amr value is an array of case sensitive strings. */
|
||||
amr?: unknown;
|
||||
/** Authorized party - the party to which the ID Token was issued. If present, it MUST contain the OAuth 2.0 Client ID of this party. This Claim is only needed when the ID Token has a single audience value and that audience is different than the authorized party. It MAY be included even when the authorized party is the same as the sole audience. The azp value is a case sensitive string containing a StringOrURI value. */
|
||||
azp?: string;
|
||||
/**
|
||||
* Session ID - String identifier for a Session. This represents a Session of a User Agent or device for a logged-in End-User at an RP. Different sid values are used to identify distinct sessions at an OP. The sid value need only be unique in the context of a particular issuer. Its contents are opaque to the RP. Its syntax is the same as an OAuth 2.0 Client Identifier.
|
||||
* @see https://openid.net/specs/openid-connect-frontchannel-1_0.html#OPLogout
|
||||
* */
|
||||
sid?: string;
|
||||
}
|
||||
|
||||
type OidcTokenSuccessResponse = {
|
||||
/**
|
||||
* REQUIRED. ID Token value associated with the authenticated session.
|
||||
*
|
||||
* @see https://openid.net/specs/openid-connect-core-1_0.html#IDToken
|
||||
*/
|
||||
id_token: string;
|
||||
/**
|
||||
* REQUIRED. The access token issued by the authorization server.
|
||||
*/
|
||||
access_token: string;
|
||||
/**
|
||||
* REQUIRED. The type of the token issued as described in
|
||||
* Section 7.1. Value is case insensitive.
|
||||
*
|
||||
* @see https://datatracker.ietf.org/doc/html/rfc6749#section-7.1
|
||||
*/
|
||||
token_type: string;
|
||||
/**
|
||||
* RECOMMENDED. The lifetime in seconds of the access token. For
|
||||
* example, the value "3600" denotes that the access token will
|
||||
* expire in one hour from the time the response was generated.
|
||||
* If omitted, the authorization server SHOULD provide the
|
||||
* expiration time via other means or document the default value.
|
||||
*/
|
||||
expires_in?: number;
|
||||
};
|
||||
|
||||
type OidcTokenErrorResponse = {
|
||||
error: string;
|
||||
};
|
||||
|
||||
/**
|
||||
* Standard response from the OpenID Connect token request endpoint.
|
||||
*
|
||||
* @public
|
||||
* @see https://openid.net/specs/openid-connect-core-1_0.html#TokenResponse
|
||||
*/
|
||||
export type OidcTokenResponse =
|
||||
| OidcTokenSuccessResponse
|
||||
| OidcTokenErrorResponse;
|
||||
@@ -1,3 +1,4 @@
|
||||
import type { PublicOidcProvider } from '@server/lib/settings';
|
||||
import type { DnsEntries, DnsStats } from 'dns-caching';
|
||||
import type { PaginatedResponse } from './common';
|
||||
|
||||
@@ -48,6 +49,7 @@ export interface PublicSettingsResponse {
|
||||
emailEnabled: boolean;
|
||||
newPlexLogin: boolean;
|
||||
youtubeUrl: string;
|
||||
openIdProviders: PublicOidcProvider[];
|
||||
}
|
||||
|
||||
export interface CacheItem {
|
||||
|
||||
@@ -1,4 +1,7 @@
|
||||
import type { NotificationAgentKey } from '@server/lib/settings';
|
||||
import type {
|
||||
NotificationAgentKey,
|
||||
PublicOidcProvider,
|
||||
} from '@server/lib/settings';
|
||||
|
||||
export interface UserSettingsGeneralResponse {
|
||||
username?: string;
|
||||
@@ -39,3 +42,11 @@ export interface UserSettingsNotificationsResponse {
|
||||
webPushEnabled?: boolean;
|
||||
notificationTypes: Partial<NotificationAgentTypes>;
|
||||
}
|
||||
|
||||
export type UserSettingsLinkedAccount = {
|
||||
id: number;
|
||||
username: string;
|
||||
provider: PublicOidcProvider;
|
||||
};
|
||||
|
||||
export type UserSettingsLinkedAccountResponse = UserSettingsLinkedAccount[];
|
||||
|
||||
@@ -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
|
||||
? {
|
||||
|
||||
@@ -1,4 +1,3 @@
|
||||
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';
|
||||
@@ -46,7 +45,6 @@ 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();
|
||||
@@ -68,7 +66,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 +77,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 +89,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 +106,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
|
||||
@@ -326,28 +274,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 +302,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 +357,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 +569,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 +666,6 @@ class JellyfinScanner {
|
||||
(library) => library.enabled
|
||||
);
|
||||
|
||||
await animeList.sync();
|
||||
|
||||
this.enable4kMovie = settings.radarr.some((radarr) => radarr.is4k);
|
||||
if (this.enable4kMovie) {
|
||||
this.log(
|
||||
|
||||
@@ -49,6 +49,25 @@ export interface JellyfinSettings {
|
||||
serverId: string;
|
||||
apiKey: string;
|
||||
}
|
||||
|
||||
export type OidcProvider = {
|
||||
slug: string;
|
||||
name: string;
|
||||
issuerUrl: string;
|
||||
clientId: string;
|
||||
clientSecret: string;
|
||||
logo?: string;
|
||||
requiredClaims?: string;
|
||||
scopes?: string;
|
||||
newUserLogin?: boolean;
|
||||
};
|
||||
|
||||
export type PublicOidcProvider = Pick<OidcProvider, 'slug' | 'name' | 'logo'>;
|
||||
|
||||
export interface OidcSettings {
|
||||
providers: OidcProvider[];
|
||||
}
|
||||
|
||||
export interface TautulliSettings {
|
||||
hostname?: string;
|
||||
port?: number;
|
||||
@@ -135,6 +154,7 @@ export interface MainSettings {
|
||||
hideBlacklisted: boolean;
|
||||
localLogin: boolean;
|
||||
mediaServerLogin: boolean;
|
||||
oidcLogin: boolean;
|
||||
newPlexLogin: boolean;
|
||||
discoverRegion: string;
|
||||
streamingRegion: string;
|
||||
@@ -203,6 +223,7 @@ interface FullPublicSettings extends PublicSettings {
|
||||
userEmailRequired: boolean;
|
||||
newPlexLogin: boolean;
|
||||
youtubeUrl: string;
|
||||
openIdProviders: PublicOidcProvider[];
|
||||
}
|
||||
|
||||
export interface NotificationAgentConfig {
|
||||
@@ -275,7 +296,6 @@ export interface NotificationAgentWebhook extends NotificationAgentConfig {
|
||||
webhookUrl: string;
|
||||
jsonPayload: string;
|
||||
authHeader?: string;
|
||||
supportVariables?: boolean;
|
||||
};
|
||||
}
|
||||
|
||||
@@ -355,6 +375,7 @@ export interface AllSettings {
|
||||
main: MainSettings;
|
||||
plex: PlexSettings;
|
||||
jellyfin: JellyfinSettings;
|
||||
oidc: OidcSettings;
|
||||
tautulli: TautulliSettings;
|
||||
radarr: RadarrSettings[];
|
||||
sonarr: SonarrSettings[];
|
||||
@@ -363,7 +384,6 @@ export interface AllSettings {
|
||||
jobs: Record<JobId, JobSettings>;
|
||||
network: NetworkSettings;
|
||||
metadataSettings: MetadataSettings;
|
||||
migrations: string[];
|
||||
}
|
||||
|
||||
const SETTINGS_PATH = process.env.CONFIG_DIRECTORY
|
||||
@@ -392,6 +412,7 @@ class Settings {
|
||||
hideBlacklisted: false,
|
||||
localLogin: true,
|
||||
mediaServerLogin: true,
|
||||
oidcLogin: false,
|
||||
newPlexLogin: true,
|
||||
discoverRegion: '',
|
||||
streamingRegion: '',
|
||||
@@ -423,6 +444,9 @@ class Settings {
|
||||
serverId: '',
|
||||
apiKey: '',
|
||||
},
|
||||
oidc: {
|
||||
providers: [],
|
||||
},
|
||||
tautulli: {},
|
||||
metadataSettings: {
|
||||
tv: MetadataProviderType.TMDB,
|
||||
@@ -594,7 +618,6 @@ class Settings {
|
||||
forceMaxTtl: -1,
|
||||
},
|
||||
},
|
||||
migrations: [],
|
||||
};
|
||||
if (initialSettings) {
|
||||
this.data = merge(this.data, initialSettings);
|
||||
@@ -625,6 +648,14 @@ class Settings {
|
||||
this.data.jellyfin = data;
|
||||
}
|
||||
|
||||
get oidc(): OidcSettings {
|
||||
return this.data.oidc;
|
||||
}
|
||||
|
||||
set oidc(data: OidcSettings) {
|
||||
this.data.oidc = data;
|
||||
}
|
||||
|
||||
get tautulli(): TautulliSettings {
|
||||
return this.data.tautulli;
|
||||
}
|
||||
@@ -697,6 +728,13 @@ class Settings {
|
||||
this.data.notifications.agents.email.options.userEmailRequired,
|
||||
newPlexLogin: this.data.main.newPlexLogin,
|
||||
youtubeUrl: this.data.main.youtubeUrl,
|
||||
openIdProviders: this.data.main.oidcLogin
|
||||
? this.data.oidc.providers.map((p) => ({
|
||||
slug: p.slug,
|
||||
name: p.name,
|
||||
logo: p.logo,
|
||||
}))
|
||||
: [],
|
||||
};
|
||||
}
|
||||
|
||||
@@ -724,14 +762,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;
|
||||
}
|
||||
|
||||
@@ -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;
|
||||
21
server/migration/postgres/1742858617989-AddLinkedAccount.ts
Normal file
21
server/migration/postgres/1742858617989-AddLinkedAccount.ts
Normal file
@@ -0,0 +1,21 @@
|
||||
import type { MigrationInterface, QueryRunner } from 'typeorm';
|
||||
|
||||
export class AddLinkedAccount1742858617989 implements MigrationInterface {
|
||||
name = 'AddLinkedAccount1742858617989';
|
||||
|
||||
public async up(queryRunner: QueryRunner): Promise<void> {
|
||||
await queryRunner.query(
|
||||
`CREATE TABLE "linked_accounts" ("id" SERIAL NOT NULL, "provider" character varying(255) NOT NULL, "sub" character varying(255) NOT NULL, "username" character varying NOT NULL, "userId" integer, CONSTRAINT "PK_445bf7a50aeeb7f0084052935a6" PRIMARY KEY ("id"))`
|
||||
);
|
||||
await queryRunner.query(
|
||||
`ALTER TABLE "linked_accounts" ADD CONSTRAINT "FK_2c77d2a0c06eeab6e62dc35af64" FOREIGN KEY ("userId") REFERENCES "user"("id") ON DELETE CASCADE ON UPDATE NO ACTION`
|
||||
);
|
||||
}
|
||||
|
||||
public async down(queryRunner: QueryRunner): Promise<void> {
|
||||
await queryRunner.query(
|
||||
`ALTER TABLE "linked_accounts" DROP CONSTRAINT "FK_2c77d2a0c06eeab6e62dc35af64"`
|
||||
);
|
||||
await queryRunner.query(`DROP TABLE "linked_accounts"`);
|
||||
}
|
||||
}
|
||||
15
server/migration/sqlite/1742858484395-AddLinkedAccounts.ts
Normal file
15
server/migration/sqlite/1742858484395-AddLinkedAccounts.ts
Normal file
@@ -0,0 +1,15 @@
|
||||
import type { MigrationInterface, QueryRunner } from 'typeorm';
|
||||
|
||||
export class AddLinkedAccounts1742858484395 implements MigrationInterface {
|
||||
name = 'AddLinkedAccounts1742858484395';
|
||||
|
||||
public async up(queryRunner: QueryRunner): Promise<void> {
|
||||
await queryRunner.query(
|
||||
`CREATE TABLE "linked_accounts" ("id" integer PRIMARY KEY AUTOINCREMENT NOT NULL, "provider" varchar(255) NOT NULL, "sub" varchar(255) NOT NULL, "username" varchar NOT NULL, "userId" integer, CONSTRAINT "FK_2c77d2a0c06eeab6e62dc35af64" FOREIGN KEY ("userId") REFERENCES "user" ("id") ON DELETE CASCADE ON UPDATE NO ACTION)`
|
||||
);
|
||||
}
|
||||
|
||||
public async down(queryRunner: QueryRunner): Promise<void> {
|
||||
await queryRunner.query(`DROP TABLE "linked_accounts"`);
|
||||
}
|
||||
}
|
||||
@@ -4,7 +4,9 @@ import { ApiErrorCode } from '@server/constants/error';
|
||||
import { MediaServerType, ServerType } from '@server/constants/server';
|
||||
import { UserType } from '@server/constants/user';
|
||||
import { getRepository } from '@server/datasource';
|
||||
import { LinkedAccount } from '@server/entity/LinkedAccount';
|
||||
import { User } from '@server/entity/User';
|
||||
import type { IdTokenClaims } from '@server/interfaces/api/oidcInterfaces';
|
||||
import { startJobs } from '@server/job/schedule';
|
||||
import { Permission } from '@server/lib/permissions';
|
||||
import { getSettings } from '@server/lib/settings';
|
||||
@@ -14,9 +16,21 @@ import { checkAvatarChanged } from '@server/routes/avatarproxy';
|
||||
import { ApiError } from '@server/types/error';
|
||||
import { getAppVersion } from '@server/utils/appVersion';
|
||||
import { getHostname } from '@server/utils/getHostname';
|
||||
import {
|
||||
createIdTokenSchema,
|
||||
fetchOpenIdTokenData,
|
||||
getOpenIdConfiguration,
|
||||
getOpenIdRedirectUrl,
|
||||
getOpenIdUserInfo,
|
||||
validateUserClaims,
|
||||
type FullUserInfo,
|
||||
} from '@server/utils/oidc';
|
||||
import axios from 'axios';
|
||||
import { randomBytes } from 'crypto';
|
||||
import * as EmailValidator from 'email-validator';
|
||||
import { Router } from 'express';
|
||||
import gravatarUrl from 'gravatar-url';
|
||||
import { jwtDecode } from 'jwt-decode';
|
||||
import net from 'net';
|
||||
|
||||
const authRoutes = Router();
|
||||
@@ -721,6 +735,287 @@ authRoutes.post('/local', async (req, res, next) => {
|
||||
}
|
||||
});
|
||||
|
||||
authRoutes.get('/oidc/login/:slug', async (req, res, next) => {
|
||||
const settings = getSettings();
|
||||
const provider = settings.oidc.providers.find(
|
||||
(p) => p.slug === req.params.slug
|
||||
);
|
||||
|
||||
if (!settings.main.oidcLogin || !provider) {
|
||||
return next({
|
||||
status: 403,
|
||||
message: 'OpenID Connect sign-in is disabled.',
|
||||
});
|
||||
}
|
||||
|
||||
const state = randomBytes(32).toString('hex');
|
||||
|
||||
let redirectUrl;
|
||||
try {
|
||||
redirectUrl = await getOpenIdRedirectUrl(req, provider, state);
|
||||
} catch (err) {
|
||||
logger.info('Failed OpenID Connect login attempt', {
|
||||
cause: 'Failed to fetch OpenID Connect redirect url',
|
||||
ip: req.ip,
|
||||
errorMessage: err.message,
|
||||
});
|
||||
return next({
|
||||
status: 500,
|
||||
message: 'Configuration error.',
|
||||
});
|
||||
}
|
||||
|
||||
res.cookie('oidc-state', state, {
|
||||
maxAge: 60000,
|
||||
httpOnly: true,
|
||||
secure: req.protocol === 'https',
|
||||
});
|
||||
|
||||
return res.status(200).json({
|
||||
redirectUrl,
|
||||
});
|
||||
});
|
||||
|
||||
authRoutes.get('/oidc/callback/:slug', async (req, res, next) => {
|
||||
const settings = getSettings();
|
||||
const provider = settings.oidc.providers.find(
|
||||
(p) => p.slug === req.params.slug
|
||||
);
|
||||
|
||||
if (!settings.main.oidcLogin || !provider) {
|
||||
return next({
|
||||
status: 403,
|
||||
message: 'OpenID Connect sign-in is disabled',
|
||||
});
|
||||
}
|
||||
|
||||
const requiredClaims = (provider.requiredClaims ?? '')
|
||||
.split(' ')
|
||||
.filter((s) => !!s);
|
||||
|
||||
const cookieState = req.cookies['oidc-state'];
|
||||
const url = new URL(req.url, `${req.protocol}://${req.hostname}`);
|
||||
const state = url.searchParams.get('state');
|
||||
|
||||
try {
|
||||
// Check that the request belongs to the correct state
|
||||
if (state && cookieState === state) {
|
||||
res.clearCookie('oidc-state');
|
||||
} else {
|
||||
logger.info('Failed OpenID Connect login attempt', {
|
||||
cause: 'Invalid state',
|
||||
ip: req.ip,
|
||||
state: state,
|
||||
cookieState: cookieState,
|
||||
});
|
||||
return next({
|
||||
status: 400,
|
||||
message: 'Authorization failed',
|
||||
});
|
||||
}
|
||||
|
||||
// Check that a code has been issued
|
||||
const code = url.searchParams.get('code');
|
||||
if (!code) {
|
||||
logger.info('Failed OpenID Connect login attempt', {
|
||||
cause: 'Invalid code',
|
||||
ip: req.ip,
|
||||
code: code,
|
||||
});
|
||||
return next({
|
||||
status: 400,
|
||||
message: 'Authorization failed',
|
||||
});
|
||||
}
|
||||
|
||||
const wellKnownInfo = await getOpenIdConfiguration(provider.issuerUrl);
|
||||
|
||||
// Fetch the token data
|
||||
const body = await fetchOpenIdTokenData(req, provider, wellKnownInfo, code);
|
||||
|
||||
// Validate that the token response is valid and not manipulated
|
||||
if ('error' in body) {
|
||||
logger.info('Failed OIDC login attempt', {
|
||||
cause: 'Invalid token response',
|
||||
ip: req.ip,
|
||||
body: body,
|
||||
});
|
||||
return next({
|
||||
status: 400,
|
||||
message: 'Authorization failed',
|
||||
});
|
||||
}
|
||||
|
||||
// Extract the ID token and access token
|
||||
const { id_token: idToken, access_token: accessToken } = body;
|
||||
|
||||
// Attempt to decode ID token jwt
|
||||
let decoded: IdTokenClaims;
|
||||
try {
|
||||
decoded = jwtDecode(idToken);
|
||||
} catch (err) {
|
||||
logger.info('Failed OIDC login attempt', {
|
||||
cause: 'Invalid jwt',
|
||||
ip: req.ip,
|
||||
idToken: idToken,
|
||||
err,
|
||||
});
|
||||
return next({
|
||||
status: 400,
|
||||
message: 'Authorization failed',
|
||||
});
|
||||
}
|
||||
|
||||
// Merge claims from JWT with data from userinfo endpoint
|
||||
const userInfo = await getOpenIdUserInfo(wellKnownInfo, accessToken);
|
||||
const fullUserInfo: FullUserInfo = { ...decoded, ...userInfo };
|
||||
|
||||
// Validate ID token jwt and user info
|
||||
try {
|
||||
const idTokenSchema = createIdTokenSchema({
|
||||
oidcClientId: provider.clientId,
|
||||
oidcDomain: provider.issuerUrl,
|
||||
requiredClaims,
|
||||
});
|
||||
await idTokenSchema.validate(fullUserInfo);
|
||||
} catch (err) {
|
||||
logger.info('Failed OIDC login attempt', {
|
||||
cause: 'Invalid jwt or missing claims',
|
||||
ip: req.ip,
|
||||
idToken: idToken,
|
||||
errorMessage: err.message,
|
||||
});
|
||||
return next({
|
||||
status: 403,
|
||||
message: 'Authorization failed',
|
||||
});
|
||||
}
|
||||
|
||||
// Validate that user meets required claims
|
||||
try {
|
||||
validateUserClaims(fullUserInfo, requiredClaims);
|
||||
} catch (error) {
|
||||
logger.info('Failed OIDC login attempt', {
|
||||
cause: 'Failed to validate required claims',
|
||||
error,
|
||||
ip: req.ip,
|
||||
requiredClaims: provider.requiredClaims,
|
||||
});
|
||||
return next({
|
||||
status: 403,
|
||||
message: 'Insufficient permissions',
|
||||
});
|
||||
}
|
||||
|
||||
// Map identifier to linked account
|
||||
const userRepository = getRepository(User);
|
||||
const linkedAccountsRepository = getRepository(LinkedAccount);
|
||||
|
||||
const linkedAccount = await linkedAccountsRepository.findOne({
|
||||
relations: {
|
||||
user: true,
|
||||
},
|
||||
where: {
|
||||
provider: provider.slug,
|
||||
sub: fullUserInfo.sub,
|
||||
},
|
||||
});
|
||||
let user = linkedAccount?.user;
|
||||
|
||||
// If there is already a user logged in, and no linked account, link the account.
|
||||
if (req.user != null && linkedAccount == null) {
|
||||
const linkedAccount = new LinkedAccount({
|
||||
user: req.user,
|
||||
provider: provider.slug,
|
||||
sub: fullUserInfo.sub,
|
||||
username: fullUserInfo.preferred_username ?? req.user.displayName,
|
||||
});
|
||||
|
||||
await linkedAccountsRepository.save(linkedAccount);
|
||||
return res
|
||||
.status(200)
|
||||
.json({ status: 'ok', to: '/profile/settings/linked-accounts' });
|
||||
}
|
||||
|
||||
// Create user if one doesn't already exist
|
||||
if (!user && fullUserInfo.email != null && provider.newUserLogin) {
|
||||
// Check if a user with this email already exists
|
||||
const existingUser = await userRepository.findOne({
|
||||
where: { email: fullUserInfo.email },
|
||||
});
|
||||
|
||||
if (existingUser) {
|
||||
// If a user with the email exists, throw a 409 Conflict error
|
||||
return next({
|
||||
status: 409,
|
||||
message: 'A user with this email address already exists.',
|
||||
});
|
||||
}
|
||||
|
||||
logger.info(`Creating user for ${fullUserInfo.email}`, {
|
||||
ip: req.ip,
|
||||
email: fullUserInfo.email,
|
||||
});
|
||||
|
||||
const avatar =
|
||||
fullUserInfo.picture ??
|
||||
gravatarUrl(fullUserInfo.email, { default: 'mm', size: 200 });
|
||||
user = new User({
|
||||
avatar: avatar,
|
||||
username: fullUserInfo.preferred_username,
|
||||
email: fullUserInfo.email,
|
||||
permissions: settings.main.defaultPermissions,
|
||||
plexToken: '',
|
||||
userType: UserType.LOCAL,
|
||||
});
|
||||
await userRepository.save(user);
|
||||
|
||||
const linkedAccount = new LinkedAccount({
|
||||
user,
|
||||
provider: provider.slug,
|
||||
sub: fullUserInfo.sub,
|
||||
username: fullUserInfo.preferred_username ?? fullUserInfo.email,
|
||||
});
|
||||
await linkedAccountsRepository.save(linkedAccount);
|
||||
|
||||
user.linkedAccounts = [linkedAccount];
|
||||
await userRepository.save(user);
|
||||
}
|
||||
|
||||
if (!user) {
|
||||
logger.debug('Failed OIDC sign-up attempt', {
|
||||
cause: provider.newUserLogin
|
||||
? 'User did not have an account, and was missing an associated email address.'
|
||||
: 'User did not have an account, and new user login was disabled.',
|
||||
});
|
||||
return next({
|
||||
status: 400,
|
||||
message: provider.newUserLogin
|
||||
? 'Unable to create new user account (missing email address)'
|
||||
: 'Unable to create new user account (new user login is disabled)',
|
||||
});
|
||||
}
|
||||
|
||||
// Set logged in session and return
|
||||
if (req.session) {
|
||||
req.session.userId = user.id;
|
||||
}
|
||||
|
||||
// Success!
|
||||
return res.status(200).json({ status: 'ok', to: '/' });
|
||||
} catch (error) {
|
||||
logger.error('Failed OIDC login attempt', {
|
||||
cause: 'Unknown error',
|
||||
ip: req.ip,
|
||||
error,
|
||||
});
|
||||
return next({
|
||||
status: 500,
|
||||
message: 'An unknown error occurred',
|
||||
});
|
||||
}
|
||||
});
|
||||
|
||||
authRoutes.post('/logout', async (req, res, next) => {
|
||||
try {
|
||||
const userId = req.session?.userId;
|
||||
|
||||
@@ -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,
|
||||
|
||||
@@ -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', {
|
||||
|
||||
@@ -109,6 +109,45 @@ settingsRoutes.post('/main/regenerate', async (req, res, next) => {
|
||||
return res.status(200).json(filteredMainSettings(req.user, main));
|
||||
});
|
||||
|
||||
settingsRoutes.get('/oidc', async (req, res) => {
|
||||
const settings = getSettings();
|
||||
|
||||
return res.status(200).json(settings.oidc);
|
||||
});
|
||||
|
||||
settingsRoutes.put('/oidc/:slug', async (req, res) => {
|
||||
const settings = getSettings();
|
||||
let provider = settings.oidc.providers.findIndex(
|
||||
(p) => p.slug === req.params.slug
|
||||
);
|
||||
|
||||
if (provider !== -1) {
|
||||
Object.assign(settings.oidc.providers[provider], req.body);
|
||||
} else {
|
||||
settings.oidc.providers.push({ slug: req.params.slug, ...req.body });
|
||||
provider = settings.oidc.providers.length - 1;
|
||||
}
|
||||
|
||||
await settings.save();
|
||||
|
||||
return res.status(200).json(settings.oidc.providers[provider]);
|
||||
});
|
||||
|
||||
settingsRoutes.delete('/oidc/:slug', async (req, res) => {
|
||||
const settings = getSettings();
|
||||
const provider = settings.oidc.providers.findIndex(
|
||||
(p) => p.slug === req.params.slug
|
||||
);
|
||||
|
||||
if (provider === -1)
|
||||
return res.status(404).json({ message: 'Provider not found' });
|
||||
|
||||
settings.oidc.providers.splice(provider, 1);
|
||||
await settings.save();
|
||||
|
||||
return res.status(200).json(settings.oidc);
|
||||
});
|
||||
|
||||
settingsRoutes.get('/plex', (_req, res) => {
|
||||
const settings = getSettings();
|
||||
|
||||
|
||||
@@ -279,7 +279,6 @@ notificationRoutes.get('/webhook', (_req, res) => {
|
||||
'utf8'
|
||||
)
|
||||
),
|
||||
supportVariables: webhookSettings.options.supportVariables ?? false,
|
||||
},
|
||||
};
|
||||
|
||||
@@ -301,7 +300,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();
|
||||
@@ -333,7 +331,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,
|
||||
},
|
||||
};
|
||||
|
||||
|
||||
@@ -4,10 +4,13 @@ import { ApiErrorCode } from '@server/constants/error';
|
||||
import { MediaServerType } from '@server/constants/server';
|
||||
import { UserType } from '@server/constants/user';
|
||||
import { getRepository } from '@server/datasource';
|
||||
import { LinkedAccount } from '@server/entity/LinkedAccount';
|
||||
import { User } from '@server/entity/User';
|
||||
import { UserSettings } from '@server/entity/UserSettings';
|
||||
import type {
|
||||
UserSettingsGeneralResponse,
|
||||
UserSettingsLinkedAccount,
|
||||
UserSettingsLinkedAccountResponse,
|
||||
UserSettingsNotificationsResponse,
|
||||
} from '@server/interfaces/api/userSettingsInterfaces';
|
||||
import { Permission } from '@server/lib/permissions';
|
||||
@@ -18,7 +21,7 @@ import { ApiError } from '@server/types/error';
|
||||
import { getHostname } from '@server/utils/getHostname';
|
||||
import { Router } from 'express';
|
||||
import net from 'net';
|
||||
import { Not } from 'typeorm';
|
||||
import { In, Not, type FindOptionsWhere } from 'typeorm';
|
||||
import { canMakePermissionsChange } from '.';
|
||||
|
||||
const isOwnProfile = (): Middleware => {
|
||||
@@ -546,6 +549,73 @@ userSettingsRoutes.delete<{ id: string }>(
|
||||
}
|
||||
);
|
||||
|
||||
userSettingsRoutes.get<{ id: string }, UserSettingsLinkedAccountResponse>(
|
||||
'/linked-accounts',
|
||||
isOwnProfileOrAdmin(),
|
||||
async (req, res) => {
|
||||
const settings = getSettings();
|
||||
if (!settings.main.oidcLogin) {
|
||||
// don't show any linked accounts if OIDC login is disabled
|
||||
return res.status(200).json([]);
|
||||
}
|
||||
|
||||
const activeProviders = settings.oidc.providers.map((p) => p.slug);
|
||||
const linkedAccountsRepository = getRepository(LinkedAccount);
|
||||
|
||||
const linkedAccounts = await linkedAccountsRepository.find({
|
||||
relations: {
|
||||
user: true,
|
||||
},
|
||||
where: {
|
||||
provider: In(activeProviders),
|
||||
user: {
|
||||
id: Number(req.params.id),
|
||||
},
|
||||
},
|
||||
});
|
||||
|
||||
const linkedAccountInfo = linkedAccounts.map((acc) => {
|
||||
// eslint-disable-next-line @typescript-eslint/no-non-null-assertion
|
||||
const provider = settings.oidc.providers.find(
|
||||
(p) => p.slug === acc.provider
|
||||
)!;
|
||||
|
||||
return {
|
||||
id: acc.id,
|
||||
username: acc.username,
|
||||
provider: {
|
||||
slug: provider.slug,
|
||||
name: provider.name,
|
||||
logo: provider.logo,
|
||||
},
|
||||
} satisfies UserSettingsLinkedAccount;
|
||||
});
|
||||
|
||||
return res.status(200).json(linkedAccountInfo);
|
||||
}
|
||||
);
|
||||
|
||||
userSettingsRoutes.delete<{ id: string; acctId: string }>(
|
||||
'/linked-accounts/:acctId',
|
||||
isOwnProfileOrAdmin(),
|
||||
async (req, res) => {
|
||||
const linkedAccountsRepository = getRepository(LinkedAccount);
|
||||
const condition: FindOptionsWhere<LinkedAccount> = {
|
||||
id: Number(req.params.acctId),
|
||||
user: {
|
||||
id: Number(req.params.id),
|
||||
},
|
||||
};
|
||||
|
||||
if (await linkedAccountsRepository.exist({ where: condition })) {
|
||||
await linkedAccountsRepository.delete(condition);
|
||||
return res.status(204).send();
|
||||
} else {
|
||||
return res.status(404).send();
|
||||
}
|
||||
}
|
||||
);
|
||||
|
||||
userSettingsRoutes.get<{ id: string }, UserSettingsNotificationsResponse>(
|
||||
'/notifications',
|
||||
isOwnProfileOrAdmin(),
|
||||
|
||||
@@ -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) {
|
||||
|
||||
203
server/utils/oidc.ts
Normal file
203
server/utils/oidc.ts
Normal file
@@ -0,0 +1,203 @@
|
||||
import type {
|
||||
IdTokenClaims,
|
||||
OidcProviderMetadata,
|
||||
OidcStandardClaims,
|
||||
OidcTokenResponse,
|
||||
} from '@server/interfaces/api/oidcInterfaces';
|
||||
import type { OidcProvider } from '@server/lib/settings';
|
||||
import type { Request } from 'express';
|
||||
import * as yup from 'yup';
|
||||
|
||||
/** Fetch the issuer configuration from the OpenID Connect Discovery endpoint */
|
||||
export async function getOpenIdConfiguration(domain: string) {
|
||||
// remove trailing slash from url if it exists and add /.well-known/openid-configuration path
|
||||
const wellKnownUrl = new URL(
|
||||
domain.replace(/\/$/, '') + '/.well-known/openid-configuration'
|
||||
).toString();
|
||||
|
||||
const wellKnownInfo: OidcProviderMetadata = await fetch(wellKnownUrl, {
|
||||
headers: {
|
||||
'Content-Type': 'application/json',
|
||||
},
|
||||
}).then((r) => r.json());
|
||||
|
||||
return wellKnownInfo;
|
||||
}
|
||||
|
||||
function getOpenIdCallbackUrl(req: Request, provider: OidcProvider) {
|
||||
const callbackUrl = new URL(
|
||||
`/login`,
|
||||
`${req.protocol}://${req.headers.host}`
|
||||
);
|
||||
callbackUrl.searchParams.set('provider', provider.slug);
|
||||
callbackUrl.searchParams.set('callback', 'true');
|
||||
return callbackUrl.toString();
|
||||
}
|
||||
|
||||
/** Generate authentication request url */
|
||||
export async function getOpenIdRedirectUrl(
|
||||
req: Request,
|
||||
provider: OidcProvider,
|
||||
state: string
|
||||
) {
|
||||
const wellKnownInfo = await getOpenIdConfiguration(provider.issuerUrl);
|
||||
const url = new URL(wellKnownInfo.authorization_endpoint);
|
||||
url.searchParams.set('response_type', 'code');
|
||||
url.searchParams.set('client_id', provider.clientId);
|
||||
|
||||
url.searchParams.set('redirect_uri', getOpenIdCallbackUrl(req, provider));
|
||||
url.searchParams.set('scope', provider.scopes ?? 'openid profile email');
|
||||
url.searchParams.set('state', state);
|
||||
return url.toString();
|
||||
}
|
||||
|
||||
/** Exchange authorization code for token data */
|
||||
export async function fetchOpenIdTokenData(
|
||||
req: Request,
|
||||
provider: OidcProvider,
|
||||
wellKnownInfo: OidcProviderMetadata,
|
||||
code: string
|
||||
): Promise<OidcTokenResponse> {
|
||||
const formData = new URLSearchParams();
|
||||
formData.append('client_secret', provider.clientSecret);
|
||||
formData.append('grant_type', 'authorization_code');
|
||||
formData.append('redirect_uri', getOpenIdCallbackUrl(req, provider));
|
||||
formData.append('client_id', provider.clientId);
|
||||
formData.append('code', code);
|
||||
|
||||
return await fetch(wellKnownInfo.token_endpoint, {
|
||||
method: 'POST',
|
||||
body: formData,
|
||||
}).then((r) => r.json());
|
||||
}
|
||||
|
||||
export async function getOpenIdUserInfo(
|
||||
wellKnownInfo: OidcProviderMetadata,
|
||||
authToken: string
|
||||
) {
|
||||
return fetch(wellKnownInfo.userinfo_endpoint, {
|
||||
headers: {
|
||||
Authorization: `Bearer ${authToken}`,
|
||||
Accept: 'application/json',
|
||||
},
|
||||
}).then((r) => r.json());
|
||||
}
|
||||
|
||||
class OidcAuthorizationError extends Error {}
|
||||
|
||||
class OidcMissingKeyError extends OidcAuthorizationError {
|
||||
constructor(public userInfo: FullUserInfo, public key: string) {
|
||||
super(`Key ${key} was missing on OIDC userinfo but was expected.`);
|
||||
}
|
||||
}
|
||||
|
||||
type PrimitiveString = 'string' | 'boolean';
|
||||
type TypeFromName<T extends PrimitiveString> = T extends 'string'
|
||||
? string
|
||||
: T extends 'boolean'
|
||||
? boolean
|
||||
: unknown;
|
||||
|
||||
export function tryGetUserInfoKey<T extends PrimitiveString>(
|
||||
userInfo: FullUserInfo,
|
||||
key: string,
|
||||
expectedType: T
|
||||
): TypeFromName<T> {
|
||||
if (!Object.hasOwn(userInfo, key) || typeof userInfo[key] !== expectedType) {
|
||||
throw new OidcMissingKeyError(userInfo, key);
|
||||
}
|
||||
|
||||
return userInfo[key] as TypeFromName<T>;
|
||||
}
|
||||
|
||||
export function validateUserClaims(
|
||||
userInfo: FullUserInfo,
|
||||
requiredClaims: string[]
|
||||
) {
|
||||
requiredClaims.some((claim) => {
|
||||
const value = tryGetUserInfoKey(userInfo, claim, 'boolean');
|
||||
if (!value)
|
||||
throw new OidcAuthorizationError('User was missing a required claim.');
|
||||
});
|
||||
}
|
||||
|
||||
/** Generates a schema to validate ID token JWT and userinfo claims */
|
||||
export const createIdTokenSchema = ({
|
||||
oidcDomain,
|
||||
oidcClientId,
|
||||
requiredClaims,
|
||||
}: {
|
||||
oidcDomain: string;
|
||||
oidcClientId: string;
|
||||
requiredClaims: string[];
|
||||
}) => {
|
||||
return yup.object().shape({
|
||||
iss: yup
|
||||
.string()
|
||||
.oneOf(
|
||||
[oidcDomain, `${oidcDomain}/`],
|
||||
`The token iss value doesn't match the oidc_DOMAIN (${oidcDomain})`
|
||||
)
|
||||
.required("The token didn't come with an iss value."),
|
||||
aud: yup.lazy((val) => {
|
||||
// single audience
|
||||
if (typeof val === 'string')
|
||||
return yup
|
||||
.string()
|
||||
.oneOf(
|
||||
[oidcClientId],
|
||||
`The token aud value doesn't match the oidc_CLIENT_ID (${oidcClientId})`
|
||||
)
|
||||
.required("The token didn't come with an aud value.");
|
||||
// several audiences
|
||||
if (typeof val === 'object' && Array.isArray(val))
|
||||
return yup
|
||||
.array()
|
||||
.of(yup.string())
|
||||
.test(
|
||||
'contains-client-id',
|
||||
`The token aud value doesn't contain the oidc_CLIENT_ID (${oidcClientId})`,
|
||||
(value) => !!(value && value.includes(oidcClientId))
|
||||
);
|
||||
// invalid type
|
||||
return yup
|
||||
.mixed()
|
||||
.typeError('The token aud value is not a string or array.');
|
||||
}),
|
||||
exp: yup
|
||||
.number()
|
||||
.required()
|
||||
.test(
|
||||
'is_before_date',
|
||||
'Token exp value is before current time.',
|
||||
(value) => {
|
||||
if (!value) return false;
|
||||
if (value < Math.ceil(Date.now() / 1000)) return false;
|
||||
return true;
|
||||
}
|
||||
),
|
||||
iat: yup
|
||||
.number()
|
||||
.required()
|
||||
.test(
|
||||
'is_before_one_day',
|
||||
'Token was issued before one day ago and is now invalid.',
|
||||
(value) => {
|
||||
if (!value) return false;
|
||||
const date = new Date();
|
||||
date.setDate(date.getDate() - 1);
|
||||
if (value < Math.ceil(Number(date) / 1000)) return false;
|
||||
return true;
|
||||
}
|
||||
),
|
||||
// TODO: only require this for new user login
|
||||
email: yup.string().required(),
|
||||
// ensure all required claims are present and are booleans
|
||||
...requiredClaims.reduce(
|
||||
(a, v) => ({ ...a, [v]: yup.boolean().required() }),
|
||||
{}
|
||||
),
|
||||
});
|
||||
};
|
||||
|
||||
export type FullUserInfo = IdTokenClaims & OidcStandardClaims;
|
||||
@@ -31,7 +31,7 @@ type BaseProps<P> = {
|
||||
) => void;
|
||||
};
|
||||
|
||||
type ButtonProps<P extends React.ElementType> = {
|
||||
export type ButtonProps<P extends React.ElementType> = {
|
||||
as?: P;
|
||||
} & MergeElementProps<P, BaseProps<P>>;
|
||||
|
||||
|
||||
@@ -1,31 +1,34 @@
|
||||
import { Field } from 'formik';
|
||||
import { useId } from 'react';
|
||||
import { twMerge } from 'tailwind-merge';
|
||||
|
||||
interface LabeledCheckboxProps {
|
||||
id: string;
|
||||
name: string;
|
||||
className?: string;
|
||||
label: string;
|
||||
description: string;
|
||||
onChange: () => void;
|
||||
onChange?: () => void;
|
||||
children?: React.ReactNode;
|
||||
}
|
||||
|
||||
const LabeledCheckbox: React.FC<LabeledCheckboxProps> = ({
|
||||
id,
|
||||
name,
|
||||
className,
|
||||
label,
|
||||
description,
|
||||
onChange,
|
||||
children,
|
||||
}) => {
|
||||
const id = useId();
|
||||
|
||||
return (
|
||||
<>
|
||||
<div className={twMerge('relative flex items-start', className)}>
|
||||
<div className="flex h-6 items-center">
|
||||
<Field type="checkbox" id={id} name={id} onChange={onChange} />
|
||||
<Field type="checkbox" id={id} name={name} onChange={onChange} />
|
||||
</div>
|
||||
<div className="ml-3 text-sm leading-6">
|
||||
<label htmlFor="localLogin" className="block">
|
||||
<label htmlFor={id} className="block">
|
||||
<div className="flex flex-col">
|
||||
<span className="font-medium text-white">{label}</span>
|
||||
<span className="font-normal text-gray-400">{description}</span>
|
||||
|
||||
@@ -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>
|
||||
|
||||
@@ -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;
|
||||
}
|
||||
|
||||
35
src/components/Login/LoginButton.tsx
Normal file
35
src/components/Login/LoginButton.tsx
Normal file
@@ -0,0 +1,35 @@
|
||||
import Button, { type ButtonProps } from '@app/components/Common/Button';
|
||||
import { SmallLoadingSpinner } from '@app/components/Common/LoadingSpinner';
|
||||
import { type PropsWithChildren } from 'react';
|
||||
import { twMerge } from 'tailwind-merge';
|
||||
|
||||
export type LoginButtonProps = ButtonProps<'button'> &
|
||||
PropsWithChildren<{
|
||||
loading?: boolean;
|
||||
}>;
|
||||
|
||||
export default function LoginButton({
|
||||
loading,
|
||||
className,
|
||||
children,
|
||||
...buttonProps
|
||||
}: LoginButtonProps) {
|
||||
return (
|
||||
<Button
|
||||
className={twMerge(
|
||||
'relative flex-grow bg-transparent disabled:opacity-50',
|
||||
className
|
||||
)}
|
||||
disabled={loading}
|
||||
{...buttonProps}
|
||||
>
|
||||
{loading && (
|
||||
<div className="absolute right-0 mr-4 h-4 w-4">
|
||||
<SmallLoadingSpinner />
|
||||
</div>
|
||||
)}
|
||||
|
||||
{children}
|
||||
</Button>
|
||||
);
|
||||
}
|
||||
109
src/components/Login/OidcLoginButton.tsx
Normal file
109
src/components/Login/OidcLoginButton.tsx
Normal file
@@ -0,0 +1,109 @@
|
||||
import defineMessages from '@app/utils/defineMessages';
|
||||
import type { PublicOidcProvider } from '@server/lib/settings';
|
||||
import axios, { isAxiosError } from 'axios';
|
||||
import { useRouter, useSearchParams } from 'next/navigation';
|
||||
import { useCallback, useEffect, useState } from 'react';
|
||||
import { useIntl } from 'react-intl';
|
||||
import LoginButton from './LoginButton';
|
||||
|
||||
const messages = defineMessages('components.Login', {
|
||||
oidcLoginError: 'An error occurred while logging in with {provider}.',
|
||||
});
|
||||
|
||||
async function processCallback(params: URLSearchParams, provider: string) {
|
||||
const url = new URL(
|
||||
`/api/v1/auth/oidc/callback/${encodeURIComponent(provider)}`,
|
||||
window.location.origin
|
||||
);
|
||||
url.search = params.toString();
|
||||
|
||||
try {
|
||||
const res = await axios.get(url.toString());
|
||||
|
||||
return {
|
||||
type: 'success',
|
||||
message: res.data,
|
||||
};
|
||||
} catch (e) {
|
||||
if (isAxiosError(e) && e.response?.data?.message) {
|
||||
return { type: 'error', message: e.response.data.message };
|
||||
}
|
||||
|
||||
return {
|
||||
type: 'error',
|
||||
message: e.message,
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
type OidcLoginButtonProps = {
|
||||
provider: PublicOidcProvider;
|
||||
onError?: (message: string) => void;
|
||||
};
|
||||
|
||||
export default function OidcLoginButton({
|
||||
provider,
|
||||
onError,
|
||||
}: OidcLoginButtonProps) {
|
||||
const intl = useIntl();
|
||||
const searchParams = useSearchParams();
|
||||
const router = useRouter();
|
||||
|
||||
const [loading, setLoading] = useState(false);
|
||||
|
||||
const redirectToLogin = useCallback(async () => {
|
||||
try {
|
||||
const res = await axios.get<{ redirectUrl: string }>(
|
||||
`/api/v1/auth/oidc/login/${provider.slug}`
|
||||
);
|
||||
window.location.href = res.data.redirectUrl;
|
||||
} catch (e) {
|
||||
setLoading(false);
|
||||
onError?.(
|
||||
intl.formatMessage(messages.oidcLoginError, {
|
||||
provider: provider.name,
|
||||
})
|
||||
);
|
||||
}
|
||||
}, [provider, intl, onError]);
|
||||
|
||||
const handleCallback = useCallback(async () => {
|
||||
const result = await processCallback(searchParams, provider.slug);
|
||||
if (result.type === 'success') {
|
||||
// redirect to homepage
|
||||
router.push(result.message?.to ?? '/');
|
||||
} else {
|
||||
setLoading(false);
|
||||
onError?.(
|
||||
intl.formatMessage(messages.oidcLoginError, {
|
||||
provider: provider.name,
|
||||
})
|
||||
);
|
||||
}
|
||||
}, [provider, searchParams, intl, onError, router]);
|
||||
|
||||
useEffect(() => {
|
||||
if (loading) return;
|
||||
const isCallback = searchParams.get('callback') === 'true';
|
||||
const providerSlug = searchParams.get('provider');
|
||||
|
||||
if (providerSlug === provider.slug) {
|
||||
setLoading(true);
|
||||
if (isCallback) handleCallback();
|
||||
else redirectToLogin();
|
||||
}
|
||||
// eslint-disable-next-line react-hooks/exhaustive-deps
|
||||
}, []);
|
||||
|
||||
return (
|
||||
<LoginButton loading={loading} onClick={() => redirectToLogin()}>
|
||||
{/* eslint-disable-next-line @next/next/no-img-element */}
|
||||
<img
|
||||
src={provider.logo || '/images/openid.svg'}
|
||||
alt={provider.name}
|
||||
className="mr-2 max-h-5 w-5"
|
||||
/>
|
||||
<span>{provider.name}</span>
|
||||
</LoginButton>
|
||||
);
|
||||
}
|
||||
@@ -1,9 +1,8 @@
|
||||
import PlexIcon from '@app/assets/services/plex.svg';
|
||||
import Button from '@app/components/Common/Button';
|
||||
import { SmallLoadingSpinner } from '@app/components/Common/LoadingSpinner';
|
||||
import usePlexLogin from '@app/hooks/usePlexLogin';
|
||||
import defineMessages from '@app/utils/defineMessages';
|
||||
import { FormattedMessage } from 'react-intl';
|
||||
import LoginButton from './LoginButton';
|
||||
|
||||
const messages = defineMessages('components.Login', {
|
||||
loginwithapp: 'Login with {appName}',
|
||||
@@ -25,18 +24,12 @@ const PlexLoginButton = ({
|
||||
const { loading, login } = usePlexLogin({ onAuthToken, onError });
|
||||
|
||||
return (
|
||||
<Button
|
||||
className="relative flex-1 border-[#cc7b19] bg-[rgba(204,123,25,0.3)] hover:border-[#cc7b19] hover:bg-[rgba(204,123,25,0.7)] disabled:opacity-50"
|
||||
<LoginButton
|
||||
className="border-[#cc7b19] bg-[rgba(204,123,25,0.3)] hover:border-[#cc7b19] hover:bg-[rgba(204,123,25,0.7)]"
|
||||
onClick={login}
|
||||
disabled={loading || isProcessing}
|
||||
loading={loading || isProcessing}
|
||||
data-testid="plex-login-button"
|
||||
>
|
||||
{loading && (
|
||||
<div className="absolute right-0 mr-4 h-4 w-4">
|
||||
<SmallLoadingSpinner />
|
||||
</div>
|
||||
)}
|
||||
|
||||
{large ? (
|
||||
<FormattedMessage
|
||||
{...messages.loginwithapp}
|
||||
@@ -55,7 +48,7 @@ const PlexLoginButton = ({
|
||||
) : (
|
||||
<PlexIcon className="w-8" />
|
||||
)}
|
||||
</Button>
|
||||
</LoginButton>
|
||||
);
|
||||
};
|
||||
|
||||
|
||||
@@ -1,12 +1,12 @@
|
||||
import EmbyLogo from '@app/assets/services/emby-icon-only.svg';
|
||||
import JellyfinLogo from '@app/assets/services/jellyfin-icon.svg';
|
||||
import PlexLogo from '@app/assets/services/plex.svg';
|
||||
import Button from '@app/components/Common/Button';
|
||||
import ImageFader from '@app/components/Common/ImageFader';
|
||||
import PageTitle from '@app/components/Common/PageTitle';
|
||||
import LanguagePicker from '@app/components/Layout/LanguagePicker';
|
||||
import JellyfinLogin from '@app/components/Login/JellyfinLogin';
|
||||
import LocalLogin from '@app/components/Login/LocalLogin';
|
||||
import OidcLoginButton from '@app/components/Login/OidcLoginButton';
|
||||
import PlexLoginButton from '@app/components/Login/PlexLoginButton';
|
||||
import useSettings from '@app/hooks/useSettings';
|
||||
import { useUser } from '@app/hooks/useUser';
|
||||
@@ -21,6 +21,7 @@ import { useEffect, useRef, useState } from 'react';
|
||||
import { useIntl } from 'react-intl';
|
||||
import { CSSTransition, SwitchTransition } from 'react-transition-group';
|
||||
import useSWR from 'swr';
|
||||
import LoginButton from './LoginButton';
|
||||
|
||||
const messages = defineMessages('components.Login', {
|
||||
signin: 'Sign In',
|
||||
@@ -121,10 +122,9 @@ const Login = () => {
|
||||
) : (
|
||||
settings.currentSettings.localLogin &&
|
||||
(mediaServerLogin ? (
|
||||
<Button
|
||||
<LoginButton
|
||||
key="jellyseerr"
|
||||
data-testid="jellyseerr-login-button"
|
||||
className="flex-1 bg-transparent"
|
||||
onClick={() => setMediaServerLogin(false)}
|
||||
>
|
||||
{/* eslint-disable-next-line @next/next/no-img-element */}
|
||||
@@ -134,19 +134,25 @@ const Login = () => {
|
||||
className="mr-2 h-5"
|
||||
/>
|
||||
<span>{settings.currentSettings.applicationTitle}</span>
|
||||
</Button>
|
||||
</LoginButton>
|
||||
) : (
|
||||
<Button
|
||||
<LoginButton
|
||||
key="mediaserver"
|
||||
data-testid="mediaserver-login-button"
|
||||
className="flex-1 bg-transparent"
|
||||
onClick={() => setMediaServerLogin(true)}
|
||||
>
|
||||
<MediaServerLogo />
|
||||
<span>{mediaServerName}</span>
|
||||
</Button>
|
||||
</LoginButton>
|
||||
))
|
||||
)),
|
||||
...settings.currentSettings.openIdProviders.map((provider) => (
|
||||
<OidcLoginButton
|
||||
key={provider.slug}
|
||||
provider={provider}
|
||||
onError={setError}
|
||||
/>
|
||||
)),
|
||||
].filter((o): o is JSX.Element => !!o);
|
||||
|
||||
return (
|
||||
@@ -197,46 +203,50 @@ const Login = () => {
|
||||
</div>
|
||||
</Transition>
|
||||
<div className="px-10 py-8">
|
||||
<SwitchTransition mode="out-in">
|
||||
<CSSTransition
|
||||
key={mediaServerLogin ? 'ms' : 'local'}
|
||||
nodeRef={loginRef}
|
||||
addEndListener={(done) => {
|
||||
loginRef.current?.addEventListener(
|
||||
'transitionend',
|
||||
done,
|
||||
false
|
||||
);
|
||||
}}
|
||||
onEntered={() => {
|
||||
document
|
||||
.querySelector<HTMLInputElement>('#email, #username')
|
||||
?.focus();
|
||||
}}
|
||||
classNames={{
|
||||
appear: 'opacity-0',
|
||||
appearActive: 'transition-opacity duration-500 opacity-100',
|
||||
enter: 'opacity-0',
|
||||
enterActive: 'transition-opacity duration-500 opacity-100',
|
||||
exitActive: 'transition-opacity duration-0 opacity-0',
|
||||
}}
|
||||
>
|
||||
<div ref={loginRef} className="button-container">
|
||||
{isJellyfin &&
|
||||
(mediaServerLogin ||
|
||||
!settings.currentSettings.localLogin) ? (
|
||||
<JellyfinLogin
|
||||
serverType={settings.currentSettings.mediaServerType}
|
||||
revalidate={revalidate}
|
||||
/>
|
||||
) : (
|
||||
settings.currentSettings.localLogin && (
|
||||
<LocalLogin revalidate={revalidate} />
|
||||
)
|
||||
)}
|
||||
</div>
|
||||
</CSSTransition>
|
||||
</SwitchTransition>
|
||||
{loginFormVisible && (
|
||||
<SwitchTransition mode="out-in">
|
||||
<CSSTransition
|
||||
key={mediaServerLogin ? 'ms' : 'local'}
|
||||
nodeRef={loginRef}
|
||||
addEndListener={(done) => {
|
||||
loginRef.current?.addEventListener(
|
||||
'transitionend',
|
||||
done,
|
||||
false
|
||||
);
|
||||
}}
|
||||
onEntered={() => {
|
||||
document
|
||||
.querySelector<HTMLInputElement>('#email, #username')
|
||||
?.focus();
|
||||
}}
|
||||
classNames={{
|
||||
appear: 'opacity-0',
|
||||
appearActive:
|
||||
'transition-opacity duration-500 opacity-100',
|
||||
enter: 'opacity-0',
|
||||
enterActive:
|
||||
'transition-opacity duration-500 opacity-100',
|
||||
exitActive: 'transition-opacity duration-0 opacity-0',
|
||||
}}
|
||||
>
|
||||
<div ref={loginRef} className="button-container">
|
||||
{isJellyfin &&
|
||||
(mediaServerLogin ||
|
||||
!settings.currentSettings.localLogin) ? (
|
||||
<JellyfinLogin
|
||||
serverType={settings.currentSettings.mediaServerType}
|
||||
revalidate={revalidate}
|
||||
/>
|
||||
) : (
|
||||
settings.currentSettings.localLogin && (
|
||||
<LocalLogin revalidate={revalidate} />
|
||||
)
|
||||
)}
|
||||
</div>
|
||||
</CSSTransition>
|
||||
</SwitchTransition>
|
||||
)}
|
||||
|
||||
{additionalLoginOptions.length > 0 &&
|
||||
(loginFormVisible ? (
|
||||
|
||||
366
src/components/Settings/EditOidcModal/index.tsx
Normal file
366
src/components/Settings/EditOidcModal/index.tsx
Normal file
@@ -0,0 +1,366 @@
|
||||
import Accordion from '@app/components/Common/Accordion';
|
||||
import Modal from '@app/components/Common/Modal';
|
||||
import SensitiveInput from '@app/components/Common/SensitiveInput';
|
||||
import globalMessages from '@app/i18n/globalMessages';
|
||||
import defineMessages from '@app/utils/defineMessages';
|
||||
import { Transition } from '@headlessui/react';
|
||||
import { ChevronRightIcon } from '@heroicons/react/20/solid';
|
||||
import { MagnifyingGlassIcon } from '@heroicons/react/24/solid';
|
||||
import type { OidcProvider } from '@server/lib/settings';
|
||||
import axios from 'axios';
|
||||
import { Field, Formik, useFormikContext, type FieldAttributes } from 'formik';
|
||||
import { useEffect } from 'react';
|
||||
import { useIntl } from 'react-intl';
|
||||
import { useToasts } from 'react-toast-notifications';
|
||||
import { twMerge } from 'tailwind-merge';
|
||||
import * as Yup from 'yup';
|
||||
|
||||
const messages = defineMessages('settings.settings.SettingsOidc', {
|
||||
required: '{field} is required',
|
||||
url: '{field} must be a valid URL',
|
||||
addoidc: 'Add New OpenID Connect Provider',
|
||||
editoidc: 'Edit {name}',
|
||||
oidcDomain: 'Issuer URL',
|
||||
oidcDomainTip:
|
||||
"The base URL of the identity provider's OpenID Connect endpoint",
|
||||
oidcSlug: 'Provider Slug',
|
||||
oidcSlugTip: 'Unique identifier for the provider',
|
||||
oidcName: 'Provider Name',
|
||||
oidcNameTip: 'Name of the provider which appears on the login screen',
|
||||
oidcClientId: 'Client ID',
|
||||
oidcClientIdTip: 'The Client ID assigned to Jellyseerr',
|
||||
oidcClientSecret: 'Client Secret',
|
||||
oidcClientSecretTip: 'The Client Secret assigned to Jellyseerr',
|
||||
oidcLogo: 'Logo',
|
||||
oidcLogoTip:
|
||||
'The logo to display for the provider. Should be a URL or base64 encoded image',
|
||||
oidcScopes: 'Scopes',
|
||||
oidcScopesTip: 'Space-separated list of scopes to request from the provider',
|
||||
oidcRequiredClaims: 'Required Claims',
|
||||
oidcRequiredClaimsTip:
|
||||
'Space-separated list of boolean claims that are required to log in',
|
||||
oidcNewUserLogin: 'Allow New Users',
|
||||
oidcNewUserLoginTip:
|
||||
'Create accounts for new users logging in with this provider',
|
||||
saveSuccess: 'OpenID Connect provider saved successfully!',
|
||||
saveError: 'Failed to save OpenID Connect provider configuration',
|
||||
});
|
||||
|
||||
interface EditOidcModalProps {
|
||||
show: boolean;
|
||||
provider?: OidcProvider;
|
||||
onClose: () => void;
|
||||
onOk: () => void;
|
||||
}
|
||||
|
||||
function SlugField(props: FieldAttributes<unknown> & { readOnly?: boolean }) {
|
||||
const {
|
||||
values: { name },
|
||||
setFieldValue,
|
||||
} = useFormikContext<Partial<OidcProvider>>();
|
||||
|
||||
useEffect(() => {
|
||||
if (!props.readOnly)
|
||||
setFieldValue(props.name, name?.toLowerCase().replace(/\s/g, '-'));
|
||||
}, [props.name, props.readOnly, name, setFieldValue]);
|
||||
|
||||
return <Field {...props} />;
|
||||
}
|
||||
|
||||
export default function EditOidcModal(props: EditOidcModalProps) {
|
||||
const intl = useIntl();
|
||||
const { addToast } = useToasts();
|
||||
|
||||
const errorMessage = (
|
||||
field: keyof typeof messages,
|
||||
message: keyof typeof messages = 'required'
|
||||
) =>
|
||||
intl.formatMessage(messages[message], {
|
||||
field: intl.formatMessage(messages[field]),
|
||||
});
|
||||
const oidcSettingsSchema = Yup.object().shape({
|
||||
slug: Yup.string().required(errorMessage('oidcSlug')),
|
||||
name: Yup.string().required(errorMessage('oidcName')),
|
||||
issuerUrl: Yup.string()
|
||||
.url(errorMessage('oidcDomain', 'url'))
|
||||
.required(errorMessage('oidcDomain')),
|
||||
clientId: Yup.string().required(errorMessage('oidcClientId')),
|
||||
clientSecret: Yup.string().required(errorMessage('oidcClientSecret')),
|
||||
logo: Yup.string(),
|
||||
requiredClaims: Yup.string(),
|
||||
scopes: Yup.string(),
|
||||
newUserLogin: Yup.boolean(),
|
||||
});
|
||||
|
||||
const onSubmit = async ({ slug, ...provider }: OidcProvider) => {
|
||||
try {
|
||||
await axios.put(`/api/v1/settings/oidc/${slug}`, provider);
|
||||
|
||||
addToast(intl.formatMessage(messages.saveSuccess), {
|
||||
appearance: 'success',
|
||||
autoDismiss: true,
|
||||
});
|
||||
|
||||
props.onOk();
|
||||
} catch (e) {
|
||||
addToast(intl.formatMessage(messages.saveError), {
|
||||
appearance: 'error',
|
||||
autoDismiss: true,
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<Transition show={props.show}>
|
||||
<Formik
|
||||
initialValues={{
|
||||
slug: props.provider?.slug ?? '',
|
||||
name: props.provider?.name ?? '',
|
||||
issuerUrl: props.provider?.issuerUrl ?? '',
|
||||
clientId: props.provider?.clientId ?? '',
|
||||
clientSecret: props.provider?.clientSecret ?? '',
|
||||
logo: props.provider?.logo,
|
||||
requiredClaims: props.provider?.requiredClaims,
|
||||
scopes: props.provider?.scopes,
|
||||
newUserLogin: props.provider?.newUserLogin,
|
||||
}}
|
||||
validationSchema={oidcSettingsSchema}
|
||||
onSubmit={onSubmit}
|
||||
enableReinitialize
|
||||
>
|
||||
{({ handleSubmit, isValid, errors, touched }) => (
|
||||
<Modal
|
||||
onCancel={props.onClose}
|
||||
cancelButtonProps={{ type: 'button' }}
|
||||
okButtonType="primary"
|
||||
okButtonProps={{ type: 'button' }}
|
||||
okDisabled={!isValid}
|
||||
onOk={() => handleSubmit()}
|
||||
okText={intl.formatMessage(globalMessages.save)}
|
||||
title={
|
||||
props.provider
|
||||
? intl.formatMessage(messages.editoidc, {
|
||||
name: props.provider.name,
|
||||
})
|
||||
: intl.formatMessage(messages.addoidc)
|
||||
}
|
||||
>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcName" className="text-label">
|
||||
{intl.formatMessage(messages.oidcName)}
|
||||
<span className="label-required">*</span>
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcNameTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<Field id="oidcName" name="name" type="text" />
|
||||
{errors.name &&
|
||||
touched.name &&
|
||||
typeof errors.name === 'string' && (
|
||||
<div className="error">{errors.name}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcLogo" className="text-label">
|
||||
{intl.formatMessage(messages.oidcLogo)}
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcLogoTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<div className="relative">
|
||||
<Field
|
||||
id="oidcLogo"
|
||||
name="logo"
|
||||
type="text"
|
||||
className="pr-10"
|
||||
/>
|
||||
<a
|
||||
className="absolute inset-y-0 right-0 flex items-center pr-3 text-gray-400 transition-colors hover:text-gray-200"
|
||||
href="https://selfh.st/icons"
|
||||
target="_blank"
|
||||
rel="noreferrer noopener"
|
||||
>
|
||||
<MagnifyingGlassIcon className="h-4 w-4" />
|
||||
</a>
|
||||
</div>
|
||||
{errors.logo &&
|
||||
touched.logo &&
|
||||
typeof errors.logo === 'string' && (
|
||||
<div className="error">{errors.logo}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcDomain" className="text-label">
|
||||
{intl.formatMessage(messages.oidcDomain)}
|
||||
<span className="label-required">*</span>
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcDomainTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<Field id="oidcDomain" name="issuerUrl" type="text" />
|
||||
{errors.issuerUrl &&
|
||||
touched.issuerUrl &&
|
||||
typeof errors.issuerUrl === 'string' && (
|
||||
<div className="error">{errors.issuerUrl}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcClientId" className="text-label">
|
||||
{intl.formatMessage(messages.oidcClientId)}
|
||||
<span className="label-required">*</span>
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcClientIdTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<Field id="oidcClientId" name="clientId" type="text" />
|
||||
{errors.clientId &&
|
||||
touched.clientId &&
|
||||
typeof errors.clientId === 'string' && (
|
||||
<div className="error">{errors.clientId}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcClientSecret" className="text-label">
|
||||
{intl.formatMessage(messages.oidcClientSecret)}
|
||||
<span className="label-required">*</span>
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcClientSecretTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<div className="flex">
|
||||
<SensitiveInput
|
||||
id="oidcClientSecret"
|
||||
name="clientSecret"
|
||||
as="field"
|
||||
autoComplete="new-password"
|
||||
/>
|
||||
</div>
|
||||
{errors.clientSecret &&
|
||||
touched.clientSecret &&
|
||||
typeof errors.clientSecret === 'string' && (
|
||||
<div className="error">{errors.clientSecret}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{/* Advanced Settings */}
|
||||
<Accordion>
|
||||
{({ openIndexes, AccordionContent, handleClick }) => (
|
||||
<>
|
||||
<button
|
||||
type="button"
|
||||
onClick={() => handleClick(0)}
|
||||
className="flex w-full items-center gap-0.5 py-4 font-bold text-gray-400"
|
||||
>
|
||||
<ChevronRightIcon
|
||||
width={18}
|
||||
className={twMerge(
|
||||
'transition-transform',
|
||||
openIndexes.includes(0) ? 'rotate-90' : ''
|
||||
)}
|
||||
/>
|
||||
Advanced Settings
|
||||
</button>
|
||||
<AccordionContent isOpen={openIndexes.includes(0)}>
|
||||
<div className="form-row mt-0">
|
||||
<label htmlFor="oidcSlug" className="text-label">
|
||||
{intl.formatMessage(messages.oidcSlug)}
|
||||
<span className="label-required">*</span>
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcSlugTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<SlugField
|
||||
id="oidcSlug"
|
||||
name="slug"
|
||||
type="text"
|
||||
readOnly={props.provider != null}
|
||||
disabled={props.provider != null}
|
||||
className={props.provider != null ? 'opacity-50' : ''}
|
||||
/>
|
||||
{errors.slug &&
|
||||
touched.slug &&
|
||||
typeof errors.slug === 'string' && (
|
||||
<div className="error">{errors.slug}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcScopes" className="text-label">
|
||||
{intl.formatMessage(messages.oidcScopes)}
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcScopesTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<Field id="oidcScopes" name="scopes" type="text" />
|
||||
{errors.scopes &&
|
||||
touched.scopes &&
|
||||
typeof errors.scopes === 'string' && (
|
||||
<div className="error">{errors.scopes}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label
|
||||
htmlFor="oidcRequiredClaims"
|
||||
className="text-label"
|
||||
>
|
||||
{intl.formatMessage(messages.oidcRequiredClaims)}
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcRequiredClaimsTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<Field
|
||||
id="oidcRequiredClaims"
|
||||
name="requiredClaims"
|
||||
type="text"
|
||||
/>
|
||||
{errors.requiredClaims &&
|
||||
touched.requiredClaims &&
|
||||
typeof errors.requiredClaims === 'string' && (
|
||||
<div className="error">{errors.requiredClaims}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
<div className="form-row">
|
||||
<label htmlFor="oidcNewUserLogin" className="text-label">
|
||||
{intl.formatMessage(messages.oidcNewUserLogin)}
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.oidcNewUserLoginTip)}
|
||||
</span>
|
||||
</label>
|
||||
<div className="form-input-area">
|
||||
<Field
|
||||
id="oidcNewUserLogin"
|
||||
name="newUserLogin"
|
||||
type="checkbox"
|
||||
/>
|
||||
{errors.newUserLogin &&
|
||||
touched.newUserLogin &&
|
||||
typeof errors.newUserLogin === 'string' && (
|
||||
<div className="error">{errors.newUserLogin}</div>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
</AccordionContent>
|
||||
</>
|
||||
)}
|
||||
</Accordion>
|
||||
</Modal>
|
||||
)}
|
||||
</Formik>
|
||||
</Transition>
|
||||
);
|
||||
}
|
||||
@@ -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
|
||||
>
|
||||
|
||||
164
src/components/Settings/SettingsOidc/index.tsx
Normal file
164
src/components/Settings/SettingsOidc/index.tsx
Normal file
@@ -0,0 +1,164 @@
|
||||
import Button from '@app/components/Common/Button';
|
||||
import ConfirmButton from '@app/components/Common/ConfirmButton';
|
||||
import Modal from '@app/components/Common/Modal';
|
||||
import EditOidcModal from '@app/components/Settings/EditOidcModal';
|
||||
import globalMessages from '@app/i18n/globalMessages';
|
||||
import defineMessages from '@app/utils/defineMessages';
|
||||
import { Transition } from '@headlessui/react';
|
||||
import { PlusIcon } from '@heroicons/react/24/outline';
|
||||
import { PencilIcon, TrashIcon } from '@heroicons/react/24/solid';
|
||||
import type { OidcProvider, OidcSettings } from '@server/lib/settings';
|
||||
import axios from 'axios';
|
||||
import { useState } from 'react';
|
||||
import { useIntl } from 'react-intl';
|
||||
import { useToasts } from 'react-toast-notifications';
|
||||
import useSWR from 'swr';
|
||||
|
||||
const messages = defineMessages('components.Settings.SettingsOidc', {
|
||||
configureoidc: 'Configure OpenID Connect',
|
||||
addOidcProvider: 'Add OpenID Connect Provider',
|
||||
oidcMatchUsername: 'Allow {mediaServerName} Usernames',
|
||||
oidcMatchUsernameTip:
|
||||
'Match OIDC users with their {mediaServerName} accounts by username',
|
||||
oidcAutomaticLogin: 'Automatic Login',
|
||||
oidcAutomaticLoginTip:
|
||||
'Automatically navigate to the OIDC login and logout pages. This functionality ' +
|
||||
'only supported when OIDC is the exclusive login method.',
|
||||
deleteError: 'Failed to delete OpenID Connect provider',
|
||||
});
|
||||
|
||||
interface SettingsOidcProps {
|
||||
show: boolean;
|
||||
onOk?: () => void;
|
||||
}
|
||||
|
||||
export default function SettingsOidc(props: SettingsOidcProps) {
|
||||
const { addToast } = useToasts();
|
||||
const intl = useIntl();
|
||||
const [editOidcModal, setEditOidcModal] = useState<{
|
||||
open: boolean;
|
||||
provider?: OidcProvider;
|
||||
}>({
|
||||
open: false,
|
||||
provider: undefined,
|
||||
});
|
||||
const { data, mutate: revalidate } = useSWR<OidcSettings>(
|
||||
'/api/v1/settings/oidc'
|
||||
);
|
||||
|
||||
async function onDelete(provider: OidcProvider) {
|
||||
try {
|
||||
const response = await axios.delete<OidcSettings>(
|
||||
`/api/v1/settings/oidc/${provider.slug}`
|
||||
);
|
||||
revalidate(response.data);
|
||||
} catch (e) {
|
||||
addToast(intl.formatMessage(messages.deleteError), {
|
||||
autoDismiss: true,
|
||||
appearance: 'error',
|
||||
});
|
||||
}
|
||||
}
|
||||
|
||||
return (
|
||||
<>
|
||||
<Transition show={props.show}>
|
||||
<Modal
|
||||
okText={intl.formatMessage(globalMessages.close)}
|
||||
onOk={props.onOk}
|
||||
okButtonProps={{ type: 'button' }}
|
||||
title={intl.formatMessage(messages.configureoidc)}
|
||||
backgroundClickable={false}
|
||||
>
|
||||
<ul className="grid grid-cols-1 gap-6 lg:grid-cols-2">
|
||||
{data?.providers.map((provider) => (
|
||||
<li
|
||||
className="col-span-1 flex flex-col justify-between rounded-lg bg-gray-700 shadow ring-1 ring-gray-500"
|
||||
key={provider.slug}
|
||||
>
|
||||
<div className="jusfity-between flex w-full items-center space-x-6 p-6">
|
||||
<div className="flex-1 truncate">
|
||||
<div className="mb-2 flex items-center space-x-2">
|
||||
<h3 className="truncate text-lg font-bold leading-5 text-white">
|
||||
{provider.name}
|
||||
</h3>
|
||||
</div>
|
||||
<p className="mt-1 truncate text-sm leading-5 text-gray-300">
|
||||
<span className="mr-2 font-bold">Issuer URL</span>
|
||||
{provider.issuerUrl}
|
||||
</p>
|
||||
<p className="mt-1 truncate text-sm leading-5 text-gray-300">
|
||||
<span className="mr-2 font-bold">Client ID</span>
|
||||
{provider.clientId}
|
||||
</p>
|
||||
</div>
|
||||
|
||||
{/* eslint-disable-next-line @next/next/no-img-element */}
|
||||
<img
|
||||
src={provider.logo || '/images/openid.svg'}
|
||||
alt={provider.name}
|
||||
className="h-10 w-10 flex-shrink-0"
|
||||
/>
|
||||
</div>
|
||||
|
||||
<div className="border-t border-gray-500">
|
||||
<div className="-mt-px flex">
|
||||
<div className="flex w-0 flex-1 border-r border-gray-500">
|
||||
<button
|
||||
type="button"
|
||||
onClick={() =>
|
||||
setEditOidcModal({ open: true, provider })
|
||||
}
|
||||
className="focus:ring-blue relative -mr-px inline-flex w-0 flex-1 items-center justify-center rounded-bl-lg border border-transparent py-4 text-sm font-medium leading-5 text-gray-200 transition duration-150 ease-in-out hover:text-white focus:z-10 focus:border-gray-500 focus:outline-none"
|
||||
>
|
||||
<PencilIcon className="mr-2 h-5 w-5" />
|
||||
<span>{intl.formatMessage(globalMessages.edit)}</span>
|
||||
</button>
|
||||
</div>
|
||||
<div className="-ml-px flex w-0 flex-1">
|
||||
<ConfirmButton
|
||||
onClick={() => onDelete(provider)}
|
||||
className="focus:ring-blue relative inline-flex w-0 flex-1 items-center justify-center rounded-none rounded-br-lg border border-transparent py-4 text-sm font-medium leading-5 text-gray-200 transition duration-150 ease-in-out hover:text-white focus:z-10 focus:border-gray-500 focus:outline-none"
|
||||
confirmText={intl.formatMessage(
|
||||
globalMessages.areyousure
|
||||
)}
|
||||
>
|
||||
<TrashIcon className="mr-2 h-5 w-5" />
|
||||
<span>{intl.formatMessage(globalMessages.delete)}</span>
|
||||
</ConfirmButton>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</li>
|
||||
))}
|
||||
|
||||
<li className="col-span-1 h-32 rounded-lg border-2 border-dashed border-gray-400 shadow sm:h-44">
|
||||
<div className="flex h-full w-full items-center justify-center">
|
||||
<Button
|
||||
type="button"
|
||||
buttonType="ghost"
|
||||
className="mt-3 mb-3"
|
||||
onClick={() => setEditOidcModal({ open: true })}
|
||||
>
|
||||
<PlusIcon />
|
||||
<span>{intl.formatMessage(messages.addOidcProvider)}</span>
|
||||
</Button>
|
||||
</div>
|
||||
</li>
|
||||
</ul>
|
||||
</Modal>
|
||||
</Transition>
|
||||
|
||||
<EditOidcModal
|
||||
show={editOidcModal.open}
|
||||
provider={editOidcModal.provider}
|
||||
onClose={() => setEditOidcModal((prev) => ({ ...prev, open: false }))}
|
||||
onOk={() => {
|
||||
revalidate();
|
||||
// preserve the provider so that it doesn't disappear while the dialog is closing
|
||||
setEditOidcModal((prev) => ({ ...prev, open: false }));
|
||||
}}
|
||||
/>
|
||||
</>
|
||||
);
|
||||
}
|
||||
@@ -4,14 +4,16 @@ import LoadingSpinner from '@app/components/Common/LoadingSpinner';
|
||||
import PageTitle from '@app/components/Common/PageTitle';
|
||||
import PermissionEdit from '@app/components/PermissionEdit';
|
||||
import QuotaSelector from '@app/components/QuotaSelector';
|
||||
import SettingsOidc from '@app/components/Settings/SettingsOidc';
|
||||
import useSettings from '@app/hooks/useSettings';
|
||||
import globalMessages from '@app/i18n/globalMessages';
|
||||
import defineMessages from '@app/utils/defineMessages';
|
||||
import { ArrowDownOnSquareIcon } from '@heroicons/react/24/outline';
|
||||
import { ArrowDownOnSquareIcon, CogIcon } from '@heroicons/react/24/outline';
|
||||
import { MediaServerType } from '@server/constants/server';
|
||||
import type { MainSettings } from '@server/lib/settings';
|
||||
import axios from 'axios';
|
||||
import { Field, Form, Formik } from 'formik';
|
||||
import { useState } from 'react';
|
||||
import { useIntl } from 'react-intl';
|
||||
import { useToasts } from 'react-toast-notifications';
|
||||
import useSWR, { mutate } from 'swr';
|
||||
@@ -31,6 +33,9 @@ const messages = defineMessages('components.Settings.SettingsUsers', {
|
||||
mediaServerLogin: 'Enable {mediaServerName} Sign-In',
|
||||
mediaServerLoginTip:
|
||||
'Allow users to sign in using their {mediaServerName} account',
|
||||
oidcLogin: 'Enable OpenID Connect Sign-In',
|
||||
oidcLoginTip:
|
||||
'Allow users to sign in using OpenID Connect identity providers',
|
||||
atLeastOneAuth: 'At least one authentication method must be selected.',
|
||||
newPlexLogin: 'Enable New {mediaServerName} Sign-In',
|
||||
newPlexLoginTip:
|
||||
@@ -50,23 +55,25 @@ const SettingsUsers = () => {
|
||||
mutate: revalidate,
|
||||
} = useSWR<MainSettings>('/api/v1/settings/main');
|
||||
const settings = useSettings();
|
||||
const [showOidcDialog, setShowOidcDialog] = useState(false);
|
||||
|
||||
const schema = yup
|
||||
.object()
|
||||
.shape({
|
||||
localLogin: yup.boolean(),
|
||||
mediaServerLogin: yup.boolean(),
|
||||
oidcLogin: yup.boolean(),
|
||||
})
|
||||
.test({
|
||||
name: 'atLeastOneAuth',
|
||||
test: function (values) {
|
||||
const isValid = ['localLogin', 'mediaServerLogin'].some(
|
||||
const isValid = ['localLogin', 'mediaServerLogin', 'oidcLogin'].some(
|
||||
(field) => !!values[field]
|
||||
);
|
||||
|
||||
if (isValid) return true;
|
||||
return this.createError({
|
||||
path: 'localLogin | mediaServerLogin',
|
||||
path: 'localLogin | mediaServerLogin | oidcLogin',
|
||||
message: intl.formatMessage(messages.atLeastOneAuth),
|
||||
});
|
||||
},
|
||||
@@ -106,6 +113,7 @@ const SettingsUsers = () => {
|
||||
initialValues={{
|
||||
localLogin: data?.localLogin,
|
||||
mediaServerLogin: data?.mediaServerLogin,
|
||||
oidcLogin: data?.oidcLogin,
|
||||
newPlexLogin: data?.newPlexLogin,
|
||||
movieQuotaLimit: data?.defaultQuotas.movie.quotaLimit ?? 0,
|
||||
movieQuotaDays: data?.defaultQuotas.movie.quotaDays ?? 7,
|
||||
@@ -120,6 +128,7 @@ const SettingsUsers = () => {
|
||||
await axios.post('/api/v1/settings/main', {
|
||||
localLogin: values.localLogin,
|
||||
mediaServerLogin: values.mediaServerLogin,
|
||||
oidcLogin: values.oidcLogin,
|
||||
newPlexLogin: values.newPlexLogin,
|
||||
defaultQuotas: {
|
||||
movie: {
|
||||
@@ -163,16 +172,21 @@ const SettingsUsers = () => {
|
||||
<span className="label-tip">
|
||||
{intl.formatMessage(messages.loginMethodsTip)}
|
||||
</span>
|
||||
{'localLogin | mediaServerLogin' in errors && (
|
||||
{'localLogin | mediaServerLogin | oidcLogin' in
|
||||
errors && (
|
||||
<span className="error">
|
||||
{errors['localLogin | mediaServerLogin'] as string}
|
||||
{
|
||||
errors[
|
||||
'localLogin | mediaServerLogin | oidcLogin'
|
||||
] as string
|
||||
}
|
||||
</span>
|
||||
)}
|
||||
</span>
|
||||
|
||||
<div className="form-input-area max-w-lg">
|
||||
<LabeledCheckbox
|
||||
id="localLogin"
|
||||
name="localLogin"
|
||||
label={intl.formatMessage(messages.localLogin)}
|
||||
description={intl.formatMessage(
|
||||
messages.localLoginTip,
|
||||
@@ -183,7 +197,7 @@ const SettingsUsers = () => {
|
||||
}
|
||||
/>
|
||||
<LabeledCheckbox
|
||||
id="mediaServerLogin"
|
||||
name="mediaServerLogin"
|
||||
className="mt-4"
|
||||
label={intl.formatMessage(
|
||||
messages.mediaServerLogin,
|
||||
@@ -200,10 +214,41 @@ const SettingsUsers = () => {
|
||||
)
|
||||
}
|
||||
/>
|
||||
<div className="mt-4 flex justify-between">
|
||||
<LabeledCheckbox
|
||||
name="oidcLogin"
|
||||
label={intl.formatMessage(
|
||||
messages.oidcLogin,
|
||||
mediaServerFormatValues
|
||||
)}
|
||||
description={intl.formatMessage(
|
||||
messages.oidcLoginTip,
|
||||
mediaServerFormatValues
|
||||
)}
|
||||
onChange={() => {
|
||||
const newValue = !values.oidcLogin;
|
||||
setFieldValue('oidcLogin', newValue);
|
||||
if (newValue) setShowOidcDialog(true);
|
||||
}}
|
||||
/>
|
||||
{values.oidcLogin && (
|
||||
<CogIcon
|
||||
className="w-8 cursor-pointer text-gray-400"
|
||||
onClick={() => setShowOidcDialog(true)}
|
||||
/>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
||||
{values.oidcLogin && (
|
||||
<SettingsOidc
|
||||
show={showOidcDialog}
|
||||
onOk={() => setShowOidcDialog(false)}
|
||||
/>
|
||||
)}
|
||||
|
||||
<div className="form-row">
|
||||
<label htmlFor="newPlexLogin" className="checkbox-label">
|
||||
{intl.formatMessage(
|
||||
|
||||
@@ -12,6 +12,10 @@ import defineMessages from '@app/utils/defineMessages';
|
||||
import PlexOAuth from '@app/utils/plex';
|
||||
import { TrashIcon } from '@heroicons/react/24/solid';
|
||||
import { MediaServerType } from '@server/constants/server';
|
||||
import type {
|
||||
UserSettingsLinkedAccount,
|
||||
UserSettingsLinkedAccountResponse,
|
||||
} from '@server/interfaces/api/userSettingsInterfaces';
|
||||
import axios from 'axios';
|
||||
import { useRouter } from 'next/router';
|
||||
import { useMemo, useState } from 'react';
|
||||
@@ -42,12 +46,20 @@ enum LinkedAccountType {
|
||||
Plex = 'Plex',
|
||||
Jellyfin = 'Jellyfin',
|
||||
Emby = 'Emby',
|
||||
OpenIdConnect = 'oidc',
|
||||
}
|
||||
|
||||
type LinkedAccount = {
|
||||
type: LinkedAccountType;
|
||||
username: string;
|
||||
};
|
||||
type LinkedAccount =
|
||||
| {
|
||||
type:
|
||||
| LinkedAccountType.Plex
|
||||
| LinkedAccountType.Emby
|
||||
| LinkedAccountType.Jellyfin;
|
||||
username: string;
|
||||
}
|
||||
| ({
|
||||
type: LinkedAccountType.OpenIdConnect;
|
||||
} & UserSettingsLinkedAccount);
|
||||
|
||||
const UserLinkedAccountsSettings = () => {
|
||||
const intl = useIntl();
|
||||
@@ -62,13 +74,21 @@ const UserLinkedAccountsSettings = () => {
|
||||
const { data: passwordInfo } = useSWR<{ hasPassword: boolean }>(
|
||||
user ? `/api/v1/user/${user?.id}/settings/password` : null
|
||||
);
|
||||
const { data: linkedOidcAccounts, mutate: revalidateLinkedAccounts } =
|
||||
useSWR<UserSettingsLinkedAccountResponse>(
|
||||
user ? `/api/v1/user/${user?.id}/settings/linked-accounts` : null
|
||||
);
|
||||
const [showJellyfinModal, setShowJellyfinModal] = useState(false);
|
||||
const [error, setError] = useState<string | null>(null);
|
||||
|
||||
const applicationName = settings.currentSettings.applicationTitle;
|
||||
|
||||
const accounts: LinkedAccount[] = useMemo(() => {
|
||||
const accounts: LinkedAccount[] = [];
|
||||
const accounts: LinkedAccount[] =
|
||||
linkedOidcAccounts?.map((a) => ({
|
||||
type: LinkedAccountType.OpenIdConnect,
|
||||
...a,
|
||||
})) ?? [];
|
||||
if (!user) return accounts;
|
||||
if (user.userType === UserType.PLEX && user.plexUsername)
|
||||
accounts.push({
|
||||
@@ -86,7 +106,7 @@ const UserLinkedAccountsSettings = () => {
|
||||
username: user.jellyfinUsername,
|
||||
});
|
||||
return accounts;
|
||||
}, [user]);
|
||||
}, [user, linkedOidcAccounts]);
|
||||
|
||||
const linkPlexAccount = async () => {
|
||||
setError(null);
|
||||
@@ -136,6 +156,24 @@ const UserLinkedAccountsSettings = () => {
|
||||
settings.currentSettings.mediaServerType !== MediaServerType.EMBY ||
|
||||
accounts.some((a) => a.type === LinkedAccountType.Emby),
|
||||
},
|
||||
...settings.currentSettings.openIdProviders.map((p) => ({
|
||||
name: p.name,
|
||||
action: async () => {
|
||||
try {
|
||||
const res = await axios.get<{ redirectUrl: string }>(
|
||||
`/api/v1/auth/oidc/login/${p.slug}`
|
||||
);
|
||||
window.location.href = res.data.redirectUrl;
|
||||
} catch (e) {
|
||||
setError(intl.formatMessage(messages.errorUnknown));
|
||||
}
|
||||
},
|
||||
hide: accounts.some(
|
||||
(a) =>
|
||||
a.type === LinkedAccountType.OpenIdConnect &&
|
||||
a.provider.slug === p.slug
|
||||
),
|
||||
})),
|
||||
].filter((l) => !l.hide);
|
||||
|
||||
const deleteRequest = async (account: string) => {
|
||||
@@ -148,6 +186,7 @@ const UserLinkedAccountsSettings = () => {
|
||||
}
|
||||
|
||||
await revalidateUser();
|
||||
await revalidateLinkedAccounts();
|
||||
};
|
||||
|
||||
if (
|
||||
@@ -196,7 +235,7 @@ const UserLinkedAccountsSettings = () => {
|
||||
<div>
|
||||
<Dropdown text="Link Account" buttonType="ghost">
|
||||
{linkable.map(({ name, action }) => (
|
||||
<Dropdown.Item key={name} onClick={action}>
|
||||
<Dropdown.Item key={name} onClick={action} buttonType="ghost">
|
||||
{name}
|
||||
</Dropdown.Item>
|
||||
))}
|
||||
@@ -219,24 +258,37 @@ const UserLinkedAccountsSettings = () => {
|
||||
</div>
|
||||
) : acct.type === LinkedAccountType.Emby ? (
|
||||
<EmbyLogo />
|
||||
) : (
|
||||
) : acct.type === LinkedAccountType.Jellyfin ? (
|
||||
<JellyfinLogo />
|
||||
)}
|
||||
) : acct.type === LinkedAccountType.OpenIdConnect ? (
|
||||
// eslint-disable-next-line @next/next/no-img-element
|
||||
<img
|
||||
src={acct.provider.logo ?? '/images/openid.svg'}
|
||||
alt={acct.provider.name}
|
||||
/>
|
||||
) : null}
|
||||
</div>
|
||||
<div>
|
||||
<div className="truncate text-sm font-bold text-gray-300">
|
||||
{acct.type}
|
||||
{acct.type === LinkedAccountType.OpenIdConnect
|
||||
? acct.provider.name
|
||||
: acct.type}
|
||||
</div>
|
||||
<div className="text-xl font-semibold text-white">
|
||||
{acct.username}
|
||||
</div>
|
||||
</div>
|
||||
<div className="flex-grow" />
|
||||
{enableMediaServerUnlink && (
|
||||
{(acct.type === LinkedAccountType.OpenIdConnect ||
|
||||
enableMediaServerUnlink) && (
|
||||
<ConfirmButton
|
||||
onClick={() => {
|
||||
deleteRequest(
|
||||
acct.type === LinkedAccountType.Plex ? 'plex' : 'jellyfin'
|
||||
acct.type === LinkedAccountType.OpenIdConnect
|
||||
? String(acct.id)
|
||||
: acct.type === LinkedAccountType.Plex
|
||||
? 'plex'
|
||||
: 'jellyfin'
|
||||
);
|
||||
}}
|
||||
confirmText={intl.formatMessage(globalMessages.areyousure)}
|
||||
|
||||
@@ -8,7 +8,7 @@ export interface SettingsContextProps {
|
||||
children?: React.ReactNode;
|
||||
}
|
||||
|
||||
const defaultSettings = {
|
||||
const defaultSettings: PublicSettingsResponse = {
|
||||
initialized: false,
|
||||
applicationTitle: 'Jellyseerr',
|
||||
applicationUrl: '',
|
||||
@@ -31,6 +31,7 @@ const defaultSettings = {
|
||||
emailEnabled: false,
|
||||
newPlexLogin: true,
|
||||
youtubeUrl: '',
|
||||
openIdProviders: [],
|
||||
};
|
||||
|
||||
export const SettingsContext = React.createContext<SettingsContextProps>({
|
||||
|
||||
@@ -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": "حسابك حاليا بدون كلمة سر. قم بإعداد كلمة سر بالأسفل لإتاحة تسجيل الدخول كـ\"مستخدم محلي\" بإستخدام البريد الإلكتروني.",
|
||||
|
||||
@@ -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": "Добавяне…"
|
||||
}
|
||||
|
||||
@@ -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}}",
|
||||
|
||||
@@ -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ě.",
|
||||
|
||||
@@ -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.\"",
|
||||
|
||||
@@ -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",
|
||||
|
||||
@@ -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": "Στους Κινηματογράφους",
|
||||
|
||||
@@ -78,7 +78,6 @@
|
||||
"components.Discover.FilterSlideover.activefilters": "{count, plural, one {# Active Filter} other {# Active Filters}}",
|
||||
"components.Discover.FilterSlideover.certification": "Content Rating",
|
||||
"components.Discover.FilterSlideover.clearfilters": "Clear Active Filters",
|
||||
"components.Discover.FilterSlideover.excludeKeywords": "Exclude Keywords",
|
||||
"components.Discover.FilterSlideover.filters": "Filters",
|
||||
"components.Discover.FilterSlideover.firstAirDate": "First Air Date",
|
||||
"components.Discover.FilterSlideover.from": "From",
|
||||
@@ -254,6 +253,7 @@
|
||||
"components.Login.loginerror": "Something went wrong while trying to sign in.",
|
||||
"components.Login.loginwithapp": "Login with {appName}",
|
||||
"components.Login.noadminerror": "No admin user found on the server.",
|
||||
"components.Login.oidcLoginError": "An error occurred while logging in with {provider}.",
|
||||
"components.Login.orsigninwith": "Or sign in with",
|
||||
"components.Login.password": "Password",
|
||||
"components.Login.port": "Port",
|
||||
@@ -684,8 +684,6 @@
|
||||
"components.Settings.Notifications.NotificationsWebhook.customJson": "JSON Payload",
|
||||
"components.Settings.Notifications.NotificationsWebhook.resetPayload": "Reset to Default",
|
||||
"components.Settings.Notifications.NotificationsWebhook.resetPayloadSuccess": "JSON payload reset successfully!",
|
||||
"components.Settings.Notifications.NotificationsWebhook.supportVariables": "Support URL Variables",
|
||||
"components.Settings.Notifications.NotificationsWebhook.supportVariablesTip": "Available variables are documented in the webhook template variables section",
|
||||
"components.Settings.Notifications.NotificationsWebhook.templatevariablehelp": "Template Variable Help",
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestFailed": "Webhook test notification failed to send.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSending": "Sending webhook test notification…",
|
||||
@@ -694,7 +692,6 @@
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationTypes": "You must select at least one notification type",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationWebhookUrl": "You must provide a valid URL",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhookUrl": "Webhook URL",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhookUrlTip": "Test Notification URL is set to {testUrl} instead of the actual webhook URL.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhooksettingsfailed": "Webhook notification settings failed to save.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhooksettingssaved": "Webhook notification settings saved successfully!",
|
||||
"components.Settings.Notifications.NotificationsWebPush.agentenabled": "Enable Agent",
|
||||
@@ -1037,6 +1034,8 @@
|
||||
"components.Settings.SettingsUsers.movieRequestLimitLabel": "Global Movie Request Limit",
|
||||
"components.Settings.SettingsUsers.newPlexLogin": "Enable New {mediaServerName} Sign-In",
|
||||
"components.Settings.SettingsUsers.newPlexLoginTip": "Allow {mediaServerName} users to sign in without first being imported",
|
||||
"components.Settings.SettingsUsers.oidcLogin": "Enable OpenID Connect Sign-In",
|
||||
"components.Settings.SettingsUsers.oidcLoginTip": "Allow users to sign in using OpenID Connect identity providers",
|
||||
"components.Settings.SettingsUsers.toastSettingsFailure": "Something went wrong while saving settings.",
|
||||
"components.Settings.SettingsUsers.toastSettingsSuccess": "User settings saved successfully!",
|
||||
"components.Settings.SettingsUsers.tvRequestLimitLabel": "Global Series Request Limit",
|
||||
@@ -1604,5 +1603,29 @@
|
||||
"pages.pagenotfound": "Page Not Found",
|
||||
"pages.returnHome": "Return Home",
|
||||
"pages.serviceunavailable": "Service Unavailable",
|
||||
"pages.somethingwentwrong": "Something Went Wrong"
|
||||
"pages.somethingwentwrong": "Something Went Wrong",
|
||||
"settings.settings.SettingsOidc.addoidc": "Add New OpenID Connect Provider",
|
||||
"settings.settings.SettingsOidc.editoidc": "Edit {name}",
|
||||
"settings.settings.SettingsOidc.oidcClientId": "Client ID",
|
||||
"settings.settings.SettingsOidc.oidcClientIdTip": "The Client ID assigned to Jellyseerr",
|
||||
"settings.settings.SettingsOidc.oidcClientSecret": "Client Secret",
|
||||
"settings.settings.SettingsOidc.oidcClientSecretTip": "The Client Secret assigned to Jellyseerr",
|
||||
"settings.settings.SettingsOidc.oidcDomain": "Issuer URL",
|
||||
"settings.settings.SettingsOidc.oidcDomainTip": "The base URL of the identity provider's OpenID Connect endpoint",
|
||||
"settings.settings.SettingsOidc.oidcLogo": "Logo",
|
||||
"settings.settings.SettingsOidc.oidcLogoTip": "The logo to display for the provider. Should be a URL or base64 encoded image",
|
||||
"settings.settings.SettingsOidc.oidcName": "Provider Name",
|
||||
"settings.settings.SettingsOidc.oidcNameTip": "Name of the provider which appears on the login screen",
|
||||
"settings.settings.SettingsOidc.oidcNewUserLogin": "Allow New Users",
|
||||
"settings.settings.SettingsOidc.oidcNewUserLoginTip": "Create accounts for new users logging in with this provider",
|
||||
"settings.settings.SettingsOidc.oidcRequiredClaims": "Required Claims",
|
||||
"settings.settings.SettingsOidc.oidcRequiredClaimsTip": "Space-separated list of boolean claims that are required to log in",
|
||||
"settings.settings.SettingsOidc.oidcScopes": "Scopes",
|
||||
"settings.settings.SettingsOidc.oidcScopesTip": "Space-separated list of scopes to request from the provider",
|
||||
"settings.settings.SettingsOidc.oidcSlug": "Provider Slug",
|
||||
"settings.settings.SettingsOidc.oidcSlugTip": "Unique identifier for the provider",
|
||||
"settings.settings.SettingsOidc.required": "{field} is required",
|
||||
"settings.settings.SettingsOidc.saveError": "Failed to save OpenID Connect provider configuration",
|
||||
"settings.settings.SettingsOidc.saveSuccess": "OpenID Connect provider saved successfully!",
|
||||
"settings.settings.SettingsOidc.url": "{field} must be a valid URL"
|
||||
}
|
||||
|
||||
@@ -174,6 +174,7 @@
|
||||
"components.Settings.default4k": "4K predeterminado",
|
||||
"components.Settings.default": "Predeterminado",
|
||||
"components.Settings.currentlibrary": "Biblioteca actual: {name}",
|
||||
"components.Settings.copied": "Clave API copiada en el portapapeles.",
|
||||
"components.Settings.cancelscan": "Cancelar Escaneo",
|
||||
"i18n.deleting": "Eliminando…",
|
||||
"components.UserList.userdeleteerror": "Algo salió mal al eliminar al usuario.",
|
||||
@@ -706,6 +707,8 @@
|
||||
"components.Settings.RadarrModal.enableSearch": "Habilitar Búsqueda Automática",
|
||||
"components.RequestModal.edit": "Editar Solicitud",
|
||||
"components.RequestList.RequestItem.editrequest": "Editar Solicitud",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "¡Ajustes de notificacion de Web Push guardados con éxito!",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Fallo al guardar los ajustes de notificaciones de Web Push.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpush": "Web Push",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.applanguage": "Mostrar Idioma",
|
||||
"components.Settings.webpush": "Web Push",
|
||||
@@ -740,11 +743,22 @@
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "¡Notificación de prueba de Pushbullet enviada!",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Enviando notificación de prueba de Pushbullet…",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Fallo al enviar notificación de prueba de Pushbullet.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "URL del Webhook",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Debes indicar una URL válida",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "¡Notificación de LunaSea enviada!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Enviando notificación de prueba de LunaSea…",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Fallo al enviar la notificación de prueba de LunaSea.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "¡Los ajustes de notificación se han guardado con éxito!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Fallo al guardar los ajustes de notificación de LunaSea.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Requerido solo si no se usa el perfil por <code>default</code>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Nombre de Perfil",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Habilitar Agente",
|
||||
"components.PermissionEdit.requestTvDescription": "Conceder permisos para solicitar series que no sean 4k.",
|
||||
"components.PermissionEdit.requestTv": "Solicitar Series",
|
||||
"components.PermissionEdit.requestMoviesDescription": "Conceder permisos para solicitar películas que no sean 4K.",
|
||||
"components.PermissionEdit.requestMovies": "Solicitar películas",
|
||||
"components.Settings.SettingsAbout.betawarning": "¡Este es un software BETA. Algunas funcionalidades podrían fallar. Por favor, reporta cualquier problema en Github!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Debes seleccionar, al menos, un tipo de notificacion",
|
||||
"components.RequestList.RequestItem.requesteddate": "Solicitado",
|
||||
"components.RequestCard.failedretry": "Algo fue mal al reintentar la solicitud.",
|
||||
"components.NotificationTypeSelector.usermediarequestedDescription": "Notificar cuando otros usuarios envíen nuevas solicitudes que requieran aprobación.",
|
||||
@@ -768,6 +782,7 @@
|
||||
"components.Settings.Notifications.encryption": "Método de Encriptación",
|
||||
"components.Settings.Notifications.encryptionDefault": "Usa STARTTLS si está disponible",
|
||||
"components.Settings.Notifications.encryptionNone": "Ninguna",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Tu <LunaSeaLink>URL del webhook de notificación</LunaSeaLink> basado en tu usuario o dispositivo",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Crea un token desde tu <PushbulletSettingsLink>Opciones de Cuenta</PushbulletSettingsLink>",
|
||||
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Registrar una aplicación</ApplicationRegistrationLink> para su uso con Jellyseerr",
|
||||
"components.Settings.Notifications.NotificationsPushover.userTokenTip": "Tu <UsersGroupsLink>identificador de usuario o grupo</UsersGroupsLink> de 30 caracteres",
|
||||
@@ -1290,6 +1305,7 @@
|
||||
"components.Login.noadminerror": "No se ha encontrado un usuario administrativo en el servidor.",
|
||||
"components.Login.orsigninwith": "O inicia sesión con",
|
||||
"components.Login.port": "Puerto",
|
||||
"components.Login.validationHostnameRequired": "Debes proveer un nombre de host o dirección IP válida",
|
||||
"components.Login.validationPortRequired": "Debes proveer un número de puerto válido",
|
||||
"components.Blacklist.blacklistSettingsDescription": "Gestionar contenido en la lista negra.",
|
||||
"components.Blacklist.blacklistdate": "Fecha",
|
||||
|
||||
@@ -174,6 +174,7 @@
|
||||
"components.Settings.default4k": "4K predeterminado",
|
||||
"components.Settings.default": "Predeterminado",
|
||||
"components.Settings.currentlibrary": "Biblioteca actual: {name}",
|
||||
"components.Settings.copied": "Clave API copiada en el portapapeles.",
|
||||
"components.Settings.cancelscan": "Cancelar Escaneo",
|
||||
"i18n.deleting": "Eliminando…",
|
||||
"components.UserList.userdeleteerror": "Algo salió mal al eliminar al usuario.",
|
||||
@@ -706,6 +707,8 @@
|
||||
"components.Settings.RadarrModal.enableSearch": "Habilitar Búsqueda Automática",
|
||||
"components.RequestModal.edit": "Editar Solicitud",
|
||||
"components.RequestList.RequestItem.editrequest": "Editar Solicitud",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "¡Ajustes de notificacion de Web Push guardados con éxito!",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Fallo al guardar los ajustes de notificaciones de Web Push.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpush": "Web Push",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.applanguage": "Mostrar Idioma",
|
||||
"components.Settings.webpush": "Web Push",
|
||||
@@ -740,11 +743,22 @@
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "¡Notificación de prueba de Pushbullet enviada!",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Enviando notificación de prueba de Pushbullet…",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Fallo al enviar notificación de prueba de Pushbullet.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "URL del Webhook",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Debes indicar una URL válida",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "¡Notificación de LunaSea enviada!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Enviando notificación de prueba de LunaSea…",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Fallo al enviar la notificación de prueba de LunaSea.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "¡Los ajustes de notificación se han guardado con éxito!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Fallo al guardar los ajustes de notificación de LunaSea.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Requerido solo si no se usa el perfil por <code>default</code>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Nombre de Perfil",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Habilitar Agente",
|
||||
"components.PermissionEdit.requestTvDescription": "Conceder permisos para solicitar series que no sean 4k.",
|
||||
"components.PermissionEdit.requestTv": "Solicitar Series",
|
||||
"components.PermissionEdit.requestMoviesDescription": "Conceder permisos para solicitar películas que no sean 4K.",
|
||||
"components.PermissionEdit.requestMovies": "Solicitar películas",
|
||||
"components.Settings.SettingsAbout.betawarning": "¡Este es un software BETA. Algunas funcionalidades podrían fallar. Por favor, reporta cualquier problema en Github!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Debes seleccionar, al menos, un tipo de notificacion",
|
||||
"components.RequestList.RequestItem.requesteddate": "Solicitado",
|
||||
"components.RequestCard.failedretry": "Algo fue mal al reintentar la solicitud.",
|
||||
"components.NotificationTypeSelector.usermediarequestedDescription": "Notificar cuando otros usuarios envíen nuevas solicitudes que requieran aprobación.",
|
||||
@@ -768,6 +782,7 @@
|
||||
"components.Settings.Notifications.encryption": "Método de Encriptación",
|
||||
"components.Settings.Notifications.encryptionDefault": "Usa STARTTLS si está disponible",
|
||||
"components.Settings.Notifications.encryptionNone": "Ninguna",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Tu <LunaSeaLink>URL del webhook de notificación</LunaSeaLink> basado en tu usuario o dispositivo",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Crea un token desde tu <PushbulletSettingsLink>Opciones de Cuenta</PushbulletSettingsLink>",
|
||||
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Registrar una aplicación</ApplicationRegistrationLink> para su uso con Jellyseerr",
|
||||
"components.Settings.Notifications.NotificationsPushover.userTokenTip": "Tu <UsersGroupsLink>identificador de usuario o grupo</UsersGroupsLink> de 30 caracteres",
|
||||
|
||||
@@ -495,6 +495,7 @@
|
||||
"components.IssueDetails.IssueComment.areyousuredelete": "Ziur zaude iruzkin hau ezabatu nahi duzula?",
|
||||
"components.IssueDetails.deleteissueconfirm": "Ziur zaude intzidentzia hau ezabatu nahi duzula?",
|
||||
"components.Login.adminerror": "Administratzaile kontu bat erabili behar duzu saioa hasteko.",
|
||||
"components.Login.validationHostnameRequired": "Baliozko ostalari-izen edo IP helbide bat eman behar duzu",
|
||||
"components.Login.validationUrlBaseTrailingSlash": "URLa ez du amaierako barra batean amaitu behar",
|
||||
"components.NotificationTypeSelector.adminissuereopenedDescription": "Jakinarazi beste erabiltzaile batzuek intzidentziak berriro irekitzen dituztenean.",
|
||||
"components.NotificationTypeSelector.adminissueresolvedDescription": "Jakinarazi beste erabiltzaile batzuek intzidentziak konpontzen dituztenean.",
|
||||
@@ -642,6 +643,7 @@
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationDiscordId": "Baliozko erabiltzaile ID bat eman behar duzu",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationPushoverApplicationToken": "Baliozko aplikazio token bat eman behar duzu",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationTelegramChatId": "Baliozko txat ID bat eman behar duzu",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Web push jakinarazpenen ezarpenak gordetzeak huts egin du.",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.toastSettingsFailure": "Zerbait gaizki joan da pasahitza gordetzean.",
|
||||
"i18n.removeFromBlacklistSuccess": "<strong>{title}</strong> zerrenda beltzetik ondo kendu da.",
|
||||
"i18n.showingresults": "<strong>{total}</strong>(e)tik <strong>{from}</strong>(e)tik <strong>{to}</strong>(e)ra emaitza erakusten",
|
||||
@@ -650,11 +652,17 @@
|
||||
"components.IssueDetails.toastissuedeletefailed": "Zerbait gaizki joan da intzidentzia ezabatzean.",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.plexwatchlistsyncseriestip": "Automatikoki eskatu zure <PlexWatchlistSupportLink>Plex jarraipen zerrendan</PlexWatchlistSupportLink> dauden telesailak",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTypes": "Gutxienez jakinarazpen mota bat aukeratu behar duzu",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Ez da beharrezkoa profil <code>lehenetsia</code> erabiltzen ari bazara",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Gutxienez jakinarazpen mota bat aukeratu behar duzu",
|
||||
"components.RequestModal.QuotaDisplay.movielimit": "{limit, plural, one {film} other {film}}",
|
||||
"components.RequestModal.requestadmin": "Eskaera hau automatikoki onartuko da.",
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestFailed": "Gotify proba jakinarazpena bidaltzeak huts egin du.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "LunaSea proba jakinarazpena bidaltzeak huts egin du.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Baliozko URL bat eman behar duzu",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsFailed": "Pushbullet jakinarazpen ezarpenak gordetzeak huts egin du.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Zure erabiltzaile edo gailuan oinarritutako <LunaSeaLink>jakinarazpen WebHook URLa</LunaSeaLink>",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTokenRequired": "Aplikazio token bat eman behar duzu",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "LunaSea jakinarazpen ezarpenak gordetzeak huts egin du.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverApplicationTokenTip": "<ApplicationRegistrationLink>Erregistratu aplikazio bat</ApplicationRegistrationLink> {applicationTitle}-(r)ekin erabiltzeko",
|
||||
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> ez dago zerrenda beltzean.",
|
||||
"components.Blacklist.blacklistSettingsDescription": "Kudeatu zerrenda beltzean dagoen multimedia.",
|
||||
@@ -860,6 +868,8 @@
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSuccess": "Gotify proba jakinarazpena bidalita!",
|
||||
"components.Settings.Notifications.NotificationsGotify.token": "Aplikazioaren tokena",
|
||||
"components.Settings.Notifications.NotificationsGotify.url": "Zerbitzariaren URLa",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Gaitu agentea",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URLa",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "Sarbide tokena",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.channelTag": "Kanalaren etiketa",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Pushbullet proba jakinarazpena bidaltzen…",
|
||||
@@ -1095,6 +1105,7 @@
|
||||
"components.Settings.SonarrModal.validationRootFolderRequired": "Erro karpeta bat hautatu behar duzu",
|
||||
"components.Settings.SonarrModal.testFirstTags": "Probatu konexioa etiketak kargatzeko",
|
||||
"components.Settings.SonarrModal.toastSonarrTestFailure": "Sonarr-era konektatzeak huts egin du.",
|
||||
"components.Settings.copied": "API gakoa arbelera kopiatuta.",
|
||||
"components.Settings.hostname": "Ostalari-izena edo IP helbidea",
|
||||
"components.Settings.addradarr": "Gehitu Radarr zerbitzaria",
|
||||
"components.Settings.addsonarr": "Gehitu Sonarr zerbitzaria",
|
||||
@@ -1289,6 +1300,7 @@
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.currentpassword": "Uneko pasahitza",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.newpassword": "Pasahitz berria",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.telegramsettingssaved": "Telegram jakinarazpenen ezarpenak ondo gorde dira!",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Web push jakinarazpen ezarpenak ondo gorde dira!",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.toastSettingsSuccess": "Pasahitza ondo gorde da!",
|
||||
"components.UserProfile.UserSettings.UserPermissions.toastSettingsFailure": "Zerbait gaizki joan da ezarpenak gordetzean.",
|
||||
"components.UserProfile.UserSettings.UserPermissions.unauthorizedDescription": "Ezin dituzu zure baimenak aldatu.",
|
||||
@@ -1336,6 +1348,7 @@
|
||||
"components.RequestModal.QuotaDisplay.notenoughseasonrequests": "Ez dituzu denboraldi nahiko eskaerarik",
|
||||
"components.Settings.Notifications.NotificationsSlack.webhookUrlTip": "Sortu <WebhookLink>Sarrera Webhook</WebhookLink> integrazio bat",
|
||||
"components.Discover.CreateSlider.providetmdbstudio": "Eman TMDB estudioaren IDa",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "LunaSea proba jakinarazpena bidalita!",
|
||||
"components.Discover.DiscoverTv.sortTmdbRatingAsc": "TMDB puntuazioa gorantz",
|
||||
"components.Settings.RadarrModal.selectMinimumAvailability": "Hautatu gutxieneko erabilgarritasuna",
|
||||
"components.Settings.SonarrModal.editsonarr": "Editatu Sonarr zerbitzaria",
|
||||
@@ -1348,6 +1361,7 @@
|
||||
"components.Selector.searchGenres": "Hautatu generoak…",
|
||||
"components.Selector.searchStatus": "Hautatu egoera...",
|
||||
"components.Selector.showless": "Erakutsi gutxiago",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Profilaren izena",
|
||||
"components.Settings.RadarrModal.rootfolder": "Erro karpeta",
|
||||
"components.IssueDetails.toasteditdescriptionsuccess": "Intzidentziaren deskribapena ondo editatu da!",
|
||||
"components.RequestModal.requestedited": "<strong>{title}</strong>-(e)rako eskaera ondo editatu da!",
|
||||
@@ -1356,6 +1370,7 @@
|
||||
"components.RequestModal.requestApproved": "<strong>{title}</strong> eskaera onartuta!",
|
||||
"components.RequestModal.requestseries4ktitle": "Eskatu telesaila 4K-n",
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSending": "Gotify proba jakinarazpena bidaltzen…",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "LunaSea proba jakinarazpena bidaltzen…",
|
||||
"components.Settings.RadarrModal.hostname": "Ostalari-izena edo IP helbidea",
|
||||
"components.Discover.DiscoverTv.sortTmdbRatingDesc": "TMDB puntuazioa beherantz",
|
||||
"components.TvDetails.addtowatchlist": "Gehitu jarraipen zerrendara",
|
||||
@@ -1371,6 +1386,7 @@
|
||||
"components.Settings.SettingsMain.toastApiKeySuccess": "API gako berria ondo sortu da!",
|
||||
"components.TvDetails.episodeRuntime": "Atalaren iraupena",
|
||||
"components.Settings.Notifications.NotificationsGotify.gotifysettingssaved": "Gotify jakinarazpenen ezarpenak ondo gorde dira!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "LunaSea jakinarazpenen ezarpenak ondo gorde dira!",
|
||||
"components.Settings.OverrideRuleModal.qualityprofile": "Kalitate profila",
|
||||
"components.Settings.OverrideRuleModal.selectRootFolder": "Hautatu erro-karpeta",
|
||||
"components.DiscoverTvUpcoming.upcomingtv": "Hurrengo telesailak",
|
||||
@@ -1412,6 +1428,7 @@
|
||||
"components.Settings.SettingsNetwork.forceIpv4First": "Behartu IPv4 ebazpena lehen",
|
||||
"components.Settings.OverrideRuleModal.editrule": "Editatu gainidazte araua",
|
||||
"components.Settings.OverrideRuleModal.selectQualityProfile": "Hautatu kalitate profila",
|
||||
"components.Settings.SettingsNetwork.advancedNetworkSettings": "Sare ezarpen aurreratuak",
|
||||
"components.Settings.SettingsNetwork.csrfProtection": "Gaitu CSRF babesa",
|
||||
"components.Settings.OverrideRuleModal.create": "Sortu araua",
|
||||
"components.Settings.OverrideRuleModal.notagoptions": "Etiketarik ez.",
|
||||
|
||||
@@ -72,7 +72,7 @@
|
||||
"components.Blacklist.blacklistsettings": "Estämisen Asetukset",
|
||||
"components.Blacklist.mediaName": "Nimi",
|
||||
"components.Blacklist.mediaType": "Tyyppi",
|
||||
"components.Blacklist.mediaTmdbId": "tmdb Id",
|
||||
"components.Blacklist.mediaTmdbId": "",
|
||||
"components.Discover.DiscoverMovies.sortReleaseDateAsc": "Julkaisupäivä nousevassa järjestyksessä",
|
||||
"components.Discover.DiscoverMovies.sortTitleAsc": "Otsikko (A-Z) nousevassa järjestyksessä",
|
||||
"components.Discover.DiscoverMovies.sortTitleDesc": "Otsikko (A-Z) laskevassa järjestyksessä",
|
||||
@@ -129,7 +129,7 @@
|
||||
"components.Discover.popularmovies": "Suositut Elokuvat",
|
||||
"components.Discover.populartv": "Suositut Sarjat",
|
||||
"components.Discover.recentlyAdded": "Viimeksi Lisätty",
|
||||
"components.Discover.recentrequests": "Viimeaikaiset pyynnöt",
|
||||
"components.Discover.recentrequests": "Viimeksi Pyydetty",
|
||||
"components.Discover.resetsuccess": "Tutustumisen mukautusasetukset tyhjennetty.",
|
||||
"components.Discover.resettodefault": "Palauta Oletusasetukset",
|
||||
"components.Discover.resetwarning": "Palauta liukusäätimet. Tämä poistaa myös mukautetut säätimet!",
|
||||
@@ -192,8 +192,8 @@
|
||||
"components.IssueList.IssueItem.viewissue": "Näytä ongelma",
|
||||
"components.IssueList.issues": "Ongelmat",
|
||||
"components.IssueList.showallissues": "Näytä kaikki ongelmat",
|
||||
"components.IssueList.sortAdded": "Uusin",
|
||||
"components.IssueList.sortModified": "Viimeksi muokattu",
|
||||
"components.IssueList.sortAdded": "Viimeisin lisätty",
|
||||
"components.IssueList.sortModified": "Viimeisin muokattu",
|
||||
"components.IssueModal.CreateIssueModal.allepisodes": "Kaikki jaksot",
|
||||
"components.IssueModal.CreateIssueModal.allseasons": "Kaikki kaudet",
|
||||
"components.IssueModal.CreateIssueModal.extras": "Ekstrat",
|
||||
@@ -245,277 +245,5 @@
|
||||
"i18n.requesting": "Pyydetään…",
|
||||
"i18n.requested": "Pyydetty",
|
||||
"i18n.request4k": "Pyydä 4K:na",
|
||||
"i18n.request": "Pyydä",
|
||||
"components.DiscoverTvUpcoming.upcomingtv": "Tulossa olevat sarjat",
|
||||
"components.ManageSlideOver.manageModalRequests": "Pyynnöt",
|
||||
"i18n.usersettings": "Käyttäjäasetukset",
|
||||
"i18n.view": "Näytä",
|
||||
"i18n.save": "Tallenna muutokset",
|
||||
"i18n.unavailable": "Ei saatavilla",
|
||||
"i18n.tvshows": "Sarjat",
|
||||
"i18n.tvshow": "Sarja",
|
||||
"i18n.testing": "Kokeillaan…",
|
||||
"i18n.test": "Kokeile",
|
||||
"i18n.status": "Tila",
|
||||
"i18n.specials": "Erikoisjaksot",
|
||||
"i18n.settings": "Asetukset",
|
||||
"i18n.saving": "Tallennetaan…",
|
||||
"i18n.movies": "Elokuvat",
|
||||
"components.MovieDetails.addtowatchlist": "Lisää katselulistalle",
|
||||
"i18n.loading": "Ladataan…",
|
||||
"i18n.available": "Saatavilla",
|
||||
"components.UserProfile.recentrequests": "Viimeaikaiset pyynnöt",
|
||||
"i18n.cancel": "Peruuta",
|
||||
"i18n.blacklist": "Estolista",
|
||||
"components.Discover.DiscoverTv.activefilters": "{count, plural, one {# Aktiivinen suodatin} other {# Aktiivista suodatinta}}",
|
||||
"components.Discover.DiscoverMovies.activefilters": "{count, plural, one {# Aktiivinen suodatin} other {# Aktiivista suodatinta}}",
|
||||
"components.MovieDetails.overviewunavailable": "Yhteenveto ei saatavilla.",
|
||||
"components.Login.signingin": "Kirjaudutaan sisään…",
|
||||
"components.MovieDetails.digitalrelease": "Digitaalinen julkaisu",
|
||||
"components.Login.description": "Koska tämä on ensimmäinen kirjautumisesi sovellukseen {applicationName}, sinun täytyy lisätä toimiva sähköpostiosoite.",
|
||||
"components.Login.noadminerror": "Järjestelmänvalvojan käyttäjää ei löytynyt palvelimelta.",
|
||||
"components.Login.username": "Käyttäjänimi",
|
||||
"components.ManageSlideOver.manageModalClearMediaWarning": "* Tämä poistaa peruuttamattomasti kaikki tämän {mediaType}-kohteen tiedot, mukaan lukien kaikki pyynnöt. Jos tämä kohde on {mediaServerName}-kirjastossasi, mediatiedot luodaan uudelleen seuraavan skannauksen aikana.",
|
||||
"components.ManageSlideOver.manageModalAdvanced": "Lisäasetukset",
|
||||
"components.Login.password": "Salasana",
|
||||
"components.Login.port": "Portti",
|
||||
"components.Login.save": "Lisää",
|
||||
"components.Login.saving": "Lisätään…",
|
||||
"components.Login.servertype": "Palvelimen tyyppi",
|
||||
"components.Login.signin": "Kirjaudu sisään",
|
||||
"components.Login.signinheader": "Kirjaudu sisään jatkaaksesi",
|
||||
"components.Login.email": "Sähköpostiosoite",
|
||||
"components.Login.emailtooltip": "Osoitteen ei tarvitse olla liitettynä {mediaServerName}-instanssiisi.",
|
||||
"components.Login.enablessl": "Käytä SSL",
|
||||
"components.Login.forgotpassword": "Unohtuiko salasana?",
|
||||
"components.Login.hostname": "{mediaServerName} URL-osoite",
|
||||
"components.Login.initialsignin": "Yhdistä",
|
||||
"components.Login.initialsigningin": "Yhdistetään…",
|
||||
"components.Login.invalidurlerror": "Yhdistäminen palvelimeen {mediaServerName} ei onnistunut.",
|
||||
"components.Login.loginerror": "Jotain meni pieleen kirjautumisessa.",
|
||||
"components.Login.loginwithapp": "Kirjaudu sisään sovelluksella {appName}",
|
||||
"components.Login.orsigninwith": "Tai kirjaudu sisään käyttäen",
|
||||
"components.Login.signinwithjellyfin": "Käytä palvelimesi {mediaServerName} tiliä",
|
||||
"components.Login.signinwithoverseerr": "Käytä {applicationTitle}-tiliä",
|
||||
"components.Login.signinwithplex": "Käytä Plex-tiliäsi",
|
||||
"components.Login.title": "Lisää sähköposti",
|
||||
"components.ManageSlideOver.downloadstatus": "Lataukset",
|
||||
"components.ManageSlideOver.manageModalMedia": "Media",
|
||||
"components.ManageSlideOver.manageModalNoRequests": "Ei pyyntöjä.",
|
||||
"components.ManageSlideOver.markavailable": "Merkitse saatavilla",
|
||||
"components.ManageSlideOver.openarr": "Avaa ohjelmassa {arr}",
|
||||
"components.ManageSlideOver.openarr4k": "Avaa ohjelmassa 4K {arr}",
|
||||
"components.ManageSlideOver.opentautulli": "Avaa Tautullissa",
|
||||
"components.ManageSlideOver.playedby": "Toistanut",
|
||||
"components.ManageSlideOver.tvshow": "sarja",
|
||||
"components.MediaSlider.ShowMoreCard.seemore": "Näytä lisää",
|
||||
"components.Login.urlBase": "URL-osoitteen pohja",
|
||||
"components.Login.validationEmailFormat": "Virheellinen sähköposti",
|
||||
"components.Login.validationEmailRequired": "Sinun täytyy antaa sähköposti",
|
||||
"components.Login.validationPortRequired": "Sinun täytyy antaa toimiva portin numero",
|
||||
"components.Login.validationemailformat": "Toimiva sähköposti vaaditaan",
|
||||
"components.Login.validationemailrequired": "Sinun täytyy antaa toimiva sähköpostiosoite",
|
||||
"components.Login.validationhostformat": "Toimiva URL-osoite vaaditaan",
|
||||
"components.Login.validationhostrequired": "{mediaServerName} URL vaaditaan",
|
||||
"components.Login.validationpasswordrequired": "Sinun täytyy antaa salasana",
|
||||
"components.Login.validationservertyperequired": "Valitse palvelimen tyyppi",
|
||||
"components.Login.validationusernamerequired": "Käyttäjänimi vaaditaan",
|
||||
"components.ManageSlideOver.alltime": "Koko ajan",
|
||||
"components.ManageSlideOver.manageModalClearMedia": "Tyhjennä Data",
|
||||
"components.ManageSlideOver.manageModalIssues": "Avoimet ongelmat",
|
||||
"components.ManageSlideOver.manageModalMedia4k": "4K Media",
|
||||
"components.ManageSlideOver.manageModalRemoveMediaWarning": "* Tämä poistaa tämän {mediaType}-tiedoston peruuttamattomasti ohjelmasta {arr}, kaikki tiedostot mukaan lukien.",
|
||||
"components.ManageSlideOver.manageModalTitle": "Hallinnoi {mediaType}",
|
||||
"components.ManageSlideOver.mark4kavailable": "Merkitse saatavilla olevaksi 4K-laadulla",
|
||||
"components.ManageSlideOver.markallseasons4kavailable": "Merkitse kaikki tuotantokaudet saataville 4K-laadulla",
|
||||
"components.ManageSlideOver.markallseasonsavailable": "Merkitse kaikki tuotantokaudet saataville",
|
||||
"components.ManageSlideOver.removearr": "Poista ohjelmasta {arr}",
|
||||
"components.MovieDetails.budget": "Budjetti",
|
||||
"components.MovieDetails.cast": "Näyttelijät",
|
||||
"components.MovieDetails.downloadstatus": "Latauksen tila",
|
||||
"components.MovieDetails.markavailable": "Merkitse saatavilla",
|
||||
"components.MovieDetails.openradarr": "Avaa elokuva ohjelmassa Radarr",
|
||||
"components.MovieDetails.openradarr4k": "Avaa elokuva ohjelmassa 4K Radarr",
|
||||
"components.MovieDetails.originallanguage": "Alkuperäinen kieli",
|
||||
"components.MovieDetails.originaltitle": "Alkuperäinen nimi",
|
||||
"components.MovieDetails.overview": "Yhteenveto",
|
||||
"components.MovieDetails.physicalrelease": "Fyysinen julkaisu",
|
||||
"i18n.areyousure": "Oletko varma?",
|
||||
"i18n.back": "Takaisin",
|
||||
"i18n.approve": "Hyväksy",
|
||||
"i18n.all": "Kaikki",
|
||||
"i18n.advanced": "Lisäasetukset",
|
||||
"i18n.addToBlacklist": "Lisää estolistalle",
|
||||
"i18n.approved": "Hyväksytty",
|
||||
"components.UserProfile.requestsperdays": "{limit} jäljellä",
|
||||
"i18n.movie": "Elokuva",
|
||||
"i18n.importing": "Tuodaan…",
|
||||
"i18n.import": "Tuo",
|
||||
"i18n.failed": "Epäonnistui",
|
||||
"i18n.experimental": "Kokeellinen",
|
||||
"i18n.edit": "Muokkaa",
|
||||
"i18n.deleting": "Poistetaan…",
|
||||
"i18n.delete": "Poista",
|
||||
"i18n.next": "Seuraava",
|
||||
"i18n.decline": "Hylkää",
|
||||
"i18n.collection": "Kokoelma",
|
||||
"i18n.close": "Sulje",
|
||||
"i18n.canceling": "Perutaan…",
|
||||
"i18n.declined": "Hylätty",
|
||||
"components.Discover.FilterSlideover.activefilters": "{count, plural, one {# Aktiivinen suodatin} other {# Aktiivista suodatinta}}",
|
||||
"components.IssueList.IssueItem.episodes": "{episodeCount, plural, one {Jakso} other {Jaksoa}}",
|
||||
"components.IssueList.IssueItem.seasons": "{seasonCount, plural, one {Tuotantokausi} other {Tuotantokautta}}",
|
||||
"components.ManageSlideOver.movie": "elokuva",
|
||||
"components.UserProfile.recentlywatched": "Viimeaikaiset katselut",
|
||||
"components.UserProfile.plexwatchlist": "Plex-katselulista",
|
||||
"components.NotificationTypeSelector.mediaapprovedDescription": "Lähetä ilmoituksia, kun mediapyyntöjä hyväksytään manuaalisesti.",
|
||||
"components.NotificationTypeSelector.mediaapproved": "Pyyntö hyväksytty",
|
||||
"i18n.pending": "Odottaa",
|
||||
"components.Layout.VersionStatus.streamdevelop": "Jellyseerr kehittäjä",
|
||||
"components.Layout.VersionStatus.streamstable": "Jellyseerr vakaa",
|
||||
"i18n.partiallyavailable": "Osittain saatavilla",
|
||||
"i18n.previous": "Edellinen",
|
||||
"i18n.processing": "Käsitellään",
|
||||
"i18n.removeFromBlacklistSuccess": "<strong>{title}</strong> poistettiin onnistuneesti estolistalta.",
|
||||
"i18n.removefromBlacklist": "Poista estolistalta",
|
||||
"components.Settings.SonarrModal.validationApplicationUrlTrailingSlash": "URL-osoite ei saa päättyä kauttaviivaan",
|
||||
"components.NotificationTypeSelector.mediaautorequestedDescription": "Saat ilmoituksen, kun seurantalistallasi oleville kohteille lähetetään automaattisesti uusia mediapyyntöjä.",
|
||||
"components.QuotaSelector.days": "{count, plural, one {päivä} other {päivää}}",
|
||||
"components.Settings.mediaTypeMovie": "elokuva",
|
||||
"components.TvDetails.recommendations": "Suositukset",
|
||||
"components.Selector.showmore": "Näytä lisää",
|
||||
"components.Settings.validationUrlBaseTrailingSlash": "URL-osoitteen pohja ei saa päättyä kauttaviivaan",
|
||||
"components.PersonDetails.alsoknownas": "Tunnetaan myös nimeltä: {names}",
|
||||
"components.Settings.RadarrModal.validationBaseUrlLeadingSlash": "URL-osoitteen pohjassa on oltava alussa kauttaviiva",
|
||||
"components.RequestCard.approverequest": "Hyväksy pyyntö",
|
||||
"components.RequestModal.cancel": "Peruuta pyyntö",
|
||||
"components.Settings.validationUrlBaseLeadingSlash": "URL-osoitteen pohjassa on oltava alussa kauttaviiva",
|
||||
"components.Settings.RadarrModal.validationApplicationUrlTrailingSlash": "URL-osoite ei saa päättyä kauttaviivaan",
|
||||
"components.QuotaSelector.unlimited": "Rajoittamaton",
|
||||
"components.RequestBlock.decline": "Hylkää pyyntö",
|
||||
"components.RequestModal.errorediting": "Pyyntöä muokattaessa tapahtui virhe.",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "URL-osoite ei saa päättyä kauttaviivaan",
|
||||
"components.RequestList.RequestItem.failedretry": "Jotain meni pieleen, kun pyyntöä yritettiin uudelleen.",
|
||||
"components.NotificationTypeSelector.mediaAutoApproved": "Pyyntö hyväksytään automaattisesti",
|
||||
"components.RequestCard.seasons": "{seasonCount, plural, one {Tuotantokausi} other {Tuotantokautta}}",
|
||||
"components.RequestBlock.seasons": "{seasonCount, plural, one {Tuotantokausi} other {Tuotantokautta}}",
|
||||
"components.RequestList.RequestItem.seasons": "{seasonCount, plural, one {Tuotantokausi} other {Tuotantokautta}}",
|
||||
"components.RequestButton.approve4krequests": "Hyväksy {requestCount, plural, one {4K Pyyntö} other {{requestCount} 4K Pyyntöä}}",
|
||||
"components.PersonDetails.lifespan": "{birthdate} – {deathdate}",
|
||||
"components.PermissionEdit.request": "Pyydä",
|
||||
"components.ManageSlideOver.removearr4k": "Poista ohjelmasta 4K {arr}",
|
||||
"components.Login.validationUrlBaseLeadingSlash": "URL-osoitteen pohjassa on oltava alussa kauttaviiva",
|
||||
"components.Login.validationUrlBaseTrailingSlash": "URL-osoitteen pohja ei saa päättyä kauttaviivaan",
|
||||
"components.Login.validationUrlTrailingSlash": "URL-osoite ei saa päättyä kauttaviivaan",
|
||||
"components.ManageSlideOver.plays": "<strong>{playCount, number}</strong> {playCount, plural, one {toisto} other {toistoa}}",
|
||||
"components.MovieDetails.recommendations": "Suositukset",
|
||||
"components.MovieDetails.MovieCast.fullcast": "Kaikki näyttelijät",
|
||||
"components.MovieDetails.managemovie": "Hallinnoi elokuvaa",
|
||||
"components.MovieDetails.imdbuserscore": "IMDB-käyttäjän pisteet",
|
||||
"components.MovieDetails.mark4kavailable": "Merkitse saatavilla olevaksi 4K-laadulla",
|
||||
"components.MovieDetails.play": "Toista kohteessa {mediaServerName}",
|
||||
"components.MovieDetails.play4k": "Toista 4K kohteessa {mediaServerName}",
|
||||
"components.MovieDetails.productioncountries": "Tuotanto {countryCount, plural, one {Maa} other {Maata}}",
|
||||
"components.MovieDetails.releasedate": "{releaseCount, plural, one {Julkaisupäivä} other {Julkaisupäivää}}",
|
||||
"components.MovieDetails.removefromwatchlist": "Poista katselulistalta",
|
||||
"components.MovieDetails.reportissue": "Ilmoita ongelmasta",
|
||||
"components.MovieDetails.revenue": "Tulot",
|
||||
"components.MovieDetails.rtaudiencescore": "Rotten Tomatoesin yleisöpisteet",
|
||||
"components.MovieDetails.rtcriticsscore": "Rotten Tomatoes -tomaattimittari",
|
||||
"components.MovieDetails.runtime": "{minutes} minuuttia",
|
||||
"components.MovieDetails.showless": "Näytä vähemmän",
|
||||
"components.MovieDetails.showmore": "Näytä lisää",
|
||||
"components.MovieDetails.similar": "Samankaltaisia nimikkeitä",
|
||||
"components.MovieDetails.streamingproviders": "Suoratoistettavat palvelut",
|
||||
"components.MovieDetails.studio": "{studioCount, plural, one {Studio} other {Studiota}}",
|
||||
"components.MovieDetails.theatricalrelease": "Teatterijulkaisu",
|
||||
"components.MovieDetails.tmdbuserscore": "TMDB-käyttäjän pisteet",
|
||||
"components.MovieDetails.viewfullcrew": "Näytä koko ryhmä",
|
||||
"components.MovieDetails.MovieCrew.fullcrew": "Koko ryhmä",
|
||||
"components.MovieDetails.watchlistDeleted": "<strong>{title}</strong> Poistettiin katselulistalta onnistuneesti!",
|
||||
"components.MovieDetails.watchlistError": "Jotain meni pieleen. Yritä uudelleen.",
|
||||
"components.MovieDetails.watchlistSuccess": "<strong>{title}</strong> lisättiin katselulistalle onnistuneesti!",
|
||||
"components.MovieDetails.watchtrailer": "Katso traileri",
|
||||
"components.NotificationTypeSelector.adminissuecommentDescription": "Saat ilmoituksen, kun muut käyttäjät kommentoivat ongelmia.",
|
||||
"components.NotificationTypeSelector.adminissuereopenedDescription": "Saat ilmoituksen, kun muut käyttäjät avaavat ongelmia uudelleen.",
|
||||
"components.NotificationTypeSelector.adminissueresolvedDescription": "Saat ilmoituksen, kun muut käyttäjät ovat ratkaisseet ongelmia.",
|
||||
"components.NotificationTypeSelector.issuecomment": "Ongelman kommentti",
|
||||
"components.NotificationTypeSelector.issuecommentDescription": "Lähetä ilmoituksia, kun ongelmiin tulee uusia kommentteja.",
|
||||
"components.NotificationTypeSelector.issuecreated": "Ongelma ilmoitettu",
|
||||
"components.NotificationTypeSelector.issuecreatedDescription": "Lähetä ilmoituksia, kun ongelmista ilmoitetaan.",
|
||||
"components.NotificationTypeSelector.issuereopened": "Ongelma avattu uudelleen",
|
||||
"components.NotificationTypeSelector.issuereopenedDescription": "Lähetä ilmoituksia, kun ongelmia avataan uudelleen.",
|
||||
"components.NotificationTypeSelector.issueresolved": "Ongelma ratkaistu",
|
||||
"components.NotificationTypeSelector.issueresolvedDescription": "Lähetä ilmoituksia, kun ongelmat on ratkaistu.",
|
||||
"components.NotificationTypeSelector.mediaAutoApprovedDescription": "Lähetä ilmoituksia, kun käyttäjät lähettävät uusia mediapyyntöjä, jotka hyväksytään automaattisesti.",
|
||||
"components.NotificationTypeSelector.mediaautorequested": "Pyyntö lähetetty automaattisesti",
|
||||
"components.NotificationTypeSelector.mediaavailable": "Pyyntö saatavilla",
|
||||
"components.NotificationTypeSelector.mediaavailableDescription": "Lähetä ilmoituksia, kun mediapyyntöjä tulee saataville.",
|
||||
"components.NotificationTypeSelector.mediadeclined": "Pyyntö hylätty",
|
||||
"components.NotificationTypeSelector.mediadeclinedDescription": "Lähetä ilmoituksia, kun mediapyyntöjä hylätään.",
|
||||
"components.NotificationTypeSelector.notificationTypes": "Ilmoitustyypit",
|
||||
"components.PersonDetails.appearsin": "Esiintymiset",
|
||||
"components.PersonDetails.ascharacter": "hahmona {character}",
|
||||
"components.PersonDetails.birthdate": "Syntynyt {birthdate}",
|
||||
"components.PermissionEdit.request4k": "Pyydä 4K-laadulla",
|
||||
"components.RegionSelector.regionDefault": "Kaikki alueet",
|
||||
"components.RegionSelector.regionServerDefault": "Oletus ({region})",
|
||||
"components.RequestBlock.approve": "Hyväksy pyyntö",
|
||||
"components.RequestBlock.delete": "Poista pyyntö",
|
||||
"components.RequestBlock.edit": "Muokkaa pyyntöä",
|
||||
"components.RequestBlock.languageprofile": "Kieliprofiili",
|
||||
"components.RequestBlock.lastmodifiedby": "Viimeksi muokannut",
|
||||
"components.RequestBlock.profilechanged": "Laatuprofiili",
|
||||
"components.RequestBlock.requestdate": "Pyyntöpäivämäärä",
|
||||
"components.RequestBlock.requestedby": "Pyytäjä",
|
||||
"components.RequestBlock.requestoverrides": "Pyyntöjen ohitukset",
|
||||
"components.RequestBlock.rootfolder": "Juurikansio",
|
||||
"components.RequestBlock.server": "Kohdepalvelin",
|
||||
"components.RequestButton.approverequest": "Hyväksy pyyntö",
|
||||
"components.RequestButton.approverequest4k": "Hyväksy 4K Pyyntö",
|
||||
"components.RequestButton.declinerequest": "Hylkää pyyntö",
|
||||
"components.RequestButton.declinerequest4k": "Hylkää 4K Pyyntö",
|
||||
"components.RequestButton.requestmore": "Pyydä lisää",
|
||||
"components.RequestButton.requestmore4k": "Pyydä lisää 4K-laadulla",
|
||||
"components.RequestButton.viewrequest": "Näytä pyyntö",
|
||||
"components.RequestButton.viewrequest4k": "Näytä 4K Pyyntö",
|
||||
"components.RequestCard.cancelrequest": "Peruuta pyyntö",
|
||||
"components.RequestCard.declinerequest": "Hylkää pyyntö",
|
||||
"components.RequestCard.deleterequest": "Poista pyyntö",
|
||||
"components.RequestCard.editrequest": "Muokkaa pyyntöä",
|
||||
"components.RequestCard.failedretry": "Jotain meni pieleen uudelleenpyytäessä.",
|
||||
"components.RequestCard.mediaerror": "{mediaType} Ei löydy",
|
||||
"components.RequestCard.tmdbid": "TMDB ID",
|
||||
"components.RequestCard.tvdbid": "TheTVDB ID",
|
||||
"components.RequestCard.unknowntitle": "Tuntematon nimike",
|
||||
"components.RequestList.RequestItem.cancelRequest": "Peruuta pyyntö",
|
||||
"components.RequestList.RequestItem.deleterequest": "Poista pyyntö",
|
||||
"components.RequestList.RequestItem.editrequest": "Muokkaa pyyntöä",
|
||||
"components.RequestList.RequestItem.mediaerror": "{mediaType} Ei löydy",
|
||||
"components.RequestList.RequestItem.modified": "Muokattu",
|
||||
"components.RequestList.RequestItem.modifieduserdate": "{date} käyttäjältä {user}",
|
||||
"components.RequestList.RequestItem.profileName": "Profiili",
|
||||
"components.RequestList.RequestItem.removearr": "Poista ohjelmasta {arr}",
|
||||
"components.RequestList.RequestItem.requested": "Pyydetty",
|
||||
"components.RequestList.RequestItem.requesteddate": "Pyydetty",
|
||||
"components.RequestList.RequestItem.tmdbid": "TMDB ID",
|
||||
"components.RequestList.RequestItem.tvdbid": "TheTVDB ID",
|
||||
"components.RequestList.RequestItem.unknowntitle": "Tuntematon nimike",
|
||||
"components.RequestList.requests": "Pyynnöt",
|
||||
"components.RequestList.showallrequests": "Näytä kaikki pyynnöt",
|
||||
"components.RequestList.sortAdded": "Uusin",
|
||||
"components.RequestList.sortModified": "Viimeksi muokattu",
|
||||
"components.RequestModal.AdvancedRequester.advancedoptions": "Lisäasetukset",
|
||||
"components.RequestModal.QuotaDisplay.movie": "elokuva",
|
||||
"components.RequestModal.edit": "Muokkaa pyyntöä",
|
||||
"components.RequestModal.requestcollectiontitle": "Pyydä kokoelma",
|
||||
"components.RequestModal.pendingrequest": "Odottava pyyntö",
|
||||
"components.RequestModal.approve": "Hyväksy pyyntö",
|
||||
"components.RequestModal.autoapproval": "Automaattinen hyväksyntä",
|
||||
"components.RequestModal.alreadyrequested": "Pyydetty jo",
|
||||
"components.Settings.RadarrModal.validationBaseUrlTrailingSlash": "URL-osoitteen pohja ei saa päättyä kauttaviivaan",
|
||||
"components.Settings.SettingsAbout.about": "Tietoja",
|
||||
"components.Settings.SonarrModal.validationBaseUrlLeadingSlash": "URL-osoitteen alussa on oltava kauttaviiva",
|
||||
"components.Settings.mediaTypeSeries": "sarja",
|
||||
"components.Settings.menuAbout": "Tietoja"
|
||||
"i18n.request": "Pyydä"
|
||||
}
|
||||
|
||||
@@ -211,6 +211,7 @@
|
||||
"components.Settings.address": "Adresse",
|
||||
"components.Settings.addsonarr": "Ajouter un serveur Sonarr",
|
||||
"components.Settings.cancelscan": "Annuler le scan",
|
||||
"components.Settings.copied": "Clé d'API copiée dans le presse-papier.",
|
||||
"components.Settings.currentlibrary": "Bibliothèque actuelle : {name}",
|
||||
"components.Settings.default": "Par défaut",
|
||||
"components.Settings.default4k": "4K par défaut",
|
||||
@@ -806,11 +807,21 @@
|
||||
"components.Settings.Notifications.NotificationsWebPush.webpushsettingssaved": "Les paramètres de la notification Web push ont été enregistrés avec succès !",
|
||||
"components.Settings.Notifications.NotificationsWebPush.webpushsettingsfailed": "Les paramètres de la notification Web push n'ont pas été enregistrés.",
|
||||
"components.Settings.Notifications.NotificationsWebPush.agentenabled": "Activer l'agent",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "URL de webhook",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Vous devez fournir une URL valide",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "Paramètres de notification de LunaSea sauvegardés avec succès !",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Les paramètres de notification LunaSea n'ont pas pu être enregistrés.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Uniquement nécessaire si vous n'utilisez pas le profil <code>default</code>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Nom du Profil",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Activer l'agent",
|
||||
"components.PermissionEdit.requestMoviesDescription": "Autorise à demander des films non-4K.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestFailed": "La notification de test Web Push n’a pas été envoyée.",
|
||||
"components.PermissionEdit.requestMovies": "Demander des films",
|
||||
"components.PermissionEdit.requestTv": "Demander des séries",
|
||||
"components.PermissionEdit.requestTvDescription": "Autorise à demander des séries non-4K.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "Notification test LunaSea envoyée !",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Envoi de la notification test LunaSea…",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "L'envoi de la notification test LunaSea a échoué.",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Envoi de la notification test Pushbullet…",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "L'envoi de la notification test Pushbullet a échoué.",
|
||||
"components.Settings.Notifications.toastTelegramTestFailed": "L'envoi de la notification test à Telegram a échoué.",
|
||||
@@ -829,6 +840,7 @@
|
||||
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Enregistrer une application</ApplicationRegistrationLink> à utiliser avec Jellyseerr",
|
||||
"components.RequestList.RequestItem.requesteddate": "Demandé",
|
||||
"components.RequestCard.failedretry": "Une erreur s'est produite lors du renvoi de la demande.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Paramètres de notification Web Push enregistrés avec succès !",
|
||||
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSuccess": "Notification de test web push envoyée !",
|
||||
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSending": "Envoi d'une notification de test web push…",
|
||||
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "Afin de recevoir des notifications push web, Jellyseerr doit fonctionner en HTTPS.",
|
||||
@@ -839,11 +851,13 @@
|
||||
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSending": "Envoi de la notification test Slack…",
|
||||
"components.Settings.Notifications.NotificationsSlack.toastSlackTestFailed": "L'envoi de la notification test Slack a échoué.",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Créer un jeton à partir de vos <PushbulletSettingsLink>paramètres de compte</PushbulletSettingsLink>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Votre <LunaSeaLink>URL de webhook de notification</LunaSeaLink> basée sur l'utilisateur ou l'appareil",
|
||||
"components.QuotaSelector.seasons": "{count, plural, one {saison} other {saisons}}",
|
||||
"components.QuotaSelector.movies": "{count, plural, one {film} other {films}}",
|
||||
"components.QuotaSelector.movieRequests": "{quotaLimit} <quotaUnits>{movies} tous les {quotaDays} {days}</quotaUnits>",
|
||||
"components.QuotaSelector.days": "{count, plural, one {jour} other {jours}}",
|
||||
"components.Settings.SettingsAbout.betawarning": "Ceci est un logiciel BÊTA. Les fonctionnalités peuvent être non opérationnelles ou instables. Veuillez signaler tout problème sur GitHub !",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Échec de l'enregistrement des paramètres de notification Web push.",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.languageDefault": "Langage par défaut ({language})",
|
||||
"components.Settings.webAppUrlTip": "Dirigez éventuellement les utilisateurs vers l'application Web sur votre serveur au lieu de l'application Web « hébergée »",
|
||||
"components.Settings.webAppUrl": "URL <WebAppLink>Application Web</WebAppLink>",
|
||||
@@ -869,6 +883,7 @@
|
||||
"components.Settings.Notifications.NotificationsSlack.validationTypes": "Vous devez sélectionner au moins un type de notification",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationTypes": "Vous devez sélectionner au moins un type de notification",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "Vous devez sélectionner au moins un type de notification",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Vous devez sélectionner au moins un type de notification",
|
||||
"components.QuotaSelector.tvRequests": "{quotaLimit} <quotaUnits>{seasons} tous les {quotaDays} {days}</quotaUnits>",
|
||||
"components.NotificationTypeSelector.usermediarequestedDescription": "Être averti(e) lorsque d'autres utilisateurs soumettent une demande de média qui nécessite une validation.",
|
||||
"components.NotificationTypeSelector.usermediafailedDescription": "Être averti(e) lorsqu'une demande de média n'a pas pu être ajoutée à Radarr ou Sonarr.",
|
||||
@@ -1289,6 +1304,7 @@
|
||||
"components.Login.hostname": "URL de {mediaServerName}",
|
||||
"components.Login.port": "Port",
|
||||
"components.Login.urlBase": "URL de base",
|
||||
"components.Login.validationHostnameRequired": "Vous devez fournir un nom d'hôte ou une adresse IP valide",
|
||||
"components.Login.validationPortRequired": "Vous devez fournir un numéro de port valide",
|
||||
"components.Login.validationUrlBaseLeadingSlash": "L'URL de base doit avoir une barre oblique initiale",
|
||||
"components.Login.validationUrlTrailingSlash": "L'URL ne doit pas se terminer par une barre oblique finale",
|
||||
@@ -1314,7 +1330,7 @@
|
||||
"components.Selector.inProduction": "En production",
|
||||
"components.Selector.pilot": "Pilote",
|
||||
"components.Selector.planned": "Planifié(e)",
|
||||
"components.Selector.returningSeries": "Série de retour",
|
||||
"components.Selector.returningSeries": "Séries de retour",
|
||||
"components.Selector.searchStatus": "Sélectionner statut...",
|
||||
"components.Setup.back": "Retourner en arrière",
|
||||
"components.Setup.configemby": "Configurer Emby",
|
||||
@@ -1378,6 +1394,7 @@
|
||||
"components.Settings.OverrideRuleModal.selectQualityProfile": "Choisir le profil de qualité",
|
||||
"components.Settings.OverrideRuleModal.selectRootFolder": "Choisir le dossier racine",
|
||||
"components.Settings.SettingsNetwork.networksettings": "Paramètres réseau",
|
||||
"components.Settings.SettingsNetwork.advancedNetworkSettings": "Paramètres réseau avancés",
|
||||
"components.DiscoverTvUpcoming.upcomingtv": "Séries à venir",
|
||||
"components.Login.noadminerror": "Aucun compte administrateur trouvé sur ce serveur.",
|
||||
"components.Login.orsigninwith": "Ou se connecter avec",
|
||||
|
||||
@@ -1,6 +1,6 @@
|
||||
{
|
||||
"components.ManageSlideOver.alltime": "כל הזמנים",
|
||||
"components.Login.validationemailrequired": "יש לספק כתובת מייל תקינה",
|
||||
"components.Login.validationemailrequired": "יש לספק מייל חוקי",
|
||||
"components.NotificationTypeSelector.userissuereopenedDescription": "קבל התראה כשבעיות שפתחת נפתחות מחדש.",
|
||||
"components.AppDataWarning.dockerVolumeMissingDescription": "ה <code>{appDataPath}</code> אחסון לא הוגדר כראוי. כל המידע יוסר כאשר הקונטיינר יעצור או יותחל מחדש.",
|
||||
"components.CollectionDetails.overview": "תצוגה כללית",
|
||||
@@ -98,7 +98,7 @@
|
||||
"components.IssueDetails.toaststatusupdated": "סטאטוס המקרה עודכן בהצלחה!",
|
||||
"components.IssueDetails.toaststatusupdatefailed": "משהו השתבש בזמן עדכון סטאטוס המקרה.",
|
||||
"components.IssueDetails.unknownissuetype": "לא ידוע",
|
||||
"components.IssueList.IssueItem.issuestatus": "סטטוס",
|
||||
"components.IssueList.IssueItem.issuestatus": "סטאטוס",
|
||||
"components.IssueList.IssueItem.unknownissuetype": "לא ידוע",
|
||||
"components.IssueList.IssueItem.viewissue": "צפה במקרה",
|
||||
"components.IssueList.issues": "מקרים",
|
||||
@@ -148,8 +148,8 @@
|
||||
"components.Discover.CreateSlider.searchKeywords": "חפש מילות מפתח…",
|
||||
"components.Discover.CreateSlider.searchStudios": "חפש אולפנים…",
|
||||
"components.Discover.CreateSlider.slidernameplaceholder": "שם הסליידר",
|
||||
"components.Discover.CreateSlider.validationDatarequired": "יש לספק ערך.",
|
||||
"components.Discover.CreateSlider.validationTitlerequired": "יש לספק כותרת.",
|
||||
"components.Discover.CreateSlider.validationDatarequired": "עליך לספק ערך.",
|
||||
"components.Discover.CreateSlider.validationTitlerequired": "עליך לספק כותר.",
|
||||
"components.Discover.DiscoverMovieKeyword.keywordMovies": "סרטים {keywordTitle}",
|
||||
"components.Discover.DiscoverMovies.discovermovies": "סרטים",
|
||||
"components.Discover.DiscoverMovies.sortPopularityAsc": "פופולריות בסדר עולה",
|
||||
@@ -190,7 +190,7 @@
|
||||
"components.Discover.CreateSlider.addsuccess": "סליידר חדש נוצר בהצלחה ונשמרו הגדרות התאמה.",
|
||||
"components.Discover.CreateSlider.providetmdbnetwork": "ספק מזהה רשת TMDB",
|
||||
"components.Discover.DiscoverTv.sortFirstAirDateDesc": "תאריך שידור ראשון בסדר יורד",
|
||||
"components.Discover.CreateSlider.starttyping": "התחל להקליד כדי לחפש.",
|
||||
"components.Discover.CreateSlider.starttyping": "התחל להזין כדי לחפש.",
|
||||
"components.Discover.FilterSlideover.runtimeText": "זמן ריצה בין {minValue} ל {maxValue}",
|
||||
"components.Discover.DiscoverMovies.activefilters": "{count, plural, one {פילטר פעיל} other {# פילטרים פעילים}}",
|
||||
"components.Discover.DiscoverSliderEdit.deletefail": "כשל במחיקת סליידר.",
|
||||
@@ -357,6 +357,7 @@
|
||||
"components.PermissionEdit.autoapproveSeriesDescription": "אישור בקשות סדרות אוטומטי (ללא 4K).",
|
||||
"component.BlacklistBlock.blacklistdate": "תאריך חסימה",
|
||||
"components.Login.hostname": "{mediaServerName} כתובת URL",
|
||||
"components.Login.validationHostnameRequired": "עליך להזין שם מארח או כתובת IP תקינה",
|
||||
"components.Login.validationUrlBaseTrailingSlash": "בסיס ה-URL לא יכול להסתיים בסלאש",
|
||||
"components.MovieDetails.watchlistSuccess": "<strong>{title}</strong> נוסף לרשימת הצפייה בהצלחה!",
|
||||
"components.NotificationTypeSelector.usermediaAutoApprovedDescription": "קבלת התראות כאשר משתמשים אחרים מגישים בקשות מדיה חדשות אשר מאושרות אוטומטית.",
|
||||
@@ -386,9 +387,10 @@
|
||||
"components.Selector.canceled": "בוטל",
|
||||
"components.Selector.ended": "נגמר",
|
||||
"components.Selector.searchStudios": "חיפוש אולפנים…",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTokenRequired": "יש לספק אסימון יישום",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTokenRequired": "עליך לספק אסימון יישום",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "הפעל סוכן",
|
||||
"components.Settings.Notifications.NotificationsSlack.slacksettingsfailed": "הגדרות ההתראות של Slack נכשלו להישמר.",
|
||||
"components.Settings.Notifications.NotificationsSlack.validationWebhookUrl": "יש לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.NotificationsSlack.validationWebhookUrl": "עליך לספק כתובת URL תקינה",
|
||||
"components.Layout.Sidebar.blacklist": "רשימת חסימות",
|
||||
"components.Login.back": "חזרה",
|
||||
"components.PermissionEdit.viewissuesDescription": "הענקת גישה לראות בעיות מדיה שדווחו על ידי משתמשים אחרים.",
|
||||
@@ -398,9 +400,10 @@
|
||||
"components.RequestModal.pending4krequest": "בקשת 4K ממתינה",
|
||||
"components.RequestModal.requestedited": "בקשה עבור <strong>{title}</strong> נערכה בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsGotify.gotifysettingsfailed": "הגדרות ההתראות של Gotify נכשלו להישמר.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "עליך לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "שולח התראת בדיקה של Pushbullet…",
|
||||
"components.Settings.Notifications.NotificationsPushover.userTokenTip": "<UsersGroupsLink>מזהה המשתמש או הקבוצה</UsersGroupsLink> בעל ה-30 תווים שלך",
|
||||
"components.Login.adminerror": "יש להשתמש בחשבון מנהל בשביל להתחבר.",
|
||||
"components.Login.adminerror": "עליך להשתמש בחשבון מנהל בשביל להתחבר.",
|
||||
"components.NotificationTypeSelector.userissueresolvedDescription": "קבלת התראות כאשר הבעיות שדיווחת נפתרות.",
|
||||
"components.Discover.FilterSlideover.status": "סטטוס",
|
||||
"components.PermissionEdit.blacklistedItemsDescription": "הענקת גישה לחסימת מדיה.",
|
||||
@@ -409,8 +412,9 @@
|
||||
"components.ResetPassword.validationpasswordrequired": "יש לספק סיסמה",
|
||||
"components.Selector.inProduction": "בהפקה",
|
||||
"components.Selector.pilot": "פרק דוגמה",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "הגדרות ההתראות של LunaSea נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "יצירת אסימון מתוך <PushbulletSettingsLink>הגדרות המשתמש</PushbulletSettingsLink> שלך",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.validationAccessTokenRequired": "יש לספק אסימון גישה",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.validationAccessTokenRequired": "עליך לספק אסימון גישה",
|
||||
"components.PermissionEdit.manageblacklistDescription": "הענקת גישה לניהול מדיה חסומה.",
|
||||
"components.PersonDetails.appearsin": "מופעים",
|
||||
"components.RequestCard.tmdbid": "מזהה TMDB",
|
||||
@@ -423,7 +427,7 @@
|
||||
"components.Login.port": "פורט",
|
||||
"components.Login.servertype": "סוג שרת",
|
||||
"components.Login.urlBase": "בסיס URL",
|
||||
"components.Login.validationPortRequired": "יש לספק מספר פורט תקין",
|
||||
"components.Login.validationPortRequired": "עליך להזין מספר פורט תקין",
|
||||
"components.Login.validationUrlBaseLeadingSlash": "בסיס ה-URL חייב להתחיל בסלאש",
|
||||
"components.Login.validationUrlTrailingSlash": "ה-URL לא יכול להסתיים בסלאש",
|
||||
"components.Login.validationservertyperequired": "אנא בחר סוג שרת",
|
||||
@@ -590,6 +594,14 @@
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestFailed": "התראת הבדיקה של Gotify נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSending": "שולח התראת בדיקה של Gotify…",
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSuccess": "התראת הבדיקה של Gotify נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "שם פרופיל",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "רק דרוש אם הפרופיל <code>default</code> לא בשימוש",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "הגדרות ההתראות של LunaSea נכשלו להישמר.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "התראת הבדיקה של LunaSea נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "שולח התראת בדיקה של LunaSea…",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "התראת הבדיקה של LunaSea נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "עליך לבחור לפחות סוג התראות אחד",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "URL של ה-Webhook",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "אסימון גישה",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.agentEnabled": "הפעל סוכן",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.channelTag": "תג ערוץ",
|
||||
@@ -597,23 +609,23 @@
|
||||
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsSaved": "הגדרות ההתראות של Pushbullet נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "התראת הבדיקה של Pushbullet נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "התראת הבדיקה של Pushbullet נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "יש לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "עליך לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestFailed": "התראת הבדיקה של Pushover נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSending": "שולח התראת בדיקה של Pushover…",
|
||||
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSuccess": "התראת הבדיקה של Pushover נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsPushover.userToken": "מפתח משתמש או קבוצה",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationAccessTokenRequired": "יש לספק אסימון יישום תקין",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationTypes": "יש לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationUserTokenRequired": "יש לספק משתמש או מפתח קבוצה תקין",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationAccessTokenRequired": "עליך לספק אסימון יישום תקין",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationTypes": "עליך לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationUserTokenRequired": "עליך לספק משתמש או מפתח קבוצה תקין",
|
||||
"components.Settings.Notifications.NotificationsSlack.agentenabled": "הפעל סוכן",
|
||||
"components.Settings.Notifications.NotificationsSlack.slacksettingssaved": "הגדרות ההתראות של Slack נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsSlack.toastSlackTestFailed": "התראת הבדיקה של Slack נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSending": "שולח התראת בדיקה של Slack…",
|
||||
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSuccess": "התראת הבדיקה של Slack נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsSlack.validationTypes": "יש לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsSlack.validationTypes": "עליך לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsSlack.webhookUrl": "URL של ה-Webhook",
|
||||
"component.BlacklistModal.blacklisting": "חסימה",
|
||||
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> לא ברשימת החסימה.",
|
||||
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> לא חסום.",
|
||||
"components.Blacklist.blacklistSettingsDescription": "ניהול מדיה חסומה.",
|
||||
"components.Blacklist.blacklistdate": "תאריך",
|
||||
"components.Blacklist.blacklistedby": "{date} על ידי {user}",
|
||||
@@ -632,8 +644,8 @@
|
||||
"components.RequestModal.QuotaDisplay.movie": "סרט",
|
||||
"components.Settings.Notifications.NotificationsGotify.token": "אסימון יישום",
|
||||
"components.Settings.Notifications.NotificationsGotify.url": "כתובת URL של שרת",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTypes": "יש לבחור לפחות סוג התראות אחד",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlRequired": "יש לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTypes": "עליך לבחור לפחות סוג התראות אחד",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlRequired": "עליך לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "על כתובת ה-URL לא להסתיים בסלאש",
|
||||
"components.Settings.Notifications.NotificationsPushover.accessToken": "אסימון API של היישום",
|
||||
"components.Settings.Notifications.NotificationsPushover.agentenabled": "הפעל סוכן",
|
||||
@@ -642,119 +654,19 @@
|
||||
"components.Settings.Notifications.NotificationsPushover.pushoversettingssaved": "הגדרות ההתראות של Pushover נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsPushover.sound": "צליל התראה",
|
||||
"components.Settings.Notifications.NotificationsWebhook.resetPayload": "איפוס לברירת מחדל",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "<LunaSeaLink>קישור Webhook להתראות</LunaSeaLink> מבוסס מכשיר או משתמש",
|
||||
"components.Settings.Notifications.NotificationsWebhook.agentenabled": "הפעל סוכן",
|
||||
"components.Settings.Notifications.NotificationsWebhook.authheader": "כותרת עליונה של הרשאות",
|
||||
"components.Settings.Notifications.NotificationsWebhook.customJson": "מטען JSON",
|
||||
"components.Settings.Notifications.NotificationsWebhook.resetPayloadSuccess": "מטען JSON התאפס בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSuccess": "התראת הבדיקה של ה-Webhook נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationJsonPayloadRequired": "יש לספק מטען JSON תקין",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationTypes": "יש לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationWebhookUrl": "יש לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationJsonPayloadRequired": "עליך לספק מטען JSON תקין",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationTypes": "עליך לבחור לפחות סוג התראה אחד",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationWebhookUrl": "עליך לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhookUrl": "URL של ה-Webhook",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhooksettingsfailed": "הגדרות ההתראות של ה-Webhook נכשלו להשמר.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.webhooksettingssaved": "הגדרות ההתראות של ה-Webhook נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.NotificationsWebPush.agentenabled": "הפעל סוכן",
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestFailed": "התראת הבדיקה של ה-Webhook נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSending": "שולח התראת בדיקה של ה-Webhook…",
|
||||
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "על מנת לקבל התראות אינטרנט, על Jellyseerr להיות מוגש בעזרת HTTPS.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.templatevariablehelp": "תבנית משתנה עזרה",
|
||||
"i18n.noresults": "אין תוצאות.",
|
||||
"i18n.removefromBlacklist": "הסרה מרשימת החסימה",
|
||||
"i18n.removeFromBlacklistSuccess": "<strong>{title}</strong> הוסר בהצלחה מרשימת החסימה.",
|
||||
"i18n.requested": "התבקש",
|
||||
"i18n.notrequested": "לא נתבקש",
|
||||
"i18n.open": "פתוח",
|
||||
"i18n.partiallyavailable": "זמין חלקית",
|
||||
"i18n.pending": "ממתין",
|
||||
"i18n.previous": "קודם",
|
||||
"i18n.processing": "מעבד",
|
||||
"i18n.request": "בקשה",
|
||||
"i18n.request4k": "בקשה ב-4K",
|
||||
"i18n.requesting": "מבקש…",
|
||||
"i18n.resolved": "נפתר",
|
||||
"i18n.restartRequired": "נדרשת הפעלה מחדש",
|
||||
"i18n.resultsperpage": "הצג {pageSize} תוצאות בכל דף",
|
||||
"i18n.retry": "נסה שוב",
|
||||
"i18n.retrying": "מנסה שוב…",
|
||||
"i18n.save": "שמירת שינויים",
|
||||
"i18n.saving": "שומר…",
|
||||
"i18n.settings": "הגדרות",
|
||||
"i18n.showingresults": "מציג <strong>{from}</strong> ל-<strong>{to}</strong> מתוך <strong>{total}</strong> תוצאות",
|
||||
"i18n.specials": "פרקים מיוחדים",
|
||||
"i18n.status": "סטטוס",
|
||||
"i18n.test": "בדיקה",
|
||||
"i18n.testing": "בודק…",
|
||||
"i18n.tvshow": "סדרה",
|
||||
"i18n.tvshows": "סדרות",
|
||||
"i18n.unavailable": "לא זמין",
|
||||
"i18n.usersettings": "הגדרות משתמש",
|
||||
"pages.errormessagewithcode": "{statusCode} - {error}",
|
||||
"pages.internalservererror": "שגיאת שרת פנימית",
|
||||
"pages.oops": "אופס",
|
||||
"pages.pagenotfound": "דף לא נמצא",
|
||||
"pages.returnHome": "חזרה לדף הבית",
|
||||
"pages.serviceunavailable": "שירות לא זמין",
|
||||
"pages.somethingwentwrong": "משהו השתבש",
|
||||
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestFailed": "התראת הבדיקה דרך הרשת נכשלה להשלח.",
|
||||
"components.Settings.Notifications.NotificationsWebPush.webpushsettingssaved": "הגדרות ההתראות דרך הרשת נשמרו בהצלחה!",
|
||||
"components.Settings.SonarrModal.hostname": "שם מארח או כתובת IP",
|
||||
"components.Settings.Notifications.validationSmtpPortRequired": "יש לספק מספר פורט תקין",
|
||||
"components.Settings.Notifications.botAvatarUrl": "כתובת URL של תמונת הבוט",
|
||||
"components.Settings.Notifications.botUsername": "שם משתמש של הבוט",
|
||||
"components.Settings.Notifications.pgpPasswordTip": "חתימת הודעות אי-מייל מוצפנות בעזרת <OpenPgpLink>OpenPGP</OpenPgpLink>",
|
||||
"components.Settings.RadarrModal.hostname": "שם מארח או כתובת IP",
|
||||
"components.Settings.Notifications.chatIdTip": "התחל שיחה עם הבוט שלך, הוסף <GetIdBotLink>@get_id_bot</GetIdBotLink>, ובצע את הפקודה <code>/my_id</code>",
|
||||
"components.Settings.Notifications.encryptionDefault": "שימוש ב-STARTTLS אם זמין",
|
||||
"components.Settings.Notifications.toastDiscordTestSuccess": "התראת בדיקה של Discord נשלחה!",
|
||||
"components.Settings.validationHostnameRequired": "יש לספק שם מארח או כתובת IP תקינה",
|
||||
"components.Settings.Notifications.encryptionTip": "ברוב המקרים, Implicit TLS משתמש בפורט 465 ו-STARTTLS משתמש בפורט 587",
|
||||
"components.Settings.SonarrModal.validationHostnameRequired": "יש לספק שם מארח או כתובת IP תקינה",
|
||||
"components.Settings.Notifications.toastDiscordTestSending": "שולח התראת בדיקה של Discord…",
|
||||
"components.Settings.Notifications.toastTelegramTestFailed": "התראת הבדיקה של Telegram נכשלה להשלח.",
|
||||
"components.Settings.Notifications.validationChatIdRequired": "יש לספק מזהה צ'אט תקין",
|
||||
"components.Settings.SettingsNetwork.proxyHostname": "שם מארח Proxy",
|
||||
"components.Settings.RadarrModal.validationHostnameRequired": "יש לספק שם מארח או כתובת IP תקינה",
|
||||
"components.Settings.hostname": "שם מארח או כתובת IP",
|
||||
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSending": "שולח התראת בדיקה דרך הרשת…",
|
||||
"components.Settings.Notifications.NotificationsWebPush.toastWebPushTestSuccess": "התראת הבדיקה דרך הרשת נשלחה!",
|
||||
"components.Settings.Notifications.NotificationsWebPush.webpushsettingsfailed": "הגדרות ההתראות דרך הרשת נכשלו להשמר.",
|
||||
"components.Settings.Notifications.agentenabled": "הפעל סוכן",
|
||||
"components.Settings.Notifications.authPass": "סיסמת SMTP",
|
||||
"components.Settings.Notifications.authUser": "שם משתמש SMTP",
|
||||
"components.Settings.Notifications.botAPI": "אסימון הרשאת בוט",
|
||||
"components.Settings.Notifications.botApiTip": "<CreateBotLink>יצירת בוט</CreateBotLink> לשימוש עם Jellyseerr",
|
||||
"components.Settings.Notifications.botUsernameTip": "אפשר למשתמשים גם להתחיל שיחה עם הבוט שלך ולהגדיר התראות אישיות",
|
||||
"components.Settings.Notifications.discordsettingsfailed": "הגדרות ההתראות של Discord נכשלו להשמר.",
|
||||
"components.Settings.Notifications.discordsettingssaved": "הגדרות ההתראות של Discord נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.emailsender": "כתובת מוען",
|
||||
"components.Settings.Notifications.emailsettingsfailed": "הגדרות התראות ה-Email נכשלו להשמר.",
|
||||
"components.Settings.Notifications.emailsettingssaved": "הגדרות התראות ה-Email נשמרו בהצלחה!",
|
||||
"components.Settings.Notifications.enableMentions": "הפעל תיוגים",
|
||||
"components.Settings.Notifications.encryption": "שיטת הצפנה",
|
||||
"components.Settings.Notifications.encryptionImplicitTls": "שימוש ב Implicit TLS",
|
||||
"components.Settings.Notifications.encryptionNone": "ללא",
|
||||
"components.Settings.Notifications.encryptionOpportunisticTls": "תמיד השתמש ב-STARTTLS",
|
||||
"components.Settings.Notifications.pgpPassword": "סיסמת PGP",
|
||||
"components.Settings.Notifications.pgpPrivateKey": "מפתח PGP פרטי",
|
||||
"components.Settings.Notifications.sendSilentlyTip": "שליחת התראות ללא קול",
|
||||
"components.Settings.Notifications.sendSilently": "שליחה בשקט",
|
||||
"components.Settings.Notifications.toastEmailTestFailed": "התראת הבדיקה דרך אימייל נכשלה להשלח.",
|
||||
"components.Settings.Notifications.toastEmailTestSending": "שולח התראת בדיקה דרך אימייל…",
|
||||
"components.Settings.Notifications.toastEmailTestSuccess": "התראת בדיקה דרך אימייל נשלחה בהצלחה!",
|
||||
"components.Settings.Notifications.toastTelegramTestSuccess": "התראת הבדיקה של Telegram נשלחה!",
|
||||
"components.Settings.Notifications.toastTelegramTestSending": "שולח התראת בדיקה של Telegram…",
|
||||
"components.Settings.Notifications.userEmailRequired": "דרוש אימייל משתמש",
|
||||
"components.Settings.Notifications.validationPgpPassword": "יש לספק סיסמת PGP",
|
||||
"components.Settings.Notifications.validationBotAPIRequired": "יש לספק אסימון הרשאת בוט",
|
||||
"components.Settings.Notifications.validationEmail": "יש לספק כתובת מייל תקינה",
|
||||
"components.Settings.Notifications.validationPgpPrivateKey": "יש לספק מפתח PGP פרטי תקין",
|
||||
"components.Settings.Notifications.validationSmtpHostRequired": "יש לספק שם מארח או כתובת IP תקינה",
|
||||
"components.Settings.Notifications.validationTypes": "יש לבחור לפחות סוג התראות אחד",
|
||||
"components.Settings.Notifications.validationUrl": "יש לספק כתובת URL תקינה",
|
||||
"components.Settings.Notifications.webhookUrl": "URL של ה-Webhook",
|
||||
"components.Settings.Notifications.chatId": "מזהה צ'אט",
|
||||
"i18n.addToBlacklist": "הוספה לרשימת החסימות",
|
||||
"i18n.blacklistDuplicateError": "<strong>{title}</strong> כבר נוסף לרשימת החסימה.",
|
||||
"i18n.blacklistSuccess": "<strong>{title}</strong> נוסף לרשימת החסימה בהצלחה.",
|
||||
"i18n.blacklisted": "חסום"
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSending": "שולח התראת בדיקה של ה-Webhook…"
|
||||
}
|
||||
|
||||
@@ -340,6 +340,7 @@
|
||||
"components.Settings.addradarr": "Dodaj Radarr poslužitelj",
|
||||
"components.Settings.address": "Adresa",
|
||||
"components.Settings.addsonarr": "Dodaj Sonarr poslužitelj",
|
||||
"components.Settings.copied": "API ključ je kopiran u međuspremnik.",
|
||||
"components.Settings.currentlibrary": "Aktualna biblioteka: {name}",
|
||||
"components.Settings.default": "Zadano",
|
||||
"components.Settings.default4k": "Zadano 4K",
|
||||
@@ -597,8 +598,15 @@
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSending": "Slanje Gotify obavijesti provjere …",
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSuccess": "Gotify obavijest provjere je poslana!",
|
||||
"components.Settings.Notifications.NotificationsGotify.token": "Token programa",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Aktiviraj agenta",
|
||||
"components.Settings.Notifications.NotificationsGotify.url": "URL poslužitelja",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "URL ne smije završiti s kosom crtom",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Ime profila",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Potrebno je samo ako se ne koristi <code>zadani</code> profil",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Neuspjelo slanje LunaSea obavijesti provjere.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Slanje LunaSea obavijesti provjere …",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "LunaSea obavijest provjere je poslana!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "Token za pristup",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsFailed": "Neuspjelo spremanje postavki Pushbullet obavijesti.",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Neuspjelo slanje Pushbullet obavijesti provjere.",
|
||||
@@ -784,6 +792,10 @@
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTokenRequired": "Moraš navesti token programa",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationTypes": "Moraš odabrati barem jednu vrstu obavijesti",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlRequired": "Moraš navesti valjani URL",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Neuspjelo spremanje postavki LunaSea obavijesti.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "LunaSea postavke obavijesti su uspješno spremljene!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Moraš odabrati barem jednu vrstu obavijesti",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Moraš navesti valjani URL",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Stvori token iz tvojih <PushbulletSettingsLink>postavki računa</PushbulletSettingsLink>",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.agentEnabled": "Aktiviraj agenta",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.channelTag": "Oznaka kanala",
|
||||
@@ -980,6 +992,8 @@
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationPushbulletAccessToken": "Moraš navesti valjani token za pristup",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationPushoverApplicationToken": "Moraš navesti valjani token programa",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationPushoverUserKey": "Moraš navesti valjani ključ korisnika ili grupe",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Neuspjelo spremanje Web push postavki obavijesti.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Web push postavke obavijesti su uspješno spremljene!",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.confirmpassword": "Potvrdi lozinku",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.newpassword": "Nova lozinka",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.validationConfirmPassword": "Moraš potvrditi novu lozinku",
|
||||
@@ -1043,6 +1057,7 @@
|
||||
"components.RequestModal.SearchByNameModal.notvdbiddescription": "Nismo uspjeli automatski naći odgovarajuću seriju. Dolje odaberi odgovarajuću seriju.",
|
||||
"components.RequestModal.requestadmin": "Ovaj će se zahtjev automatski odobriti.",
|
||||
"components.ResetPassword.emailresetlink": "E-mail poveznica za obnavljanje lozinke",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Tvoj korisničke ili na osnovi uređaja <LunaSeaLink>webhook URL obavijesti</LunaSeaLink>",
|
||||
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "Za primanje web push obavijesti, Jellyseerr se mora posluživati putem HTTPS-a.",
|
||||
"components.Settings.Notifications.NotificationsWebhook.templatevariablehelp": "Pomoć za varijablu predloška",
|
||||
"components.Settings.Notifications.chatIdTip": "Započni chat s tvojim botom, dodaj <GetIdBotLink>@get_id_bot</GetIdBotLink> i zadaj naredbu <code>/my_id</code>",
|
||||
|
||||
@@ -217,6 +217,8 @@
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.newpassword": "Új jelszó",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.currentpassword": "Jelenlegi jelszó",
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.confirmpassword": "Jelszó megerősítése",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "A webes push értesítés beállításai sikeresen mentésre kerültek!",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "A webes push-értesítés beállításait nem sikerült elmenteni.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpush": "Web Push",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationTelegramChatId": "Meg kell adnia egy érvényes chat azonosítót",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationPgpPublicKey": "Érvényes PGP- kulcsot kell megadnia",
|
||||
@@ -341,6 +343,7 @@
|
||||
"components.Settings.default4k": "Alapértelmezett 4K",
|
||||
"components.Settings.default": "Alapértelmezett",
|
||||
"components.Settings.currentlibrary": "Jelenlegi könyvtár: {name}",
|
||||
"components.Settings.copied": "API-kulcs másolva a vágólapra.",
|
||||
"components.Settings.cancelscan": "Beolvasás megszakítása",
|
||||
"components.Settings.addsonarr": "Sonarr szerver hozzáadása",
|
||||
"components.Settings.address": "Cím",
|
||||
@@ -752,6 +755,7 @@
|
||||
"components.Settings.SettingsUsers.newPlexLoginTip": "Lehetővé teszi a {mediaServerName} felhasználók számára, hogy első importálás nélkül jelentkezzenek be",
|
||||
"components.Settings.SettingsUsers.newPlexLogin": "Engedélyezze az új {mediaServerName} bejelentkezést",
|
||||
"components.QuotaSelector.tvRequests": "{quotaLimit} <quotaUnits>{seasons} per {quotaDays} {days}</quotaUnits>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL-je",
|
||||
"components.RequestModal.QuotaDisplay.allowedRequests": "Napi <strong>{limit}</strong> {type} kérés engedélyezett minden <strong>{days}</strong> naponta.",
|
||||
"components.Settings.Notifications.NotificationsSlack.agentenabled": "\"ügynök\" engedélyezése",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationUserTokenRequired": "Meg kell adnia egy érvényes felhasználói vagy csoportos kulcsot",
|
||||
@@ -775,6 +779,17 @@
|
||||
"components.Settings.Notifications.NotificationsPushbullet.agentEnabled": "Agent engedélyezése",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Hozzon létre egy Tokent a <PushbulletSettingsLink>Fiók beállításokba</PushbulletSettingsLink>",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessToken": "Hozzáférési Token (Access Token)",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "Felhasználói vagy eszközalapú <LunaSeaLink>értesitési webhook URL</LunaSeaLink>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "Érvényes URL-t kell megadnia",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "Legalább egy értesítési típust ki kell választania",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "A LunaSea teszt értesítése elküldve!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "LunaSea teszt értesítés küldése …",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "A LunaSea teszt értesítését nem sikerült elküldeni.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "A LunaSea értesítési beállításainak mentése sikerült!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "A LunaSea értesítési beállításainak mentése nem sikerült.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Csak akkor szükséges, ha nem használja a <code>default</code> profil",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Profil név",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "\"Ügynök\" engedélyezése",
|
||||
"components.Search.search": "Keresés",
|
||||
"components.ResetPassword.validationpasswordrequired": "Meg kell adnia egy jelszót",
|
||||
"components.ResetPassword.validationpasswordminchars": "A jelszó túl rövid; minimum 8 karakter hosszú legyen",
|
||||
@@ -964,7 +979,7 @@
|
||||
"components.RequestCard.cancelrequest": "Kérés visszavonása",
|
||||
"components.RequestCard.declinerequest": "Kérelem elutasítása",
|
||||
"components.RequestCard.editrequest": "Kérelem szerkesztése",
|
||||
"components.Discover.DiscoverWatchlist.discoverwatchlist": "Saját Watchlist",
|
||||
"components.Discover.DiscoverWatchlist.discoverwatchlist": "",
|
||||
"components.PermissionEdit.autorequest": "Automatikus kérés",
|
||||
"components.NotificationTypeSelector.mediaautorequested": "A kérelem automatikusan elküldve",
|
||||
"components.MovieDetails.reportissue": "Probléma bejelentése",
|
||||
@@ -1130,58 +1145,5 @@
|
||||
"components.Discover.FilterSlideover.runtimeText": "{minValue}-{maxValue} percnyi műsoridő",
|
||||
"components.Discover.FilterSlideover.studio": "Stúdió",
|
||||
"components.Discover.FilterSlideover.tmdbuserscore": "TMDB Felhasználói Értékelés",
|
||||
"components.Discover.FilterSlideover.streamingservices": "Streaming Szolgáltatók",
|
||||
"component.BlacklistBlock.blacklistdate": "Feketelistás dátum",
|
||||
"components.Discover.resetsuccess": "A felfedezés testreszabási beállításainak visszaállítása sikeresen megtörtént.",
|
||||
"components.DownloadBlock.formattedTitle": "{title}: {seasonNumber}. Évad {episodeNumber}. Rész",
|
||||
"components.Layout.Sidebar.blacklist": "Feketelista",
|
||||
"components.Login.username": "Felhasználónév",
|
||||
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> nincs feketelistán.",
|
||||
"components.DiscoverTvUpcoming.upcomingtv": "Soron következő Sorozatok",
|
||||
"components.Discover.createnewslider": "Új Csúszka Létrehozása",
|
||||
"components.Discover.FilterSlideover.status": "Státusz",
|
||||
"components.Layout.UserWarnings.emailInvalid": "Az email cím hibás.",
|
||||
"components.Login.invalidurlerror": "Nem lehet a {mediaServerName} szerverhez kapcsolódni.",
|
||||
"components.Discover.customizediscover": "Felfedezés Testreszabása",
|
||||
"components.Login.adminerror": "Egy adminisztrátor fiókot kell használnod a belépéshez.",
|
||||
"components.Login.back": "Ugorj Vissza",
|
||||
"components.Discover.studios": "Stúdiók",
|
||||
"components.Discover.FilterSlideover.from": "Től",
|
||||
"components.Discover.FilterSlideover.to": "Ig",
|
||||
"components.Discover.networks": "Hálózatok",
|
||||
"components.Layout.Sidebar.browsemovies": "Filmek",
|
||||
"components.Layout.Sidebar.browsetv": "Sorozatok",
|
||||
"components.Layout.UserWarnings.emailRequired": "Egy email cím szükséges.",
|
||||
"components.Layout.UserWarnings.passwordRequired": "Jelszó szükséges.",
|
||||
"components.Login.credentialerror": "A felhasználónév vagy a jelszó hibás.",
|
||||
"components.Login.description": "Mivel ez az első belépésed a {applicationName}-be meg kell adnod egy valós email címet.",
|
||||
"components.Login.enablessl": "SSL használata",
|
||||
"components.Login.initialsignin": "Csatlakozás",
|
||||
"components.Login.initialsigningin": "Csatlakozás folyamatban…",
|
||||
"components.Login.loginwithapp": "Belépés {appName}-el",
|
||||
"components.Login.noadminerror": "Nem található adminisztrátor a szerveren.",
|
||||
"components.Login.orsigninwith": "Vagy belépés ezzel:",
|
||||
"components.Login.port": "Port",
|
||||
"components.Login.save": "Hozzáadás",
|
||||
"components.Login.saving": "Hozzáadás folyamatban…",
|
||||
"components.Login.servertype": "Szerver Típus",
|
||||
"components.Login.signinwithjellyfin": "Használd a {mediaServerName} fiókodat",
|
||||
"components.Login.title": "Email hozzáadása",
|
||||
"components.Login.urlBase": "URL Törzs",
|
||||
"components.Login.validationEmailFormat": "Érvénytelen email",
|
||||
"components.Login.validationEmailRequired": "Meg kell adnod egy email címet",
|
||||
"component.BlacklistBlock.blacklistedby": "Feketelistára rakta",
|
||||
"component.BlacklistModal.blacklisting": "Feketelista",
|
||||
"components.Blacklist.blacklistSettingsDescription": "Feketelistás média kezelése.",
|
||||
"components.Blacklist.blacklistdate": "dátum",
|
||||
"components.Blacklist.blacklistedby": "{date}-kor {user} által",
|
||||
"components.Blacklist.blacklistsettings": "Feketelista beállítások",
|
||||
"components.Blacklist.mediaName": "Név",
|
||||
"components.Blacklist.mediaTmdbId": "tmdb Id",
|
||||
"components.Blacklist.mediaType": "Típus",
|
||||
"components.Discover.resetfailed": "Hiba történt a felfedezés testreszabási beállításainak visszaállításakor.",
|
||||
"components.Discover.resettodefault": "Visszaállítás Alapértelmezettre",
|
||||
"components.Discover.resetwarning": "Össze csőszka visszaállítása alapértelmezettre. Ez a saját csúszkákat is kitörli!",
|
||||
"components.Discover.stopediting": "Módosítás abbahagyása",
|
||||
"components.Discover.tmdbmoviegenre": "TMDB film műfaja"
|
||||
"components.Discover.FilterSlideover.streamingservices": "Streaming Szolgáltatók"
|
||||
}
|
||||
|
||||
@@ -115,6 +115,7 @@
|
||||
"components.Settings.default4k": "4K predefinito",
|
||||
"components.Settings.default": "Predefinito",
|
||||
"components.Settings.currentlibrary": "Libreria corrente: {name}",
|
||||
"components.Settings.copied": "Chiave API copiata negli appunti.",
|
||||
"components.Settings.cancelscan": "Annulla l'analisi",
|
||||
"components.Settings.addsonarr": "Aggiungi un server Sonarr",
|
||||
"components.Settings.addradarr": "Aggiungi un server Radarr",
|
||||
@@ -184,7 +185,7 @@
|
||||
"components.TvDetails.network": "{networkCount, plural, one {Rete} other {Reti}}",
|
||||
"components.Setup.finishing": "Finalizzazione…",
|
||||
"components.Settings.menuJobs": "Processi & Cache",
|
||||
"components.Setup.signinMessage": "Comincia facendo l'accesso",
|
||||
"components.Setup.signinMessage": "Comincia accedendo con il tuo account Plex",
|
||||
"components.Settings.sonarrsettings": "Impostazioni Sonarr",
|
||||
"components.Settings.plexsettingsDescription": "Configura le impostazioni per il tuo server Plex. Jellyseerr scansiona le tue librerie Plex per determinare la disponibilità dei contenuti.",
|
||||
"components.Settings.plexlibrariesDescription": "Le librerie che Jellyseerr scansiona per i titoli. Configura e salva le impostazioni di connessione Plex, quindi fai clic sul pulsante qui sotto se non sono elencate librerie.",
|
||||
@@ -484,12 +485,12 @@
|
||||
"components.UserProfile.UserSettings.UserPasswordChange.confirmpassword": "Conferma la password",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationDiscordId": "È necessario fornire un ID utente valido",
|
||||
"components.CollectionDetails.requestcollection4k": "Richiedi Raccolta in 4K",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.region": "Ricerca per Regione",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.region": "Regione da scoprire",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.originallanguage": "Lingua da scoprire",
|
||||
"components.Settings.webhook": "Webhook",
|
||||
"components.Settings.email": "Email",
|
||||
"components.Settings.email": "E-mail",
|
||||
"components.RegionSelector.regionDefault": "Tutte le regioni",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.regionTip": "Filtra i contenuti in base alla disponibilità della regione",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.regionTip": "Filtra i contenuti per disponibilità regionale",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.originallanguageTip": "Filtra i contenuti per lingua originale",
|
||||
"components.Discover.upcomingtv": "Serie in uscita",
|
||||
"components.RegionSelector.regionServerDefault": "Predefinito ({region})",
|
||||
@@ -576,7 +577,7 @@
|
||||
"components.Settings.SettingsLogs.resumeLogs": "Riprendi",
|
||||
"components.Settings.SettingsLogs.pauseLogs": "Pausa",
|
||||
"components.Settings.SettingsLogs.message": "Messaggio",
|
||||
"components.Settings.SettingsLogs.logsDescription": "Puoi anche visualizzare questi registri direttamente tramite <code>stdout</code>, o in <code>{appDataPath}/logs/jellyseerr.log</code>.",
|
||||
"components.Settings.SettingsLogs.logsDescription": "Puoi anche visualizzare questi registri direttamente tramite <code>stdout</code>, o in <code>{appDataPath}/logs/overseerr.log</code>.",
|
||||
"components.Settings.SettingsLogs.level": "Gravità",
|
||||
"components.Settings.SettingsLogs.label": "Etichetta",
|
||||
"components.Settings.SettingsLogs.filterWarn": "Attenzione",
|
||||
@@ -591,7 +592,7 @@
|
||||
"components.Settings.SettingsLogs.extraData": "Dati aggiuntivi",
|
||||
"components.Settings.SettingsLogs.copyToClipboard": "Copia negli appunti",
|
||||
"components.Settings.SettingsLogs.copiedLogMessage": "Messaggio di registro copiato negli appunti.",
|
||||
"components.UserList.nouserstoimport": "Non ci sono utenti Plex da importare.",
|
||||
"components.UserList.nouserstoimport": "Non ci sono utenti PLex da importare.",
|
||||
"components.PersonDetails.lifespan": "{birthdate} – {deathdate}",
|
||||
"components.PersonDetails.birthdate": "Data di nascita {birthdate}",
|
||||
"components.PersonDetails.alsoknownas": "Altri nomi: {names}",
|
||||
@@ -604,7 +605,7 @@
|
||||
"i18n.status": "Stato",
|
||||
"i18n.showingresults": "Mostrando <strong>{from}</strong> a <strong>{to}</strong> di <strong>{total}</strong> risultati",
|
||||
"i18n.resultsperpage": "Mostra {pageSize} risultati per pagina",
|
||||
"i18n.saving": "Salvando…",
|
||||
"i18n.saving": "Salvataggio…",
|
||||
"i18n.save": "Salva Modifiche",
|
||||
"i18n.requesting": "Richiesta in corso…",
|
||||
"i18n.request4k": "Richiedi in 4K",
|
||||
@@ -712,8 +713,17 @@
|
||||
"components.Settings.Notifications.NotificationsWebPush.webpushsettingssaved": "Impostazioni di notifica web salvate con successo!",
|
||||
"components.Settings.Notifications.NotificationsWebPush.webpushsettingsfailed": "Impossibile salvare le impostazioni di notifica web.",
|
||||
"components.Settings.Notifications.NotificationsWebPush.agentenabled": "Abilita Agente",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingssaved": "Impostazioni di notifica Web push salvate correttamente!",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.webpushsettingsfailed": "Impossibile salvare le impostazioni di notifica via Web push.",
|
||||
"components.Settings.noDefault4kServer": "Un server 4K {serverType} deve essere contrassegnato come predefinito per permettere agli utenti di inviare richieste 4K {mediaType}.",
|
||||
"components.Settings.is4k": "4K",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "Webhook URL",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "È necessario fornire un URL valido",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "Impostazioni LunaSea salvate con successo!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "Impossibile salvare le impostazioni di notifica LunaSea.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "Richiesto solo se non si usa il profilo <code>default</code>",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "Nome Profilo",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "Abilita Agente",
|
||||
"components.PermissionEdit.requestTvDescription": "Concedere l'autorizzazione per richiedere serie non 4K.",
|
||||
"components.PermissionEdit.requestTv": "Richiedi Serie",
|
||||
"components.PermissionEdit.requestMoviesDescription": "Concedere il permesso di richiedere film non in 4K.",
|
||||
@@ -732,6 +742,9 @@
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "Notifica di prova Pushbullet inviata!",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSending": "Invio notifica di prova Pushbullet …",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestFailed": "Invio della notifica di prova Pushbullet non riuscito.",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "Notifica di test LunaSea inviata!",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "Invio notifica di prova con LunaSea …",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "Impossibile inviare notifica con LunaSea.",
|
||||
"components.DownloadBlock.estimatedtime": "Stimato {time}",
|
||||
"components.Settings.Notifications.encryptionImplicitTls": "Usa TLS Implicito",
|
||||
"components.Settings.Notifications.encryptionTip": "Solitamente, TLS Implicito usa la porta 465 e STARTTLS usa la porta 587",
|
||||
@@ -744,7 +757,7 @@
|
||||
"components.Settings.Notifications.NotificationsWebhook.toastWebhookTestSuccess": "Notifica Webhook di prova inviata!",
|
||||
"components.Settings.Notifications.NotificationsSlack.webhookUrlTip": "Crea un'integrazione <WebhookLink>Incoming Webhook</WebhookLink>",
|
||||
"components.Settings.Notifications.NotificationsPushover.userTokenTip": "Il tuo identificatore <UsersGroupsLink>utente o gruppo</UsersGroupsLink> di 30 caratteri",
|
||||
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicationRegistrationLink>Registra un'applicazione</ApplicationRegistrationLink> per l'uso con Jellyseerr",
|
||||
"components.Settings.Notifications.NotificationsPushover.accessTokenTip": "<ApplicazioneRegistrazioneLink>Registra un'applicazione</ApplicazioneRegistrazioneLink> per l'uso con Jellyseerr",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.accessTokenTip": "Crea un token dalle tue <PushbulletSettingsLink>Impostazioni account</PushbulletSettingsLink>",
|
||||
"components.Settings.Notifications.toastDiscordTestFailed": "Invio della notifica di prova Discord non riuscito.",
|
||||
"components.Settings.Notifications.webhookUrlTip": "Crea un <DiscordWebhookLink>integrazione webhook</DiscordWebhookLink> nel server",
|
||||
@@ -759,13 +772,14 @@
|
||||
"components.UserList.localLoginDisabled": "L'impostazione <strong>Abilita Accesso Locale</strong> è attualmente disabilitata.",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.languageDefault": "Predefinito ({language})",
|
||||
"components.Settings.webAppUrlTip": "Indirizza opzionalmente gli utenti alla web app sul tuo server invece che alla web app \"ospitata\"",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "La tua <LunaSeaLink>notifica webhook URL</LunaSeaLink> basata su utente o dispositivo",
|
||||
"components.Settings.webAppUrl": "URL <WebAppLink>Web App</WebAppLink>",
|
||||
"components.Settings.SettingsUsers.newPlexLoginTip": "Permetti agli utenti di {mediaServerName} di accedere senza essere prima importati",
|
||||
"components.Settings.SettingsUsers.newPlexLogin": "Abilita nuovo accesso con {mediaServerName}",
|
||||
"components.Settings.SettingsUsers.newPlexLoginTip": "Permetti agli utenti di Plex di accedere senza essere prima importati",
|
||||
"components.Settings.SettingsUsers.newPlexLogin": "Abilita nuovo accesso con Plex",
|
||||
"components.Settings.Notifications.NotificationsWebPush.httpsRequirement": "Per ricevere notifiche push web, Jellyseerr deve essere servito tramite HTTPS.",
|
||||
"components.RequestList.RequestItem.requesteddate": "Richiesto",
|
||||
"components.RequestCard.failedretry": "Qualcosa è andato storto nel riprovare la richiesta.",
|
||||
"components.Settings.SettingsUsers.localLoginTip": "Consenti agli utenti di accedere utilizzando la mail e la password",
|
||||
"components.Settings.SettingsUsers.localLoginTip": "Consentire agli utenti di accedere utilizzando l'indirizzo di posta elettronica e la password, anziché Plex OAuth",
|
||||
"components.Settings.SettingsUsers.defaultPermissionsTip": "Permessi assegnati ai nuovi utenti",
|
||||
"components.QuotaSelector.movieRequests": "{quotaLimit} <quotaUnits>{movies} per {quotaDays} {days}</quotaUnits>",
|
||||
"components.QuotaSelector.tvRequests": "{quotaLimit} <quotaUnits>{seasons} per {quotaDays} {days}</quotaUnits>",
|
||||
@@ -775,6 +789,7 @@
|
||||
"components.Settings.Notifications.validationTypes": "È necessario selezionare almeno un tipo di notifica",
|
||||
"components.Settings.Notifications.NotificationsSlack.validationTypes": "È necessario selezionare almeno un tipo di notifica",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.validationTypes": "È necessario selezionare almeno un tipo di notifica",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "È necessario selezionare almeno un tipo di notifica",
|
||||
"components.Settings.Notifications.NotificationsWebhook.validationTypes": "È necessario selezionare almeno un tipo di notifica",
|
||||
"components.Settings.Notifications.NotificationsPushover.validationTypes": "È necessario selezionare almeno un tipo di notifica",
|
||||
"components.Settings.SettingsAbout.betawarning": "Questo software è in BETA. Alcuni componenti potrebbero non funzionare correttamente. Aiutaci segnalando i problemi su GitHub!",
|
||||
@@ -862,7 +877,7 @@
|
||||
"components.ManageSlideOver.manageModalTitle": "Gestisci {mediaType}",
|
||||
"components.ManageSlideOver.mark4kavailable": "Segna come disponibile in 4K",
|
||||
"components.IssueDetails.openinarr": "Apri in {arr}",
|
||||
"components.IssueDetails.playonplex": "Guarda su {mediaServerName}",
|
||||
"components.IssueDetails.playonplex": "Guarda su Plex",
|
||||
"components.ManageSlideOver.openarr": "Apri in {arr}",
|
||||
"components.ManageSlideOver.openarr4k": "Apri in 4K {arr}",
|
||||
"components.IssueDetails.play4konplex": "Guarda in 4K su Plex",
|
||||
@@ -899,7 +914,7 @@
|
||||
"components.NotificationTypeSelector.issuecreatedDescription": "Invia una notifica quando un problema viene segnalato.",
|
||||
"components.NotificationTypeSelector.issueresolved": "Problema risolto",
|
||||
"components.NotificationTypeSelector.issueresolvedDescription": "Invia una notifica quando un problema viene risolto.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.pushbulletAccessToken": "Token di accesso",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.pushbulletAccessToken": "Access Token",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverApplicationToken": "API Token applicazione",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.pushoverUserKey": "Chiave utente o di un gruppo",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.pushbulletAccessTokenTip": "Crea un token dalle tue <PushbulletSettingsLink>Impostazioni Account</PushbulletSettingsLink>",
|
||||
@@ -976,10 +991,10 @@
|
||||
"components.Settings.SettingsAbout.appDataPath": "Cartella applicazione",
|
||||
"components.RequestBlock.languageprofile": "Lingua Profilo",
|
||||
"components.MovieDetails.digitalrelease": "Uscita versione digitale",
|
||||
"components.Discover.DiscoverWatchlist.discoverwatchlist": "La tua lista",
|
||||
"components.Discover.DiscoverWatchlist.discoverwatchlist": "La tua lista da guardare Plex",
|
||||
"components.Discover.plexwatchlist": "La tua lista da guardare Plex",
|
||||
"components.PermissionEdit.autorequest": "Richiesta automatica",
|
||||
"components.Discover.DiscoverWatchlist.watchlist": "Plex Watchlist",
|
||||
"components.Discover.DiscoverWatchlist.watchlist": "Lista da guardare Plex",
|
||||
"components.MovieDetails.managemovie": "Gestisci Film",
|
||||
"components.MovieDetails.physicalrelease": "Uscita versione fisica",
|
||||
"components.MovieDetails.theatricalrelease": "Uscita nelle sale",
|
||||
@@ -1076,7 +1091,7 @@
|
||||
"components.Settings.SettingsMain.toastApiKeySuccess": "Nuova chiave API generata con successo!",
|
||||
"components.Settings.SettingsMain.toastSettingsFailure": "Qualcosa è andato storto durante il salvataggio delle impostazioni.",
|
||||
"components.StatusBadge.managemedia": "Gestisci {mediaType}",
|
||||
"components.StatusBadge.playonplex": "Riproduci su {mediaServerName}",
|
||||
"components.StatusBadge.playonplex": "Riproduci su Plex",
|
||||
"components.StatusBadge.seasonepisodenumber": "S{seasonNumber}E{episodeNumber}",
|
||||
"components.StatusChecker.appUpdated": "{applicationTitle} aggiornato",
|
||||
"components.TvDetails.Season.somethingwentwrong": "Qualcosa è andato storto durante il recupero dei dati della stagione.",
|
||||
@@ -1096,7 +1111,7 @@
|
||||
"components.Settings.SettingsMain.validationApplicationTitle": "Devi fornire un titolo dell'applicazione",
|
||||
"components.Settings.SettingsMain.validationApplicationUrl": "Devi fornire un URL valido",
|
||||
"components.Settings.restartrequiredTooltip": "Jellyseerr deve essere riavviato per rendere effettive le modifiche",
|
||||
"components.TitleCard.tvdbid": "ID TheTVDB",
|
||||
"components.TitleCard.tvdbid": "TheTVDB ID",
|
||||
"components.UserProfile.emptywatchlist": "I media aggiunti alla tua <PlexWatchlistSupportLink>Plex Watchlist</PlexWatchlistSupportLink> appariranno qui.",
|
||||
"components.TvDetails.status4k": "4K {status}",
|
||||
"i18n.restartRequired": "Riavvio necessario",
|
||||
@@ -1134,6 +1149,7 @@
|
||||
"components.Login.urlBase": "Base URL",
|
||||
"components.Login.username": "Nome utente",
|
||||
"components.Login.validationEmailRequired": "Devi fornire un'email",
|
||||
"components.Login.validationHostnameRequired": "Devi fornire un hostname o un indirizzo IP valido",
|
||||
"components.Login.validationPortRequired": "Devi fornire un numero di porta valido",
|
||||
"components.Login.validationUrlBaseTrailingSlash": "L'URL di base non deve terminare con una barra finale",
|
||||
"components.Login.validationUrlTrailingSlash": "L'URL non deve terminare con una barra finale",
|
||||
@@ -1150,7 +1166,7 @@
|
||||
"components.MovieDetails.rtaudiencescore": "Punteggio del pubblico di Rotten Tomatoes",
|
||||
"components.MovieDetails.rtcriticsscore": "Tomatometro di Rotten Tomatoes",
|
||||
"components.MovieDetails.tmdbuserscore": "Punteggio Utente TMDB",
|
||||
"components.MovieDetails.watchlistError": "Qualcosa è andato storto. Riprova.",
|
||||
"components.MovieDetails.watchlistError": "Qualcosa è andato storto, riprova.",
|
||||
"components.MovieDetails.watchlistSuccess": "<strong>{title}</strong> aggiunto alla lista di visione con successo!",
|
||||
"components.PermissionEdit.autorequestMovies": "Richiesta automatica dei film",
|
||||
"components.PermissionEdit.autorequestSeries": "Richiesta automatica di serie",
|
||||
@@ -1174,7 +1190,7 @@
|
||||
"components.RequestList.RequestItem.unknowntitle": "Titolo sconosciuto",
|
||||
"components.RequestModal.requestcollection4ktitle": "Richiedi Collezione in 4K",
|
||||
"components.RequestModal.requestcollectiontitle": "Richiedi Collezione",
|
||||
"components.Settings.Notifications.NotificationsPushover.deviceDefault": "Predefinito del dispositivo",
|
||||
"components.Settings.Notifications.NotificationsPushover.deviceDefault": "Predefinito dispositivo",
|
||||
"components.Settings.SettingsAbout.supportjellyseerr": "Supporta Jellyseerr",
|
||||
"components.Settings.SettingsJobsCache.availability-sync": "Sincronizzazione della disponibilità dei media",
|
||||
"components.Settings.SettingsJobsCache.editJobScheduleCurrent": "Frequenza Attuale",
|
||||
@@ -1213,7 +1229,7 @@
|
||||
"components.RequestList.RequestItem.tmdbid": "ID TMDB",
|
||||
"components.Settings.Notifications.NotificationsPushover.sound": "Suono di notifica",
|
||||
"components.Settings.SettingsMain.cacheImagesTip": "Cache le immagini provenienti da fonti esterne (richiede una quantità significativa di spazio su disco)",
|
||||
"components.Settings.SettingsMain.generalsettingsDescription": "Configura le impostazioni globali e predefinite per Jellyseerr.",
|
||||
"components.Settings.SettingsMain.generalsettingsDescription": "Configure global and default settings for Jellyseerr.",
|
||||
"components.RequestModal.SearchByNameModal.nomatches": "Non siamo riusciti a trovare una corrispondenza per questa serie.",
|
||||
"components.Settings.RadarrModal.tagRequests": "Tagga richieste",
|
||||
"components.Settings.SettingsJobsCache.imagecacheDescription": "Quando abilitato nelle impostazioni, Jellyseerr farà da proxy e memorizzerà nella cache le immagini provenienti da fonti esterne preconfigurate. Le immagini memorizzate nella cache vengono salvate nella tua cartella di configurazione. Puoi trovare i file in `<code>{appDataPath}/cache/images</code>`.",
|
||||
@@ -1234,239 +1250,5 @@
|
||||
"components.Layout.UserWarnings.emailInvalid": "L'indirizzo email non è valido.",
|
||||
"components.Layout.UserWarnings.emailRequired": "È necessario un indirizzo email.",
|
||||
"components.Layout.UserWarnings.passwordRequired": "È richiesta una password.",
|
||||
"components.Settings.SettingsMain.partialRequestsEnabled": "Consenti richieste parziali di serie",
|
||||
"components.Login.back": "Torna Indietro",
|
||||
"components.Settings.Notifications.webhookRoleId": "ID ruolo di notifica",
|
||||
"components.Blacklist.blacklistSettingsDescription": "Gestisci i media esclusi.",
|
||||
"components.PermissionEdit.blacklistedItemsDescription": "Concedi l'autorizzazione per escludere i media.",
|
||||
"components.Settings.Notifications.messageThreadId": "Thread/ID Argomento",
|
||||
"components.Setup.configplex": "Configura Plex",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.plexErrorExists": "Questo account è già collegato ad un utente Plex",
|
||||
"components.Settings.Notifications.messageThreadIdTip": "Se nella tua chat di gruppo sono abilitati gli argomenti, puoi specificare qui l'ID di un thread/argomento",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.plexwatchlistsyncmovies": "Richiedi automaticamente i film",
|
||||
"components.Selector.canceled": "Cancellato",
|
||||
"components.Selector.inProduction": "In Produzione",
|
||||
"components.Discover.FilterSlideover.status": "Stato",
|
||||
"components.Layout.Sidebar.blacklist": "Esclusioni",
|
||||
"components.RequestList.RequestItem.removearr": "Rimuovi da {arr}",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.plexErrorUnauthorized": "Impossible connettersi a Plex usando le tue credenziali",
|
||||
"component.BlacklistBlock.blacklistdate": "Data esclusa",
|
||||
"components.DiscoverTvUpcoming.upcomingtv": "Serie in arrivo",
|
||||
"components.PermissionEdit.viewblacklistedItems": "Visualizza media esclusi.",
|
||||
"components.Settings.Notifications.webhookRoleIdTip": "L'ID del ruolo da menzionare nel messaggio webhook. Lasciare vuoto per disabilitare le menzioni",
|
||||
"components.Login.validationservertyperequired": "Seleziona un tipo di server",
|
||||
"components.Settings.Notifications.validationMessageThreadId": "L'ID del thread/argomento deve essere un numero intero positivo",
|
||||
"components.PermissionEdit.blacklistedItems": "Media esclusi.",
|
||||
"components.RequestList.sortDirection": "Cambia direzione di ordinamento",
|
||||
"components.Login.loginwithapp": "Login con {appName}",
|
||||
"components.Login.noadminerror": "Non è stato trovato nessun amministratore nel server.",
|
||||
"components.Login.orsigninwith": "O fai l'accesso con",
|
||||
"components.Login.servertype": "Tipo Server",
|
||||
"components.PermissionEdit.manageblacklist": "Gestisci le esclusioni",
|
||||
"components.PermissionEdit.manageblacklistDescription": "Concedi l'autorizzazione a gestire i media esclusi.",
|
||||
"components.PermissionEdit.viewblacklistedItemsDescription": "Concedi l'autorizzazione a visualizzare i media esclusi.",
|
||||
"components.Selector.ended": "Terminato",
|
||||
"components.Selector.pilot": "Pilota",
|
||||
"components.Selector.planned": "Pianificato",
|
||||
"components.Selector.returningSeries": "Serie Ricorrente",
|
||||
"components.Selector.searchStatus": "Seleziona stato...",
|
||||
"components.Selector.searchUsers": "Seleziona utenti…",
|
||||
"components.Settings.Notifications.validationWebhookRoleId": "È necessario fornire un ID ruolo Discord valido",
|
||||
"components.Settings.OverrideRuleModal.conditions": "Condizioni",
|
||||
"components.Setup.signinWithPlex": "Inserisci le tue credenziali di Plex",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.plexwatchlistsyncseries": "Richiedi automaticamente le serie",
|
||||
"component.BlacklistBlock.blacklistedby": "Escluso da",
|
||||
"component.BlacklistModal.blacklisting": "Aggiungendo alle esclusioni",
|
||||
"components.Blacklist.blacklistNotFoundError": "<strong>{title}</strong> non è escluso.",
|
||||
"components.Blacklist.blacklistdate": "data",
|
||||
"components.Blacklist.blacklistedby": "{date} di {user}",
|
||||
"components.Blacklist.blacklistsettings": "Impostazioni delle esclusioni",
|
||||
"components.Blacklist.mediaName": "Nome",
|
||||
"components.Blacklist.mediaTmdbId": "ID tmdb",
|
||||
"components.Blacklist.mediaType": "Tipo",
|
||||
"components.Settings.OverrideRuleModal.selectRootFolder": "Seleziona cartella principale",
|
||||
"components.Settings.OverrideRuleModal.conditionsDescription": "Specifica le condizioni prima di applicare le modifiche ai parametri. Ogni campo deve essere convalidato affinché le regole possano essere applicate (operazione AND). Un campo è considerato verificato se una qualsiasi delle sue proprietà corrisponde (operazione OR).",
|
||||
"components.Settings.OverrideRuleModal.selectQualityProfile": "Seleziona profilo di qualità",
|
||||
"components.Settings.OverrideRuleModal.ruleUpdated": "Regola di sostituzione aggiornata con successo!",
|
||||
"components.Settings.OverrideRuleModal.settingsDescription": "Specifica quali impostazioni verranno modificate quando saranno soddisfatte le condizioni sopra indicate.",
|
||||
"components.Settings.OverrideRuleModal.create": "Crea regola",
|
||||
"components.Settings.OverrideRuleModal.createrule": "Nuova regola di sostituzione",
|
||||
"components.Settings.OverrideRuleModal.editrule": "Modifica regola di sostituzione",
|
||||
"components.Settings.OverrideRuleModal.genres": "Generi",
|
||||
"components.Settings.OverrideRuleModal.keywords": "Parole Chiave",
|
||||
"components.Settings.OverrideRuleModal.languages": "Lingue",
|
||||
"components.Settings.OverrideRuleModal.notagoptions": "Nessun tag.",
|
||||
"components.Settings.OverrideRuleModal.qualityprofile": "Profilo di qualità",
|
||||
"components.Settings.OverrideRuleModal.rootfolder": "Cartella Principale",
|
||||
"components.Settings.OverrideRuleModal.ruleCreated": "Regola di sostituzione creata con successo!",
|
||||
"components.Settings.OverrideRuleModal.selectService": "Seleziona servizio",
|
||||
"components.Settings.OverrideRuleModal.selecttags": "Seleziona i tag",
|
||||
"components.Settings.OverrideRuleModal.service": "Servizio",
|
||||
"components.Settings.OverrideRuleModal.serviceDescription": "Applica questa regola al servizio selezionato.",
|
||||
"components.Settings.OverrideRuleModal.settings": "Impostazioni",
|
||||
"components.Settings.OverrideRuleModal.tags": "Tags",
|
||||
"components.Settings.OverrideRuleModal.users": "Utenti",
|
||||
"components.Settings.OverrideRuleTile.conditions": "Condizioni",
|
||||
"components.Settings.OverrideRuleTile.genre": "Genere",
|
||||
"components.Settings.OverrideRuleTile.keywords": "Parole chiave",
|
||||
"components.Settings.OverrideRuleTile.language": "Lingua",
|
||||
"components.Settings.OverrideRuleTile.qualityprofile": "Profilo di qualità",
|
||||
"components.Settings.OverrideRuleTile.rootfolder": "Cartella Principale",
|
||||
"components.Settings.OverrideRuleTile.settings": "Impostazioni",
|
||||
"components.Settings.OverrideRuleTile.tags": "Tags",
|
||||
"components.Settings.OverrideRuleTile.users": "Utenti",
|
||||
"components.Settings.SettingsJobsCache.plex-refresh-token": "Token di aggiornamento Plex",
|
||||
"components.Settings.SettingsMain.discoverRegionTip": "Filtra i contenuti in base alla disponibilità della regione",
|
||||
"components.Settings.SettingsMain.discoverRegion": "Ricerca per Regione",
|
||||
"components.Settings.SettingsMain.streamingRegionTip": "Mostra i siti di streaming in base alla disponibilità della regione",
|
||||
"components.Settings.SettingsMain.enableSpecialEpisodes": "Consenti richieste di episodi speciali",
|
||||
"components.Settings.SettingsJobsCache.usersavatars": "Avatar degli utenti",
|
||||
"components.Settings.SettingsMain.streamingRegion": "Regione di streaming",
|
||||
"components.Settings.SettingsNetwork.toastSettingsFailure": "Si è verificato un errore durante il salvataggio delle impostazioni.",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.discoverRegion": "Ricerca per Regione",
|
||||
"components.Settings.SettingsNetwork.csrfProtectionHoverTip": "Non abilitare questa impostazione se non sei sicuro di ciò che stai facendo!",
|
||||
"components.TitleCard.watchlistSuccess": "<strong>{title}</strong> aggiunto alla lista con successo!",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.sound": "Suono di notifica",
|
||||
"i18n.blacklistDuplicateError": "<strong>{title}</strong> è già stato inserito nelle esclusioni.",
|
||||
"components.Settings.jellyfinSettingsDescription": "Se vuoi, puoi configurare gli endpoint interni ed esterni per il tuo server {mediaServerName}. Di solito, l'URL esterno è diverso da quello interno. Puoi anche impostare un URL personalizzato per reimpostare la password di accesso a {mediaServerName}, se vuoi reindirizzare a una pagina diversa per reimpostare la password. Puoi anche cambiare la chiave API Jellyfin, che è stata generata automaticamente in precedenza.",
|
||||
"components.Settings.jellyfinsettings": "Impostazioni {mediaServerName}",
|
||||
"components.Settings.scanbackground": "La scansione verrà eseguita in background. Nel frattempo è possibile continuare con la procedura di configurazione.",
|
||||
"components.UserProfile.UserSettings.menuLinkedAccounts": "Account Collegati",
|
||||
"components.Settings.syncing": "Sincronizzando",
|
||||
"components.StatusChecker.restartRequiredDescription": "Riavvia il server per applicare le impostazioni aggiornate.",
|
||||
"components.TvDetails.rtaudiencescore": "Punteggio del pubblico su Rotten Tomatoes",
|
||||
"components.TvDetails.watchlistDeleted": "<strong>{title}</strong> rimosso dalla lista con successo!",
|
||||
"components.Settings.SettingsNetwork.networkDisclaimer": "È necessario utilizzare i parametri di rete del proprio container/sistema anziché queste impostazioni. Per ulteriori informazioni, consultare i {docs}.",
|
||||
"components.UserList.importedfromJellyfin": "<strong>{userCount}</strong> {mediaServerName} {userCount, plural, one {utente} other {utenti}} importati con successo!",
|
||||
"components.Settings.SonarrModal.tagRequestsInfo": "Aggiungi automaticamente un tag aggiuntivo con l'ID utente e il nome visualizzato del richiedente",
|
||||
"components.Settings.deleteServer": "Elimina Server {serverType}",
|
||||
"components.Settings.overrideRulesDescription": "Le regole di sostituzione consentono di specificare le proprietà che verranno sostituite se una richiesta corrisponde alla regola.",
|
||||
"components.UserList.newJellyfinsigninenabled": "L'impostazione <strong>Abilita nuovo accesso {mediaServerName}</strong> è attualmente abilitata. Gli utenti {mediaServerName} con accesso alla libreria non devono essere importati per poter effettuare l'accesso.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.telegramMessageThreadId": "Thread/ID Argomento",
|
||||
"components.Settings.SettingsUsers.atLeastOneAuth": "È necessario selezionare almeno un metodo di autenticazione.",
|
||||
"components.Settings.SonarrModal.tagRequests": "Aggiungi tag alle richieste",
|
||||
"components.Settings.invalidurlerror": "Impossibile connettersi al server {mediaServerName}.",
|
||||
"components.Settings.jellyfinsettingsDescription": "Configura le impostazioni per il tuo server {mediaServerName}. {mediaServerName} esegue la scansione delle tue librerie {mediaServerName} per vedere quali contenuti sono disponibili.",
|
||||
"components.Setup.librarieserror": "Convalida non riuscita. Attivare nuovamente le librerie per continuare.",
|
||||
"components.TvDetails.episodeCount": "{episodeCount, plural, one {# Episodio} other {# Episodi}}",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.errorUnauthorized": "Impossibile connettersi a {mediaServerName} utilizzando le credenziali fornite",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.deleteFailed": "Impossibile eliminare l'account collegato.",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.noPermissionDescription": "Non hai il permesso di modificare gli account collegati a questo utente.",
|
||||
"i18n.removeFromBlacklistSuccess": "<strong>{title}</strong> è stato rimosso con successo dalle esclusioni.",
|
||||
"components.Settings.overrideRules": "Regole di sostituzione",
|
||||
"components.Settings.save": "Salva Modifiche",
|
||||
"components.Settings.saving": "Salvando…",
|
||||
"components.Setup.signinWithEmby": "Inserisci le tue credenziali Emby",
|
||||
"components.TitleCard.addToWatchList": "Aggiungi alla lista",
|
||||
"components.TvDetails.removefromwatchlist": "Rimuovi dalla Lista",
|
||||
"components.Setup.signin": "Accedi",
|
||||
"components.Settings.jellyfinSyncFailedNoLibrariesFound": "Nessuna libreria trovata",
|
||||
"components.Settings.SettingsNetwork.csrfProtection": "Abilita Protezione CSRF",
|
||||
"components.Settings.SettingsNetwork.csrfProtectionTip": "Imposta l'accesso API esterno in sola lettura (richiede HTTPS)",
|
||||
"components.Settings.SettingsNetwork.docs": "documentazione",
|
||||
"components.Settings.SettingsNetwork.forceIpv4First": "Forza prima la risoluzione IPv4",
|
||||
"components.Settings.SettingsNetwork.forceIpv4FirstTip": "Forza Jellyseerr a risolvere prima gli indirizzi IPv4 invece di quelli IPv6",
|
||||
"components.Settings.SettingsNetwork.network": "Rete",
|
||||
"components.Settings.SettingsNetwork.networksettings": "Impostazioni di Rete",
|
||||
"components.Settings.SettingsNetwork.networksettingsDescription": "Configura le impostazioni di rete per la tua istanza Jellyseerr.",
|
||||
"components.Settings.SettingsNetwork.proxyBypassFilter": "Indirizzi Proxy Ignorati",
|
||||
"components.Settings.SettingsNetwork.proxyBypassFilterTip": "Utilizza “,” come separatore e “*.” come carattere jolly per i sottodomini",
|
||||
"components.Settings.SettingsNetwork.proxyBypassLocalAddresses": "Bypassare il Proxy per gli Indirizzi Locali",
|
||||
"components.Settings.SettingsNetwork.proxyEnabled": "Proxy HTTP(S)",
|
||||
"components.Settings.SettingsNetwork.proxyHostname": "Nome Host Proxy",
|
||||
"components.Settings.SettingsNetwork.proxyPassword": "Password del Proxy",
|
||||
"components.Settings.SettingsNetwork.proxyPort": "Porta del Proxy",
|
||||
"components.Settings.SettingsNetwork.proxySsl": "Usa SSL per il Proxy",
|
||||
"components.Settings.SettingsNetwork.proxyUser": "Username del Proxy",
|
||||
"components.Settings.SettingsNetwork.toastSettingsSuccess": "Impostazioni salvate con successo!",
|
||||
"components.Settings.SettingsNetwork.trustProxy": "Abilita Supporto Proxy",
|
||||
"components.Settings.SettingsNetwork.trustProxyTip": "Consenti a Jellyseerr di registrare correttamente gli indirizzi IP dei client dietro un proxy",
|
||||
"components.Settings.SettingsNetwork.validationProxyPort": "È necessario fornire una porta valida",
|
||||
"components.Settings.SettingsUsers.loginMethods": "Metodi di Login",
|
||||
"components.Settings.SettingsUsers.loginMethodsTip": "Configura i metodi di accesso per gli utenti.",
|
||||
"components.Settings.SettingsUsers.mediaServerLogin": "Abilita accesso tramite {mediaServerName}",
|
||||
"components.Settings.SettingsUsers.mediaServerLoginTip": "Consenti agli utenti di accedere utilizzando il proprio account {mediaServerName}",
|
||||
"components.Settings.addrule": "Nuova regola di sostituzione",
|
||||
"components.Settings.advancedTooltip": "Una configurazione errata di questa impostazione può causare dei malfunzionamenti",
|
||||
"components.Settings.apiKey": "Chiave API",
|
||||
"components.Settings.experimentalTooltip": "L'attivazione di questa impostazione può causare un comportamento imprevisto dell'applicazione",
|
||||
"components.Settings.jellyfinForgotPasswordUrl": "URL Password dimenticata",
|
||||
"components.Settings.jellyfinSettings": "Impostazioni {mediaServerName}",
|
||||
"components.Settings.jellyfinSettingsFailure": "Si è verificato un errore durante il salvataggio delle impostazioni di {mediaServerName}.",
|
||||
"components.Settings.jellyfinSettingsSuccess": "Impostazioni {mediaServerName} salvate con successo!",
|
||||
"components.Settings.jellyfinSyncFailedAutomaticGroupedFolders": "Autenticazione personalizzata con raggruppamento automatico delle librerie non supportata",
|
||||
"components.Settings.jellyfinSyncFailedGenericError": "Si è verificato un errore durante la sincronizzazione delle librerie",
|
||||
"components.Settings.jellyfinlibraries": "Librerie di {mediaServerName}",
|
||||
"components.Settings.jellyfinlibrariesDescription": "Le librerie {mediaServerName} cercano i titoli. Se non sono elencate librerie, fare clic sul pulsante sottostante.",
|
||||
"components.Settings.manualscanDescriptionJellyfin": "Normalmente, questa operazione viene eseguita una volta ogni 24 ore. Jellyseerr controllerà in modo più aggressivo gli elementi aggiunti di recente al tuo server {mediaServerName}. Se è la prima volta che configuri Jellyseerr, ti consigliamo di eseguire una scansione manuale completa della libreria!",
|
||||
"components.Settings.manualscanJellyfin": "Scansione Libreria Manuale",
|
||||
"components.Settings.menuJellyfinSettings": "{mediaServerName}",
|
||||
"components.Settings.menuNetwork": "Rete",
|
||||
"components.Settings.syncJellyfin": "Sincronizza Librerie",
|
||||
"components.Settings.timeout": "Tempo scaduto",
|
||||
"components.Settings.tip": "Suggerimento",
|
||||
"components.Setup.back": "Torna indietro",
|
||||
"components.Setup.configemby": "Configura Emby",
|
||||
"components.Setup.configjellyfin": "Configura Jellyfin",
|
||||
"components.Setup.configuremediaserver": "Configura Media Server",
|
||||
"components.Setup.servertype": "Scegli il tipo di server",
|
||||
"components.Setup.signinWithJellyfin": "Inserisci le tue credenziali Jellyfin",
|
||||
"components.Setup.subtitle": "Inizia scegliendo il tuo media server",
|
||||
"components.StatusBadge.seasonnumber": "S{seasonNumber}",
|
||||
"components.TitleCard.cleardata": "Cancella dati",
|
||||
"components.TitleCard.watchlistCancel": "Lista per <strong>{title}</strong> eliminata.",
|
||||
"components.TitleCard.watchlistError": "Qualcosa è andato storto. Riprova.",
|
||||
"components.TvDetails.Season.noepisodes": "Elenco episodi non disponibile.",
|
||||
"components.TvDetails.addtowatchlist": "Aggiungi alla Lista",
|
||||
"components.TvDetails.play": "Riproduci su {mediaServerName}",
|
||||
"components.TvDetails.play4k": "Riproduci in 4K su {mediaServerName}",
|
||||
"components.TitleCard.watchlistDeleted": "<strong>{title}</strong> rimosso dalla lista con successo!",
|
||||
"components.TvDetails.rtcriticsscore": "Tomatometer di Rotten Tomatoes",
|
||||
"components.TvDetails.tmdbuserscore": "Punteggio utente TMDB",
|
||||
"components.TvDetails.watchlistSuccess": "<strong>{title}</strong> aggiunto alla lista con successo!",
|
||||
"components.UserList.importfromJellyfin": "Importa utenti da {mediaServerName}",
|
||||
"components.UserList.importfromJellyfinerror": "Si è verificato un errore durante l'importazione degli utenti da {mediaServerName}.",
|
||||
"components.UserList.mediaServerUser": "Utente {mediaServerName}",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.password": "Password",
|
||||
"components.TvDetails.watchlistError": "Qualcosa è andato storto. Riprova.",
|
||||
"components.UserList.importfrommediaserver": "Importa utenti da {mediaServerName}",
|
||||
"components.UserList.noJellyfinuserstoimport": "Non ci sono utenti {mediaServerName} da importare.",
|
||||
"components.UserList.username": "Nome Utente",
|
||||
"components.UserList.validationUsername": "È necessario fornire un nome utente",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.description": "Inserisci le credenziali {mediaServerName} per collegare il tuo account a {applicationName}.",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.errorExists": "Questo account è già collegato a un utente {applicationName}",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.errorUnknown": "Si è verificato un errore sconosciuto",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.passwordRequired": "È necessario fornire una password",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.save": "Collega",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.saving": "Aggiungendo…",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.title": "Collega Account {mediaServerName}",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.username": "Nome Utente",
|
||||
"components.UserProfile.UserSettings.LinkJellyfinModal.usernameRequired": "È necessario fornire un nome utente",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.email": "Email",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.discoverRegionTip": "Filtra i contenuti in base alla disponibilità della regione",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.mediaServerUser": "Utente {mediaServerName}",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.save": "Salva Modifiche",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.saving": "Salvando…",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.streamingRegion": "Regione di streaming",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.streamingRegionTip": "Mostra i siti di streaming in base alla disponibilità della regione",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmail": "Questo indirizzo e-mail è già stato utilizzato!",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.toastSettingsFailureEmailEmpty": "Un altro utente ha già questo nome utente. Devi impostare un indirizzo e-mail",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.validationemailformat": "È richiesta un'email valida",
|
||||
"components.UserProfile.UserSettings.UserGeneralSettings.validationemailrequired": "Email richiesta",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.errorUnknown": "Si è verificato un errore sconosciuto",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.linkedAccounts": "Account Collegati",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.linkedAccountsHint": "Questi account esterni sono collegati al tuo account {applicationName}.",
|
||||
"components.UserProfile.UserSettings.UserLinkedAccountsSettings.noLinkedAccounts": "Non hai alcun account esterno collegato al tuo account.",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.deviceDefault": "Predefinito del dispositivo",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.telegramMessageThreadIdTip": "Se nella tua chat di gruppo sono abilitati gli argomenti, puoi specificare qui l'ID di un thread/argomento",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.validationTelegramMessageThreadId": "L'ID del thread/argomento deve essere un numero intero positivo",
|
||||
"components.UserProfile.localWatchlist": "Lista di {username}",
|
||||
"i18n.addToBlacklist": "Aggiungi alle esclusioni",
|
||||
"i18n.blacklist": "Esclusioni",
|
||||
"i18n.blacklistError": "Qualcosa è andato storto. Riprova.",
|
||||
"i18n.blacklistSuccess": "<strong>{title}</strong> è stato inserito con successo nelle esclusioni.",
|
||||
"i18n.blacklisted": "Aggiunto alle esclusioni",
|
||||
"i18n.removefromBlacklist": "Rimuovi dalle esclusioni",
|
||||
"i18n.specials": "Speciali",
|
||||
"components.Settings.SettingsMain.validationApplicationUrlTrailingSlash": "L'URL non deve terminare con una barra \"/\" finale"
|
||||
"components.Settings.SettingsMain.partialRequestsEnabled": "Consenti richieste parziali di serie"
|
||||
}
|
||||
|
||||
@@ -99,6 +99,7 @@
|
||||
"components.Settings.address": "アドレス",
|
||||
"components.Settings.addsonarr": "Sonarr サーバーを追加",
|
||||
"components.Settings.cancelscan": "スキャンをキャンセル",
|
||||
"components.Settings.copied": "API キーをクリップボードにコピーされた。",
|
||||
"components.Settings.currentlibrary": "現在のライブラリー:{name}",
|
||||
"components.Settings.default": "デフォルト",
|
||||
"components.Settings.default4k": "デフォルト 4K",
|
||||
@@ -301,6 +302,7 @@
|
||||
"components.Settings.Notifications.toastTelegramTestSuccess": "Telegram のテスト通知が送信されました。",
|
||||
"components.Settings.Notifications.toastEmailTestSuccess": "メールテスト通知が送信されました。",
|
||||
"components.Settings.Notifications.toastDiscordTestSuccess": "Discord のテスト通知が送信されました。",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSuccess": "LunaSea のテスト通知が送信されました。",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.toastPushbulletTestSuccess": "Pushbullet のテスト通知が送信されました。",
|
||||
"components.Settings.Notifications.NotificationsPushover.toastPushoverTestSuccess": "Pushover のテスト通知が送信されました。",
|
||||
"components.Settings.Notifications.NotificationsSlack.toastSlackTestSuccess": "Slack のテスト通知が送信されました。",
|
||||
@@ -308,12 +310,14 @@
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.emailsettingsfailed": "メール通知設定の保存に失敗しました。",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.discordsettingsfailed": "Discord の通知設定の保存に失敗しました。",
|
||||
"components.Settings.Notifications.telegramsettingsfailed": "Telegram の通知設定の保存に失敗しました。",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsFailed": "LunaSea の通知設定の保存に失敗しました。",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsFailed": "Pushbullet の通知設定の保存に失敗しました。",
|
||||
"components.Settings.Notifications.NotificationsPushover.pushoversettingsfailed": "Pushover の通知設定の保存に失敗しました。",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.telegramsettingssaved": "Telegram の通知設定が保存されました。",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.emailsettingssaved": "メール通知設定が保存されました。",
|
||||
"components.UserProfile.UserSettings.UserNotificationSettings.discordsettingssaved": "Discord の通知設定が保存されました。",
|
||||
"components.Settings.Notifications.telegramsettingssaved": "Telegram の通知設定が保存されました。",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.settingsSaved": "LunaSea の通知設定が保存されました。",
|
||||
"components.Settings.Notifications.NotificationsPushbullet.pushbulletSettingsSaved": "Pushbullet の通知設定が保存されました。",
|
||||
"components.Settings.Notifications.NotificationsPushover.pushoversettingssaved": "Pushover の通知設定が保存されました。",
|
||||
"components.ResetPassword.validationpasswordrequired": "パスワードを入力してください",
|
||||
@@ -558,6 +562,7 @@
|
||||
"components.NotificationTypeSelector.issuecomment": "チケットのコメント",
|
||||
"components.NotificationTypeSelector.userissueresolvedDescription": "自分が報告したチケットが解決された際に通知を受ける",
|
||||
"components.PermissionEdit.viewissuesDescription": "他ユーザーが作成されたチケットを確認できる",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.agentenabled": "エージェントを有効にする",
|
||||
"components.TvDetails.seasons": "{seasonCount, plural, one {#シーズン} other {#シーズン}}",
|
||||
"components.Search.search": "検索",
|
||||
"components.ManageSlideOver.opentautulli": "Tautulliで開く",
|
||||
@@ -573,6 +578,7 @@
|
||||
"components.NotificationTypeSelector.userissuereopenedDescription": "自ら報告したチケットが再度開いた際に通知を受ける",
|
||||
"components.PermissionEdit.manageissuesDescription": "メディアのチケットを管理する権限を付与する",
|
||||
"components.Settings.Notifications.NotificationsGotify.validationUrlTrailingSlash": "URL の末尾にスラッシュ( / )を入力してないでください",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileName": "プロフィール名",
|
||||
"components.IssueList.sortModified": "最終更新",
|
||||
"components.IssueModal.CreateIssueModal.allepisodes": "すべてのエピソード",
|
||||
"components.IssueModal.CreateIssueModal.problemepisode": "該当エピソード",
|
||||
@@ -631,6 +637,13 @@
|
||||
"components.Settings.Notifications.NotificationsGotify.toastGotifyTestSuccess": "Gotify のテスト通知を送信しました!",
|
||||
"components.Settings.Notifications.NotificationsGotify.token": "アプリケーショントークン",
|
||||
"components.Settings.Notifications.NotificationsGotify.url": "サーバーの URL",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationTypes": "通知の種類は一つ以上を選択してください",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrlTip": "ユーザーまたはデバイスベースの <LunaSeaLink>notification webhook URL</LunaSeaLink> を指定します。",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.validationWebhookUrl": "有効な URL を入力してください",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.profileNameTip": "<code>default</code> プロファイルを使用しない場合のみ必要です。",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestSending": "LunaSea テスト通知送信中…",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.webhookUrl": "ウェブフック URL",
|
||||
"components.Settings.Notifications.NotificationsLunaSea.toastLunaSeaTestFailed": "LunaSea のテスト通知の送信に失敗しました。",
|
||||
"components.Settings.Notifications.NotificationsSlack.validationWebhookUrl": "有効な URL を入力してください",
|
||||
"components.Settings.RadarrModal.validationApplicationUrl": "有効な URL を入力してください",
|
||||
"components.Settings.Notifications.validationUrl": "有効な URL を入力してください",
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user