mirror of
https://github.com/immich-app/immich.git
synced 2026-02-02 10:14:50 -08:00
Compare commits
21 Commits
feat/maint
...
dev/recogn
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
930961825e | ||
|
|
fdc8f91b18 | ||
|
|
016a760dda | ||
|
|
c15507baad | ||
|
|
1691706666 | ||
|
|
a96026c821 | ||
|
|
5740928843 | ||
|
|
6126ac77b5 | ||
|
|
8c166b9381 | ||
|
|
d656cc2198 | ||
|
|
32f25580ec | ||
|
|
34f72a8251 | ||
|
|
e851884f88 | ||
|
|
db2493d003 | ||
|
|
595f4c6d2e | ||
|
|
36481d037f | ||
|
|
217f6fe4fa | ||
|
|
e90f28985a | ||
|
|
0c9890b70f | ||
|
|
b750440f90 | ||
|
|
c80b16d24e |
@@ -1,10 +1,10 @@
|
||||
ARG BASEIMAGE=mcr.microsoft.com/devcontainers/typescript-node:22@sha256:7c2e711a4f7b02f32d2da16192d5e05aa7c95279be4ce889cff5df316f251c1d
|
||||
ARG BASEIMAGE=mcr.microsoft.com/devcontainers/typescript-node:22@sha256:a20b8a3538313487ac9266875bbf733e544c1aa2091df2bb99ab592a6d4f7399
|
||||
FROM ${BASEIMAGE}
|
||||
|
||||
# Flutter SDK
|
||||
# https://flutter.dev/docs/development/tools/sdk/releases?tab=linux
|
||||
ENV FLUTTER_CHANNEL="stable"
|
||||
ENV FLUTTER_VERSION="3.29.3"
|
||||
ENV FLUTTER_VERSION="3.29.1"
|
||||
ENV FLUTTER_HOME=/flutter
|
||||
ENV PATH=${PATH}:${FLUTTER_HOME}/bin
|
||||
|
||||
|
||||
3
.gitattributes
vendored
3
.gitattributes
vendored
@@ -9,9 +9,6 @@ mobile/lib/**/*.g.dart linguist-generated=true
|
||||
mobile/lib/**/*.drift.dart -diff -merge
|
||||
mobile/lib/**/*.drift.dart linguist-generated=true
|
||||
|
||||
mobile/drift_schemas/main/drift_schema_*.json -diff -merge
|
||||
mobile/drift_schemas/main/drift_schema_*.json linguist-generated=true
|
||||
|
||||
open-api/typescript-sdk/fetch-client.ts -diff -merge
|
||||
open-api/typescript-sdk/fetch-client.ts linguist-generated=true
|
||||
|
||||
|
||||
2
.github/.nvmrc
vendored
2
.github/.nvmrc
vendored
@@ -1 +1 @@
|
||||
22.16.0
|
||||
22.14.0
|
||||
|
||||
@@ -14,6 +14,7 @@ body:
|
||||
label: I have searched the existing feature requests, both open and closed, to make sure this is not a duplicate request.
|
||||
options:
|
||||
- label: 'Yes'
|
||||
required: true
|
||||
|
||||
- type: textarea
|
||||
id: feature
|
||||
|
||||
1
.github/ISSUE_TEMPLATE/bug_report.yaml
vendored
1
.github/ISSUE_TEMPLATE/bug_report.yaml
vendored
@@ -6,6 +6,7 @@ body:
|
||||
label: I have searched the existing issues, both open and closed, to make sure this is not a duplicate report.
|
||||
options:
|
||||
- label: 'Yes'
|
||||
required: true
|
||||
|
||||
- type: markdown
|
||||
attributes:
|
||||
|
||||
118
.github/actions/image-build/action.yml
vendored
Normal file
118
.github/actions/image-build/action.yml
vendored
Normal file
@@ -0,0 +1,118 @@
|
||||
name: 'Single arch image build'
|
||||
description: 'Build single-arch image on platform appropriate runner'
|
||||
inputs:
|
||||
image:
|
||||
description: 'Name of the image to build'
|
||||
required: true
|
||||
ghcr-token:
|
||||
description: 'GitHub Container Registry token'
|
||||
required: true
|
||||
platform:
|
||||
description: 'Platform to build for'
|
||||
required: true
|
||||
artifact-key-base:
|
||||
description: 'Base key for artifact name'
|
||||
required: true
|
||||
context:
|
||||
description: 'Path to build context'
|
||||
required: true
|
||||
dockerfile:
|
||||
description: 'Path to Dockerfile'
|
||||
required: true
|
||||
build-args:
|
||||
description: 'Docker build arguments'
|
||||
required: false
|
||||
runs:
|
||||
using: 'composite'
|
||||
steps:
|
||||
- name: Prepare
|
||||
id: prepare
|
||||
shell: bash
|
||||
env:
|
||||
PLATFORM: ${{ inputs.platform }}
|
||||
run: |
|
||||
echo "platform-pair=${PLATFORM//\//-}" >> $GITHUB_OUTPUT
|
||||
|
||||
- name: Set up Docker Buildx
|
||||
uses: docker/setup-buildx-action@b5ca514318bd6ebac0fb2aedd5d36ec1b5c232a2 # v3.10.0
|
||||
|
||||
- name: Login to GitHub Container Registry
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3
|
||||
if: ${{ !github.event.pull_request.head.repo.fork }}
|
||||
with:
|
||||
registry: ghcr.io
|
||||
username: ${{ github.repository_owner }}
|
||||
password: ${{ inputs.ghcr-token }}
|
||||
|
||||
- name: Generate cache key suffix
|
||||
id: cache-key-suffix
|
||||
shell: bash
|
||||
env:
|
||||
REF: ${{ github.ref_name }}
|
||||
run: |
|
||||
if [[ "${{ github.event_name }}" == "pull_request" ]]; then
|
||||
echo "cache-key-suffix=pr-${{ github.event.number }}" >> $GITHUB_OUTPUT
|
||||
else
|
||||
SUFFIX=$(echo "${REF}" | sed 's/[^a-zA-Z0-9]/-/g')
|
||||
echo "suffix=${SUFFIX}" >> $GITHUB_OUTPUT
|
||||
fi
|
||||
|
||||
- name: Generate cache target
|
||||
id: cache-target
|
||||
shell: bash
|
||||
env:
|
||||
BUILD_ARGS: ${{ inputs.build-args }}
|
||||
IMAGE: ${{ inputs.image }}
|
||||
SUFFIX: ${{ steps.cache-key-suffix.outputs.suffix }}
|
||||
PLATFORM_PAIR: ${{ steps.prepare.outputs.platform-pair }}
|
||||
run: |
|
||||
HASH=$(sha256sum <<< "${BUILD_ARGS}" | cut -d' ' -f1)
|
||||
CACHE_KEY="${PLATFORM_PAIR}-${HASH}"
|
||||
echo "cache-key-base=${CACHE_KEY}" >> $GITHUB_OUTPUT
|
||||
if [[ "${{ github.event.pull_request.head.repo.fork }}" == "true" ]]; then
|
||||
# Essentially just ignore the cache output (forks can't write to registry cache)
|
||||
echo "cache-to=type=local,dest=/tmp/discard,ignore-error=true" >> $GITHUB_OUTPUT
|
||||
else
|
||||
echo "cache-to=type=registry,ref=${IMAGE}-build-cache:${CACHE_KEY}-${SUFFIX},mode=max,compression=zstd" >> $GITHUB_OUTPUT
|
||||
fi
|
||||
|
||||
- name: Generate docker image tags
|
||||
id: meta
|
||||
uses: docker/metadata-action@902fa8ec7d6ecbf8d84d538b9b233a880e428804 # v5
|
||||
env:
|
||||
DOCKER_METADATA_PR_HEAD_SHA: 'true'
|
||||
|
||||
- name: Build and push image
|
||||
id: build
|
||||
uses: docker/build-push-action@471d1dc4e07e5cdedd4c2171150001c434f0b7a4 # v6.15.0
|
||||
with:
|
||||
context: ${{ inputs.context }}
|
||||
file: ${{ inputs.dockerfile }}
|
||||
platforms: ${{ inputs.platform }}
|
||||
labels: ${{ steps.meta.outputs.labels }}
|
||||
cache-to: ${{ steps.cache-target.outputs.cache-to }}
|
||||
cache-from: |
|
||||
type=registry,ref=${{ inputs.image }}-build-cache:${{ steps.cache-target.outputs.cache-key-base }}-${{ steps.cache-key-suffix.outputs.suffix }}
|
||||
type=registry,ref=${{ inputs.image }}-build-cache:${{ steps.cache-target.outputs.cache-key-base }}-main
|
||||
outputs: type=image,"name=${{ inputs.image }}",push-by-digest=true,name-canonical=true,push=${{ !github.event.pull_request.head.repo.fork }}
|
||||
build-args: |
|
||||
BUILD_ID=${{ github.run_id }}
|
||||
BUILD_IMAGE=${{ github.event_name == 'release' && github.ref_name || steps.meta.outputs.tags }}
|
||||
BUILD_SOURCE_REF=${{ github.ref_name }}
|
||||
BUILD_SOURCE_COMMIT=${{ github.sha }}
|
||||
${{ inputs.build-args }}
|
||||
|
||||
- name: Export digest
|
||||
shell: bash
|
||||
run: | # zizmor: ignore[template-injection]
|
||||
mkdir -p ${{ runner.temp }}/digests
|
||||
digest="${{ steps.build.outputs.digest }}"
|
||||
touch "${{ runner.temp }}/digests/${digest#sha256:}"
|
||||
|
||||
- name: Upload digest
|
||||
uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4
|
||||
with:
|
||||
name: ${{ inputs.artifact-key-base }}-${{ steps.cache-target.outputs.cache-key-base }}
|
||||
path: ${{ runner.temp }}/digests/*
|
||||
if-no-files-found: error
|
||||
retention-days: 1
|
||||
16
.github/workflows/build-mobile.yml
vendored
16
.github/workflows/build-mobile.yml
vendored
@@ -35,12 +35,12 @@ jobs:
|
||||
should_run: ${{ steps.found_paths.outputs.mobile == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- id: found_paths
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3.0.2
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3
|
||||
with:
|
||||
filters: |
|
||||
mobile:
|
||||
@@ -61,19 +61,19 @@ jobs:
|
||||
runs-on: macos-14
|
||||
|
||||
steps:
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
ref: ${{ inputs.ref || github.sha }}
|
||||
persist-credentials: false
|
||||
|
||||
- uses: actions/setup-java@c5195efecf7bdfc987ee8bae7a71cb8b11521c00 # v4.7.1
|
||||
- uses: actions/setup-java@c5195efecf7bdfc987ee8bae7a71cb8b11521c00 # v4
|
||||
with:
|
||||
distribution: 'zulu'
|
||||
java-version: '17'
|
||||
cache: 'gradle'
|
||||
|
||||
- name: Setup Flutter SDK
|
||||
uses: subosito/flutter-action@e938fdf56512cc96ef2f93601a5a40bde3801046 # v2.19.0
|
||||
uses: subosito/flutter-action@e938fdf56512cc96ef2f93601a5a40bde3801046 # v2
|
||||
with:
|
||||
channel: 'stable'
|
||||
flutter-version-file: ./mobile/pubspec.yaml
|
||||
@@ -93,10 +93,6 @@ jobs:
|
||||
run: make translation
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Generate platform APIs
|
||||
run: make pigeon
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Build Android App Bundle
|
||||
working-directory: ./mobile
|
||||
env:
|
||||
@@ -108,7 +104,7 @@ jobs:
|
||||
flutter build apk --release --split-per-abi --target-platform android-arm,android-arm64,android-x64
|
||||
|
||||
- name: Publish Android Artifact
|
||||
uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4.6.2
|
||||
uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4
|
||||
with:
|
||||
name: release-apk-signed
|
||||
path: mobile/build/app/outputs/flutter-apk/*.apk
|
||||
|
||||
2
.github/workflows/cache-cleanup.yml
vendored
2
.github/workflows/cache-cleanup.yml
vendored
@@ -19,7 +19,7 @@ jobs:
|
||||
actions: write
|
||||
steps:
|
||||
- name: Check out code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
|
||||
12
.github/workflows/cli.yml
vendored
12
.github/workflows/cli.yml
vendored
@@ -29,12 +29,12 @@ jobs:
|
||||
working-directory: ./cli
|
||||
|
||||
steps:
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
# Setup .npmrc file to publish to npm
|
||||
- uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
- uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './cli/.nvmrc'
|
||||
registry-url: 'https://registry.npmjs.org'
|
||||
@@ -59,7 +59,7 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
@@ -70,7 +70,7 @@ jobs:
|
||||
uses: docker/setup-buildx-action@b5ca514318bd6ebac0fb2aedd5d36ec1b5c232a2 # v3.10.0
|
||||
|
||||
- name: Login to GitHub Container Registry
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3.4.0
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3
|
||||
if: ${{ !github.event.pull_request.head.repo.fork }}
|
||||
with:
|
||||
registry: ghcr.io
|
||||
@@ -85,7 +85,7 @@ jobs:
|
||||
|
||||
- name: Generate docker image tags
|
||||
id: metadata
|
||||
uses: docker/metadata-action@902fa8ec7d6ecbf8d84d538b9b233a880e428804 # v5.7.0
|
||||
uses: docker/metadata-action@902fa8ec7d6ecbf8d84d538b9b233a880e428804 # v5
|
||||
with:
|
||||
flavor: |
|
||||
latest=false
|
||||
@@ -96,7 +96,7 @@ jobs:
|
||||
type=raw,value=latest,enable=${{ github.event_name == 'release' }}
|
||||
|
||||
- name: Build and push image
|
||||
uses: docker/build-push-action@1dc73863535b631f98b2378be8619f83b136f4a0 # v6.17.0
|
||||
uses: docker/build-push-action@14487ce63c7a62a4a324b0bfb37086795e31c6c1 # v6.16.0
|
||||
with:
|
||||
file: cli/Dockerfile
|
||||
platforms: linux/amd64,linux/arm64
|
||||
|
||||
8
.github/workflows/codeql-analysis.yml
vendored
8
.github/workflows/codeql-analysis.yml
vendored
@@ -44,13 +44,13 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout repository
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
# Initializes the CodeQL tools for scanning.
|
||||
- name: Initialize CodeQL
|
||||
uses: github/codeql-action/init@ff0a06e83cb2de871e5a09832bc6a81e7276941f # v3.28.18
|
||||
uses: github/codeql-action/init@60168efe1c415ce0f5521ea06d5c2062adbeed1b # v3
|
||||
with:
|
||||
languages: ${{ matrix.language }}
|
||||
# If you wish to specify custom queries, you can do so here or in a config file.
|
||||
@@ -63,7 +63,7 @@ jobs:
|
||||
# Autobuild attempts to build any compiled languages (C/C++, C#, or Java).
|
||||
# If this step fails, then you should remove it and run the build manually (see below)
|
||||
- name: Autobuild
|
||||
uses: github/codeql-action/autobuild@ff0a06e83cb2de871e5a09832bc6a81e7276941f # v3.28.18
|
||||
uses: github/codeql-action/autobuild@60168efe1c415ce0f5521ea06d5c2062adbeed1b # v3
|
||||
|
||||
# ℹ️ Command-line programs to run using the OS shell.
|
||||
# 📚 See https://docs.github.com/en/actions/using-workflows/workflow-syntax-for-github-actions#jobsjob_idstepsrun
|
||||
@@ -76,6 +76,6 @@ jobs:
|
||||
# ./location_of_script_within_repo/buildscript.sh
|
||||
|
||||
- name: Perform CodeQL Analysis
|
||||
uses: github/codeql-action/analyze@ff0a06e83cb2de871e5a09832bc6a81e7276941f # v3.28.18
|
||||
uses: github/codeql-action/analyze@60168efe1c415ce0f5521ea06d5c2062adbeed1b # v3
|
||||
with:
|
||||
category: '/language:${{matrix.language}}'
|
||||
|
||||
32
.github/workflows/docker.yml
vendored
32
.github/workflows/docker.yml
vendored
@@ -24,11 +24,11 @@ jobs:
|
||||
should_run_ml: ${{ steps.found_paths.outputs.machine-learning == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
- id: found_paths
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3.0.2
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3
|
||||
with:
|
||||
filters: |
|
||||
server:
|
||||
@@ -60,7 +60,7 @@ jobs:
|
||||
suffix: ['', '-cuda', '-rocm', '-openvino', '-armnn', '-rknn']
|
||||
steps:
|
||||
- name: Login to GitHub Container Registry
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3.4.0
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3
|
||||
with:
|
||||
registry: ghcr.io
|
||||
username: ${{ github.repository_owner }}
|
||||
@@ -89,7 +89,7 @@ jobs:
|
||||
suffix: ['']
|
||||
steps:
|
||||
- name: Login to GitHub Container Registry
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3.4.0
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3
|
||||
with:
|
||||
registry: ghcr.io
|
||||
username: ${{ github.repository_owner }}
|
||||
@@ -131,7 +131,7 @@ jobs:
|
||||
tag-suffix: '-rocm'
|
||||
platforms: linux/amd64
|
||||
runner-mapping: '{"linux/amd64": "mich"}'
|
||||
uses: immich-app/devtools/.github/workflows/multi-runner-build.yml@094bfb927b8cd75b343abaac27b3241be0fccfe9 # multi-runner-build-workflow-0.1.0
|
||||
uses: ./.github/workflows/multi-runner-build.yml
|
||||
permissions:
|
||||
contents: read
|
||||
actions: read
|
||||
@@ -154,7 +154,7 @@ jobs:
|
||||
name: Build and Push Server
|
||||
needs: pre-job
|
||||
if: ${{ needs.pre-job.outputs.should_run_server == 'true' }}
|
||||
uses: immich-app/devtools/.github/workflows/multi-runner-build.yml@094bfb927b8cd75b343abaac27b3241be0fccfe9 # multi-runner-build-workflow-0.1.0
|
||||
uses: ./.github/workflows/multi-runner-build.yml
|
||||
permissions:
|
||||
contents: read
|
||||
actions: read
|
||||
@@ -177,9 +177,13 @@ jobs:
|
||||
runs-on: ubuntu-latest
|
||||
if: always()
|
||||
steps:
|
||||
- uses: immich-app/devtools/actions/success-check@6b81b1572e466f7f48ba3c823159ce3f4a4d66a6 # success-check-action-0.0.3
|
||||
with:
|
||||
needs: ${{ toJSON(needs) }}
|
||||
- name: Any jobs failed?
|
||||
if: ${{ contains(needs.*.result, 'failure') }}
|
||||
run: exit 1
|
||||
- name: All jobs passed or skipped
|
||||
if: ${{ !(contains(needs.*.result, 'failure')) }}
|
||||
# zizmor: ignore[template-injection]
|
||||
run: echo "All jobs passed or skipped" && echo "${{ toJSON(needs.*.result) }}"
|
||||
|
||||
success-check-ml:
|
||||
name: Docker Build & Push ML Success
|
||||
@@ -188,6 +192,10 @@ jobs:
|
||||
runs-on: ubuntu-latest
|
||||
if: always()
|
||||
steps:
|
||||
- uses: immich-app/devtools/actions/success-check@6b81b1572e466f7f48ba3c823159ce3f4a4d66a6 # success-check-action-0.0.3
|
||||
with:
|
||||
needs: ${{ toJSON(needs) }}
|
||||
- name: Any jobs failed?
|
||||
if: ${{ contains(needs.*.result, 'failure') }}
|
||||
run: exit 1
|
||||
- name: All jobs passed or skipped
|
||||
if: ${{ !(contains(needs.*.result, 'failure')) }}
|
||||
# zizmor: ignore[template-injection]
|
||||
run: echo "All jobs passed or skipped" && echo "${{ toJSON(needs.*.result) }}"
|
||||
|
||||
10
.github/workflows/docs-build.yml
vendored
10
.github/workflows/docs-build.yml
vendored
@@ -21,11 +21,11 @@ jobs:
|
||||
should_run: ${{ steps.found_paths.outputs.docs == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
- id: found_paths
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3.0.2
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3
|
||||
with:
|
||||
filters: |
|
||||
docs:
|
||||
@@ -49,12 +49,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './docs/.nvmrc'
|
||||
|
||||
@@ -68,7 +68,7 @@ jobs:
|
||||
run: npm run build
|
||||
|
||||
- name: Upload build output
|
||||
uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4.6.2
|
||||
uses: actions/upload-artifact@ea165f8d65b6e75b540449e92b4886f43607fa02 # v4
|
||||
with:
|
||||
name: docs-build-output
|
||||
path: docs/build/
|
||||
|
||||
21
.github/workflows/docs-deploy.yml
vendored
21
.github/workflows/docs-deploy.yml
vendored
@@ -20,7 +20,7 @@ jobs:
|
||||
run: echo 'The triggering workflow did not succeed' && exit 1
|
||||
- name: Get artifact
|
||||
id: get-artifact
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7.0.1
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7
|
||||
with:
|
||||
script: |
|
||||
let allArtifacts = await github.rest.actions.listWorkflowRunArtifacts({
|
||||
@@ -38,7 +38,7 @@ jobs:
|
||||
return { found: true, id: matchArtifact.id };
|
||||
- name: Determine deploy parameters
|
||||
id: parameters
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7.0.1
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7
|
||||
env:
|
||||
HEAD_SHA: ${{ github.event.workflow_run.head_sha }}
|
||||
with:
|
||||
@@ -108,13 +108,13 @@ jobs:
|
||||
if: ${{ fromJson(needs.checks.outputs.artifact).found && fromJson(needs.checks.outputs.parameters).shouldDeploy }}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Load parameters
|
||||
id: parameters
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7.0.1
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7
|
||||
env:
|
||||
PARAM_JSON: ${{ needs.checks.outputs.parameters }}
|
||||
with:
|
||||
@@ -125,7 +125,7 @@ jobs:
|
||||
core.setOutput("shouldDeploy", parameters.shouldDeploy);
|
||||
|
||||
- name: Download artifact
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7.0.1
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7
|
||||
env:
|
||||
ARTIFACT_JSON: ${{ needs.checks.outputs.artifact }}
|
||||
with:
|
||||
@@ -150,7 +150,7 @@ jobs:
|
||||
CLOUDFLARE_API_TOKEN: ${{ secrets.CLOUDFLARE_API_TOKEN }}
|
||||
CLOUDFLARE_ACCOUNT_ID: ${{ secrets.CLOUDFLARE_ACCOUNT_ID }}
|
||||
TF_STATE_POSTGRES_CONN_STR: ${{ secrets.TF_STATE_POSTGRES_CONN_STR }}
|
||||
uses: gruntwork-io/terragrunt-action@aee21a7df999be8b471c2a8564c6cd853cb674e1 # v2.1.8
|
||||
uses: gruntwork-io/terragrunt-action@9559e51d05873b0ea467c42bbabcb5c067642ccc # v2
|
||||
with:
|
||||
tg_version: '0.58.12'
|
||||
tofu_version: '1.7.1'
|
||||
@@ -165,7 +165,7 @@ jobs:
|
||||
CLOUDFLARE_API_TOKEN: ${{ secrets.CLOUDFLARE_API_TOKEN }}
|
||||
CLOUDFLARE_ACCOUNT_ID: ${{ secrets.CLOUDFLARE_ACCOUNT_ID }}
|
||||
TF_STATE_POSTGRES_CONN_STR: ${{ secrets.TF_STATE_POSTGRES_CONN_STR }}
|
||||
uses: gruntwork-io/terragrunt-action@aee21a7df999be8b471c2a8564c6cd853cb674e1 # v2.1.8
|
||||
uses: gruntwork-io/terragrunt-action@9559e51d05873b0ea467c42bbabcb5c067642ccc # v2
|
||||
with:
|
||||
tg_version: '0.58.12'
|
||||
tofu_version: '1.7.1'
|
||||
@@ -181,8 +181,7 @@ jobs:
|
||||
echo "output=$CLEANED" >> $GITHUB_OUTPUT
|
||||
|
||||
- name: Publish to Cloudflare Pages
|
||||
# TODO: Action is deprecated
|
||||
uses: cloudflare/pages-action@f0a1cd58cd66095dee69bfa18fa5efd1dde93bca # v1.5.0
|
||||
uses: cloudflare/pages-action@f0a1cd58cd66095dee69bfa18fa5efd1dde93bca # v1
|
||||
with:
|
||||
apiToken: ${{ secrets.CLOUDFLARE_API_TOKEN_PAGES_UPLOAD }}
|
||||
accountId: ${{ secrets.CLOUDFLARE_ACCOUNT_ID }}
|
||||
@@ -199,7 +198,7 @@ jobs:
|
||||
CLOUDFLARE_API_TOKEN: ${{ secrets.CLOUDFLARE_API_TOKEN }}
|
||||
CLOUDFLARE_ACCOUNT_ID: ${{ secrets.CLOUDFLARE_ACCOUNT_ID }}
|
||||
TF_STATE_POSTGRES_CONN_STR: ${{ secrets.TF_STATE_POSTGRES_CONN_STR }}
|
||||
uses: gruntwork-io/terragrunt-action@aee21a7df999be8b471c2a8564c6cd853cb674e1 # v2.1.8
|
||||
uses: gruntwork-io/terragrunt-action@9559e51d05873b0ea467c42bbabcb5c067642ccc # v2
|
||||
with:
|
||||
tg_version: '0.58.12'
|
||||
tofu_version: '1.7.1'
|
||||
@@ -207,7 +206,7 @@ jobs:
|
||||
tg_command: 'apply'
|
||||
|
||||
- name: Comment
|
||||
uses: actions-cool/maintain-one-comment@4b2dbf086015f892dcb5e8c1106f5fccd6c1476b # v3.2.0
|
||||
uses: actions-cool/maintain-one-comment@4b2dbf086015f892dcb5e8c1106f5fccd6c1476b # v3
|
||||
if: ${{ steps.parameters.outputs.event == 'pr' }}
|
||||
with:
|
||||
number: ${{ fromJson(needs.checks.outputs.parameters).pr_number }}
|
||||
|
||||
6
.github/workflows/docs-destroy.yml
vendored
6
.github/workflows/docs-destroy.yml
vendored
@@ -14,7 +14,7 @@ jobs:
|
||||
pull-requests: write
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
@@ -25,7 +25,7 @@ jobs:
|
||||
CLOUDFLARE_API_TOKEN: ${{ secrets.CLOUDFLARE_API_TOKEN }}
|
||||
CLOUDFLARE_ACCOUNT_ID: ${{ secrets.CLOUDFLARE_ACCOUNT_ID }}
|
||||
TF_STATE_POSTGRES_CONN_STR: ${{ secrets.TF_STATE_POSTGRES_CONN_STR }}
|
||||
uses: gruntwork-io/terragrunt-action@aee21a7df999be8b471c2a8564c6cd853cb674e1 # v2.1.8
|
||||
uses: gruntwork-io/terragrunt-action@9559e51d05873b0ea467c42bbabcb5c067642ccc # v2
|
||||
with:
|
||||
tg_version: '0.58.12'
|
||||
tofu_version: '1.7.1'
|
||||
@@ -33,7 +33,7 @@ jobs:
|
||||
tg_command: 'destroy -refresh=false'
|
||||
|
||||
- name: Comment
|
||||
uses: actions-cool/maintain-one-comment@4b2dbf086015f892dcb5e8c1106f5fccd6c1476b # v3.2.0
|
||||
uses: actions-cool/maintain-one-comment@4b2dbf086015f892dcb5e8c1106f5fccd6c1476b # v3
|
||||
with:
|
||||
number: ${{ github.event.number }}
|
||||
delete: true
|
||||
|
||||
10
.github/workflows/fix-format.yml
vendored
10
.github/workflows/fix-format.yml
vendored
@@ -16,20 +16,20 @@ jobs:
|
||||
steps:
|
||||
- name: Generate a token
|
||||
id: generate-token
|
||||
uses: actions/create-github-app-token@df432ceedc7162793a195dd1713ff69aefc7379e # v2.0.6
|
||||
uses: actions/create-github-app-token@df432ceedc7162793a195dd1713ff69aefc7379e # v2
|
||||
with:
|
||||
app-id: ${{ secrets.PUSH_O_MATIC_APP_ID }}
|
||||
private-key: ${{ secrets.PUSH_O_MATIC_APP_KEY }}
|
||||
|
||||
- name: 'Checkout'
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
ref: ${{ github.event.pull_request.head.ref }}
|
||||
token: ${{ steps.generate-token.outputs.token }}
|
||||
persist-credentials: true
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './server/.nvmrc'
|
||||
|
||||
@@ -37,13 +37,13 @@ jobs:
|
||||
run: make install-all && make format-all
|
||||
|
||||
- name: Commit and push
|
||||
uses: EndBug/add-and-commit@a94899bca583c204427a224a7af87c02f9b325d5 # v9.1.4
|
||||
uses: EndBug/add-and-commit@a94899bca583c204427a224a7af87c02f9b325d5 # v9
|
||||
with:
|
||||
default_author: github_actions
|
||||
message: 'chore: fix formatting'
|
||||
|
||||
- name: Remove label
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7.0.1
|
||||
uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7
|
||||
if: always()
|
||||
with:
|
||||
script: |
|
||||
|
||||
185
.github/workflows/multi-runner-build.yml
vendored
Normal file
185
.github/workflows/multi-runner-build.yml
vendored
Normal file
@@ -0,0 +1,185 @@
|
||||
name: 'Multi-runner container image build'
|
||||
on:
|
||||
workflow_call:
|
||||
inputs:
|
||||
image:
|
||||
description: 'Name of the image'
|
||||
type: string
|
||||
required: true
|
||||
context:
|
||||
description: 'Path to build context'
|
||||
type: string
|
||||
required: true
|
||||
dockerfile:
|
||||
description: 'Path to Dockerfile'
|
||||
type: string
|
||||
required: true
|
||||
tag-suffix:
|
||||
description: 'Suffix to append to the image tag'
|
||||
type: string
|
||||
default: ''
|
||||
dockerhub-push:
|
||||
description: 'Push to Docker Hub'
|
||||
type: boolean
|
||||
default: false
|
||||
build-args:
|
||||
description: 'Docker build arguments'
|
||||
type: string
|
||||
required: false
|
||||
platforms:
|
||||
description: 'Platforms to build for'
|
||||
type: string
|
||||
runner-mapping:
|
||||
description: 'Mapping from platforms to runners'
|
||||
type: string
|
||||
secrets:
|
||||
DOCKERHUB_USERNAME:
|
||||
required: false
|
||||
DOCKERHUB_TOKEN:
|
||||
required: false
|
||||
|
||||
env:
|
||||
GHCR_IMAGE: ghcr.io/${{ github.repository_owner }}/${{ inputs.image }}
|
||||
DOCKERHUB_IMAGE: altran1502/${{ inputs.image }}
|
||||
|
||||
jobs:
|
||||
matrix:
|
||||
name: 'Generate matrix'
|
||||
runs-on: ubuntu-latest
|
||||
outputs:
|
||||
matrix: ${{ steps.matrix.outputs.matrix }}
|
||||
key: ${{ steps.artifact-key.outputs.base }}
|
||||
steps:
|
||||
- name: Generate build matrix
|
||||
id: matrix
|
||||
shell: bash
|
||||
env:
|
||||
PLATFORMS: ${{ inputs.platforms || 'linux/amd64,linux/arm64' }}
|
||||
RUNNER_MAPPING: ${{ inputs.runner-mapping || '{"linux/amd64":"ubuntu-latest","linux/arm64":"ubuntu-24.04-arm"}' }}
|
||||
run: |
|
||||
matrix=$(jq -R -c \
|
||||
--argjson runner_mapping "${RUNNER_MAPPING}" \
|
||||
'split(",") | map({platform: ., runner: $runner_mapping[.]})' \
|
||||
<<< "${PLATFORMS}")
|
||||
echo "${matrix}"
|
||||
echo "matrix=${matrix}" >> $GITHUB_OUTPUT
|
||||
|
||||
- name: Determine artifact key
|
||||
id: artifact-key
|
||||
shell: bash
|
||||
env:
|
||||
IMAGE: ${{ inputs.image }}
|
||||
SUFFIX: ${{ inputs.tag-suffix }}
|
||||
run: |
|
||||
if [[ -n "${SUFFIX}" ]]; then
|
||||
base="${IMAGE}${SUFFIX}-digests"
|
||||
else
|
||||
base="${IMAGE}-digests"
|
||||
fi
|
||||
echo "${base}"
|
||||
echo "base=${base}" >> $GITHUB_OUTPUT
|
||||
|
||||
build:
|
||||
needs: matrix
|
||||
runs-on: ${{ matrix.runner }}
|
||||
permissions:
|
||||
contents: read
|
||||
packages: write
|
||||
strategy:
|
||||
fail-fast: false
|
||||
matrix:
|
||||
include: ${{ fromJson(needs.matrix.outputs.matrix) }}
|
||||
steps:
|
||||
- name: Checkout
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- uses: ./.github/actions/image-build
|
||||
with:
|
||||
context: ${{ inputs.context }}
|
||||
dockerfile: ${{ inputs.dockerfile }}
|
||||
image: ${{ env.GHCR_IMAGE }}
|
||||
ghcr-token: ${{ secrets.GITHUB_TOKEN }}
|
||||
platform: ${{ matrix.platform }}
|
||||
artifact-key-base: ${{ needs.matrix.outputs.key }}
|
||||
build-args: ${{ inputs.build-args }}
|
||||
|
||||
merge:
|
||||
needs: [matrix, build]
|
||||
runs-on: ubuntu-latest
|
||||
if: ${{ !github.event.pull_request.head.repo.fork }}
|
||||
permissions:
|
||||
contents: read
|
||||
actions: read
|
||||
packages: write
|
||||
steps:
|
||||
- name: Download digests
|
||||
uses: actions/download-artifact@95815c38cf2ff2164869cbab79da8d1f422bc89e # v4
|
||||
with:
|
||||
path: ${{ runner.temp }}/digests
|
||||
pattern: ${{ needs.matrix.outputs.key }}-*
|
||||
merge-multiple: true
|
||||
|
||||
- name: Login to Docker Hub
|
||||
if: ${{ inputs.dockerhub-push }}
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3
|
||||
with:
|
||||
username: ${{ secrets.DOCKERHUB_USERNAME }}
|
||||
password: ${{ secrets.DOCKERHUB_TOKEN }}
|
||||
|
||||
- name: Login to GHCR
|
||||
uses: docker/login-action@74a5d142397b4f367a81961eba4e8cd7edddf772 # v3
|
||||
with:
|
||||
registry: ghcr.io
|
||||
username: ${{ github.repository_owner }}
|
||||
password: ${{ secrets.GITHUB_TOKEN }}
|
||||
|
||||
- name: Set up Docker Buildx
|
||||
uses: docker/setup-buildx-action@b5ca514318bd6ebac0fb2aedd5d36ec1b5c232a2 # v3
|
||||
|
||||
- name: Generate docker image tags
|
||||
id: meta
|
||||
uses: docker/metadata-action@902fa8ec7d6ecbf8d84d538b9b233a880e428804 # v5
|
||||
env:
|
||||
DOCKER_METADATA_PR_HEAD_SHA: 'true'
|
||||
with:
|
||||
flavor: |
|
||||
# Disable latest tag
|
||||
latest=false
|
||||
suffix=${{ inputs.tag-suffix }}
|
||||
images: |
|
||||
name=${{ env.GHCR_IMAGE }}
|
||||
name=${{ env.DOCKERHUB_IMAGE }},enable=${{ inputs.dockerhub-push }}
|
||||
tags: |
|
||||
# Tag with branch name
|
||||
type=ref,event=branch
|
||||
# Tag with pr-number
|
||||
type=ref,event=pr
|
||||
# Tag with long commit sha hash
|
||||
type=sha,format=long,prefix=commit-
|
||||
# Tag with git tag on release
|
||||
type=ref,event=tag
|
||||
type=raw,value=release,enable=${{ github.event_name == 'release' }}
|
||||
|
||||
- name: Create manifest list and push
|
||||
working-directory: ${{ runner.temp }}/digests
|
||||
run: |
|
||||
# Process annotations
|
||||
declare -a ANNOTATIONS=()
|
||||
if [[ -n "$DOCKER_METADATA_OUTPUT_JSON" ]]; then
|
||||
while IFS= read -r annotation; do
|
||||
# Extract key and value by removing the manifest: prefix
|
||||
if [[ "$annotation" =~ ^manifest:(.+)=(.+)$ ]]; then
|
||||
key="${BASH_REMATCH[1]}"
|
||||
value="${BASH_REMATCH[2]}"
|
||||
# Use array to properly handle arguments with spaces
|
||||
ANNOTATIONS+=(--annotation "index:$key=$value")
|
||||
fi
|
||||
done < <(jq -r '.annotations[]' <<< "$DOCKER_METADATA_OUTPUT_JSON")
|
||||
fi
|
||||
|
||||
TAGS=$(jq -cr '.tags | map("-t " + .) | join(" ")' <<< "$DOCKER_METADATA_OUTPUT_JSON") \
|
||||
SOURCE_ARGS=$(printf "${GHCR_IMAGE}@sha256:%s " *)
|
||||
|
||||
docker buildx imagetools create $TAGS "${ANNOTATIONS[@]}" $SOURCE_ARGS
|
||||
2
.github/workflows/pr-label-validation.yml
vendored
2
.github/workflows/pr-label-validation.yml
vendored
@@ -14,7 +14,7 @@ jobs:
|
||||
pull-requests: write
|
||||
steps:
|
||||
- name: Require PR to have a changelog label
|
||||
uses: mheap/github-action-required-labels@fb29a14a076b0f74099f6198f77750e8fc236016 # v5.5.0
|
||||
uses: mheap/github-action-required-labels@388fd6af37b34cdfe5a23b37060e763217e58b03 # v5
|
||||
with:
|
||||
mode: exactly
|
||||
count: 1
|
||||
|
||||
2
.github/workflows/pr-labeler.yml
vendored
2
.github/workflows/pr-labeler.yml
vendored
@@ -11,4 +11,4 @@ jobs:
|
||||
pull-requests: write
|
||||
runs-on: ubuntu-latest
|
||||
steps:
|
||||
- uses: actions/labeler@8558fd74291d67161a8a78ce36a881fa63b766a9 # v5.0.0
|
||||
- uses: actions/labeler@8558fd74291d67161a8a78ce36a881fa63b766a9 # v5
|
||||
|
||||
16
.github/workflows/prepare-release.yml
vendored
16
.github/workflows/prepare-release.yml
vendored
@@ -32,19 +32,19 @@ jobs:
|
||||
steps:
|
||||
- name: Generate a token
|
||||
id: generate-token
|
||||
uses: actions/create-github-app-token@df432ceedc7162793a195dd1713ff69aefc7379e # v2.0.6
|
||||
uses: actions/create-github-app-token@df432ceedc7162793a195dd1713ff69aefc7379e # v2
|
||||
with:
|
||||
app-id: ${{ secrets.PUSH_O_MATIC_APP_ID }}
|
||||
private-key: ${{ secrets.PUSH_O_MATIC_APP_KEY }}
|
||||
|
||||
- name: Checkout
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
token: ${{ steps.generate-token.outputs.token }}
|
||||
persist-credentials: true
|
||||
|
||||
- name: Install uv
|
||||
uses: astral-sh/setup-uv@d4b2f3b6ecc6e67c4457f6d3e41ec42d3d0fcb86 # v5.4.2
|
||||
uses: astral-sh/setup-uv@d4b2f3b6ecc6e67c4457f6d3e41ec42d3d0fcb86 # v5
|
||||
|
||||
- name: Bump version
|
||||
env:
|
||||
@@ -54,7 +54,7 @@ jobs:
|
||||
|
||||
- name: Commit and tag
|
||||
id: push-tag
|
||||
uses: EndBug/add-and-commit@a94899bca583c204427a224a7af87c02f9b325d5 # v9.1.4
|
||||
uses: EndBug/add-and-commit@a94899bca583c204427a224a7af87c02f9b325d5 # v9
|
||||
with:
|
||||
default_author: github_actions
|
||||
message: 'chore: version ${{ env.IMMICH_VERSION }}'
|
||||
@@ -83,24 +83,24 @@ jobs:
|
||||
steps:
|
||||
- name: Generate a token
|
||||
id: generate-token
|
||||
uses: actions/create-github-app-token@df432ceedc7162793a195dd1713ff69aefc7379e # v2.0.6
|
||||
uses: actions/create-github-app-token@df432ceedc7162793a195dd1713ff69aefc7379e # v2
|
||||
with:
|
||||
app-id: ${{ secrets.PUSH_O_MATIC_APP_ID }}
|
||||
private-key: ${{ secrets.PUSH_O_MATIC_APP_KEY }}
|
||||
|
||||
- name: Checkout
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
token: ${{ steps.generate-token.outputs.token }}
|
||||
persist-credentials: false
|
||||
|
||||
- name: Download APK
|
||||
uses: actions/download-artifact@d3f86a106a0bac45b974a628896c90dbdf5c8093 # v4.3.0
|
||||
uses: actions/download-artifact@d3f86a106a0bac45b974a628896c90dbdf5c8093 # v4
|
||||
with:
|
||||
name: release-apk-signed
|
||||
|
||||
- name: Create draft release
|
||||
uses: softprops/action-gh-release@da05d552573ad5aba039eaac05058a918a7bf631 # v2.2.2
|
||||
uses: softprops/action-gh-release@da05d552573ad5aba039eaac05058a918a7bf631 # v2
|
||||
with:
|
||||
draft: true
|
||||
tag_name: ${{ env.IMMICH_VERSION }}
|
||||
|
||||
4
.github/workflows/preview-label.yaml
vendored
4
.github/workflows/preview-label.yaml
vendored
@@ -13,7 +13,7 @@ jobs:
|
||||
permissions:
|
||||
pull-requests: write
|
||||
steps:
|
||||
- uses: mshick/add-pr-comment@b8f338c590a895d50bcbfa6c5859251edc8952fc # v2.8.2
|
||||
- uses: mshick/add-pr-comment@b8f338c590a895d50bcbfa6c5859251edc8952fc # v2
|
||||
with:
|
||||
message-id: 'preview-status'
|
||||
message: 'Deploying preview environment to https://pr-${{ github.event.pull_request.number }}.preview.internal.immich.cloud/'
|
||||
@@ -24,7 +24,7 @@ jobs:
|
||||
permissions:
|
||||
pull-requests: write
|
||||
steps:
|
||||
- uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7.0.1
|
||||
- uses: actions/github-script@60a0d83039c74a4aee543508d2ffcb1c3799cdea # v7
|
||||
with:
|
||||
script: |
|
||||
github.rest.issues.removeLabel({
|
||||
|
||||
4
.github/workflows/sdk.yml
vendored
4
.github/workflows/sdk.yml
vendored
@@ -16,12 +16,12 @@ jobs:
|
||||
run:
|
||||
working-directory: ./open-api/typescript-sdk
|
||||
steps:
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
# Setup .npmrc file to publish to npm
|
||||
- uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
- uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './open-api/typescript-sdk/.nvmrc'
|
||||
registry-url: 'https://registry.npmjs.org'
|
||||
|
||||
34
.github/workflows/static_analysis.yml
vendored
34
.github/workflows/static_analysis.yml
vendored
@@ -20,11 +20,11 @@ jobs:
|
||||
should_run: ${{ steps.found_paths.outputs.mobile == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
- id: found_paths
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3.0.2
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3
|
||||
with:
|
||||
filters: |
|
||||
mobile:
|
||||
@@ -44,12 +44,12 @@ jobs:
|
||||
contents: read
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Flutter SDK
|
||||
uses: subosito/flutter-action@e938fdf56512cc96ef2f93601a5a40bde3801046 # v2.19.0
|
||||
uses: subosito/flutter-action@e938fdf56512cc96ef2f93601a5a40bde3801046 # v2
|
||||
with:
|
||||
channel: 'stable'
|
||||
flutter-version-file: ./mobile/pubspec.yaml
|
||||
@@ -58,28 +58,16 @@ jobs:
|
||||
run: dart pub get
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Install DCM
|
||||
run: |
|
||||
sudo apt-get update
|
||||
wget -qO- https://dcm.dev/pgp-key.public | sudo gpg --dearmor -o /usr/share/keyrings/dcm.gpg
|
||||
echo 'deb [signed-by=/usr/share/keyrings/dcm.gpg arch=amd64] https://dcm.dev/debian stable main' | sudo tee /etc/apt/sources.list.d/dart_stable.list
|
||||
sudo apt-get update
|
||||
sudo apt-get install dcm
|
||||
|
||||
- name: Generate translation file
|
||||
run: make translation
|
||||
run: make translation; dart format lib/generated/codegen_loader.g.dart
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Run Build Runner
|
||||
run: make build
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Generate platform API
|
||||
run: make pigeon
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Find file changes
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20.0.4
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20
|
||||
id: verify-changed-files
|
||||
with:
|
||||
files: |
|
||||
@@ -108,10 +96,6 @@ jobs:
|
||||
run: dart run custom_lint
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Run DCM
|
||||
run: dcm analyze lib
|
||||
working-directory: ./mobile
|
||||
|
||||
zizmor:
|
||||
name: zizmor
|
||||
runs-on: ubuntu-latest
|
||||
@@ -121,12 +105,12 @@ jobs:
|
||||
actions: read
|
||||
steps:
|
||||
- name: Checkout repository
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Install the latest version of uv
|
||||
uses: astral-sh/setup-uv@d4b2f3b6ecc6e67c4457f6d3e41ec42d3d0fcb86 # v5.4.2
|
||||
uses: astral-sh/setup-uv@d4b2f3b6ecc6e67c4457f6d3e41ec42d3d0fcb86 # v5
|
||||
|
||||
- name: Run zizmor 🌈
|
||||
run: uvx zizmor --format=sarif . > results.sarif
|
||||
@@ -134,7 +118,7 @@ jobs:
|
||||
GH_TOKEN: ${{ secrets.GITHUB_TOKEN }}
|
||||
|
||||
- name: Upload SARIF file
|
||||
uses: github/codeql-action/upload-sarif@ff0a06e83cb2de871e5a09832bc6a81e7276941f # v3.28.18
|
||||
uses: github/codeql-action/upload-sarif@60168efe1c415ce0f5521ea06d5c2062adbeed1b # v3
|
||||
with:
|
||||
sarif_file: results.sarif
|
||||
category: zizmor
|
||||
|
||||
130
.github/workflows/test.yml
vendored
130
.github/workflows/test.yml
vendored
@@ -17,7 +17,6 @@ jobs:
|
||||
permissions:
|
||||
contents: read
|
||||
outputs:
|
||||
should_run_i18n: ${{ steps.found_paths.outputs.i18n == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
should_run_web: ${{ steps.found_paths.outputs.web == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
should_run_server: ${{ steps.found_paths.outputs.server == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
should_run_cli: ${{ steps.found_paths.outputs.cli == 'true' || steps.should_force.outputs.should_force == 'true' }}
|
||||
@@ -29,16 +28,14 @@ jobs:
|
||||
should_run_.github: ${{ steps.found_paths.outputs['.github'] == 'true' || steps.should_force.outputs.should_force == 'true' }} # redundant to have should_force but if someone changes the trigger then this won't have to be changed
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- id: found_paths
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3.0.2
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3
|
||||
with:
|
||||
filters: |
|
||||
i18n:
|
||||
- 'i18n/**'
|
||||
web:
|
||||
- 'web/**'
|
||||
- 'i18n/**'
|
||||
@@ -76,12 +73,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './server/.nvmrc'
|
||||
|
||||
@@ -117,12 +114,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './cli/.nvmrc'
|
||||
|
||||
@@ -162,12 +159,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './cli/.nvmrc'
|
||||
|
||||
@@ -200,12 +197,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './web/.nvmrc'
|
||||
|
||||
@@ -241,12 +238,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './web/.nvmrc'
|
||||
|
||||
@@ -265,46 +262,6 @@ jobs:
|
||||
run: npm run test:cov
|
||||
if: ${{ !cancelled() }}
|
||||
|
||||
i18n-tests:
|
||||
name: Test i18n
|
||||
needs: pre-job
|
||||
if: ${{ needs.pre-job.outputs.should_run_i18n == 'true' }}
|
||||
runs-on: ubuntu-latest
|
||||
permissions:
|
||||
contents: read
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
with:
|
||||
node-version-file: './web/.nvmrc'
|
||||
|
||||
- name: Install dependencies
|
||||
run: npm --prefix=web ci
|
||||
|
||||
- name: Format
|
||||
run: npm --prefix=web run format:i18n
|
||||
|
||||
- name: Find file changes
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20.0.4
|
||||
id: verify-changed-files
|
||||
with:
|
||||
files: |
|
||||
i18n/**
|
||||
|
||||
- name: Verify files have not changed
|
||||
if: steps.verify-changed-files.outputs.files_changed == 'true'
|
||||
env:
|
||||
CHANGED_FILES: ${{ steps.verify-changed-files.outputs.changed_files }}
|
||||
run: |
|
||||
echo "ERROR: i18n files not up to date!"
|
||||
echo "Changed files: ${CHANGED_FILES}"
|
||||
exit 1
|
||||
|
||||
e2e-tests-lint:
|
||||
name: End-to-End Lint
|
||||
needs: pre-job
|
||||
@@ -318,12 +275,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './e2e/.nvmrc'
|
||||
|
||||
@@ -361,12 +318,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './server/.nvmrc'
|
||||
|
||||
@@ -393,13 +350,13 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
submodules: 'recursive'
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './e2e/.nvmrc'
|
||||
|
||||
@@ -441,13 +398,13 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
submodules: 'recursive'
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './e2e/.nvmrc'
|
||||
|
||||
@@ -479,9 +436,13 @@ jobs:
|
||||
runs-on: ubuntu-latest
|
||||
if: always()
|
||||
steps:
|
||||
- uses: immich-app/devtools/actions/success-check@6b81b1572e466f7f48ba3c823159ce3f4a4d66a6 # success-check-action-0.0.3
|
||||
with:
|
||||
needs: ${{ toJSON(needs) }}
|
||||
- name: Any jobs failed?
|
||||
if: ${{ contains(needs.*.result, 'failure') }}
|
||||
run: exit 1
|
||||
- name: All jobs passed or skipped
|
||||
if: ${{ !(contains(needs.*.result, 'failure')) }}
|
||||
# zizmor: ignore[template-injection]
|
||||
run: echo "All jobs passed or skipped" && echo "${{ toJSON(needs.*.result) }}"
|
||||
|
||||
mobile-unit-tests:
|
||||
name: Unit Test Mobile
|
||||
@@ -491,20 +452,15 @@ jobs:
|
||||
permissions:
|
||||
contents: read
|
||||
steps:
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Flutter SDK
|
||||
uses: subosito/flutter-action@e938fdf56512cc96ef2f93601a5a40bde3801046 # v2.19.0
|
||||
uses: subosito/flutter-action@e938fdf56512cc96ef2f93601a5a40bde3801046 # v2
|
||||
with:
|
||||
channel: 'stable'
|
||||
flutter-version-file: ./mobile/pubspec.yaml
|
||||
|
||||
- name: Generate translation file
|
||||
run: make translation
|
||||
working-directory: ./mobile
|
||||
|
||||
- name: Run tests
|
||||
working-directory: ./mobile
|
||||
run: flutter test -j 1
|
||||
@@ -520,13 +476,13 @@ jobs:
|
||||
run:
|
||||
working-directory: ./machine-learning
|
||||
steps:
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Install uv
|
||||
uses: astral-sh/setup-uv@d4b2f3b6ecc6e67c4457f6d3e41ec42d3d0fcb86 # v5.4.2
|
||||
- uses: actions/setup-python@a26af69be951a213d495a4c3e4e4022e16d87065 # v5.6.0
|
||||
uses: astral-sh/setup-uv@d4b2f3b6ecc6e67c4457f6d3e41ec42d3d0fcb86 # v5
|
||||
- uses: actions/setup-python@a26af69be951a213d495a4c3e4e4022e16d87065 # v5
|
||||
# TODO: add caching when supported (https://github.com/actions/setup-python/pull/818)
|
||||
# with:
|
||||
# python-version: 3.11
|
||||
@@ -560,12 +516,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './.github/.nvmrc'
|
||||
|
||||
@@ -582,7 +538,7 @@ jobs:
|
||||
permissions:
|
||||
contents: read
|
||||
steps:
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
- uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
@@ -601,12 +557,12 @@ jobs:
|
||||
contents: read
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './server/.nvmrc'
|
||||
|
||||
@@ -620,7 +576,7 @@ jobs:
|
||||
run: make open-api
|
||||
|
||||
- name: Find file changes
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20.0.4
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20
|
||||
id: verify-changed-files
|
||||
with:
|
||||
files: |
|
||||
@@ -644,7 +600,7 @@ jobs:
|
||||
contents: read
|
||||
services:
|
||||
postgres:
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.4.1
|
||||
image: tensorchord/vchord-postgres:pg14-v0.3.0
|
||||
env:
|
||||
POSTGRES_PASSWORD: postgres
|
||||
POSTGRES_USER: postgres
|
||||
@@ -662,12 +618,12 @@ jobs:
|
||||
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
|
||||
- name: Setup Node
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4.4.0
|
||||
uses: actions/setup-node@49933ea5288caeca8642d1e84afbd3f7d6820020 # v4
|
||||
with:
|
||||
node-version-file: './server/.nvmrc'
|
||||
|
||||
@@ -688,7 +644,7 @@ jobs:
|
||||
run: npm run migrations:generate src/TestMigration
|
||||
|
||||
- name: Find file changes
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20.0.4
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20
|
||||
id: verify-changed-files
|
||||
with:
|
||||
files: |
|
||||
@@ -709,7 +665,7 @@ jobs:
|
||||
DB_URL: postgres://postgres:postgres@localhost:5432/immich
|
||||
|
||||
- name: Find file changes
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20.0.4
|
||||
uses: tj-actions/verify-changed-files@a1c6acee9df209257a246f2cc6ae8cb6581c1edf # v20
|
||||
id: verify-changed-sql-files
|
||||
with:
|
||||
files: |
|
||||
|
||||
16
.github/workflows/weblate-lock.yml
vendored
16
.github/workflows/weblate-lock.yml
vendored
@@ -15,11 +15,11 @@ jobs:
|
||||
should_run: ${{ steps.found_paths.outputs.i18n == 'true' && github.head_ref != 'chore/translations'}}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4.2.2
|
||||
uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4
|
||||
with:
|
||||
persist-credentials: false
|
||||
- id: found_paths
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3.0.2
|
||||
uses: dorny/paths-filter@de90cc6fb38fc0963ad72b210f1f284cd68cea36 # v3
|
||||
with:
|
||||
filters: |
|
||||
i18n:
|
||||
@@ -38,7 +38,7 @@ jobs:
|
||||
exit 1
|
||||
fi
|
||||
- name: Find Pull Request
|
||||
uses: juliangruber/find-pull-request-action@48b6133aa6c826f267ebd33aa2d29470f9d9e7d0 # v1.9.0
|
||||
uses: juliangruber/find-pull-request-action@48b6133aa6c826f267ebd33aa2d29470f9d9e7d0 # v1
|
||||
id: find-pr
|
||||
with:
|
||||
branch: chore/translations
|
||||
@@ -52,6 +52,10 @@ jobs:
|
||||
permissions: {}
|
||||
if: always()
|
||||
steps:
|
||||
- uses: immich-app/devtools/actions/success-check@6b81b1572e466f7f48ba3c823159ce3f4a4d66a6 # success-check-action-0.0.3
|
||||
with:
|
||||
needs: ${{ toJSON(needs) }}
|
||||
- name: Any jobs failed?
|
||||
if: ${{ contains(needs.*.result, 'failure') }}
|
||||
run: exit 1
|
||||
- name: All jobs passed or skipped
|
||||
if: ${{ !(contains(needs.*.result, 'failure')) }}
|
||||
# zizmor: ignore[template-injection]
|
||||
run: echo "All jobs passed or skipped" && echo "${{ toJSON(needs.*.result) }}"
|
||||
|
||||
1
.gitignore
vendored
1
.gitignore
vendored
@@ -3,7 +3,6 @@
|
||||
.DS_Store
|
||||
.vscode/*
|
||||
!.vscode/launch.json
|
||||
!.vscode/extensions.json
|
||||
.idea
|
||||
|
||||
docker/upload
|
||||
|
||||
10
.vscode/extensions.json
vendored
10
.vscode/extensions.json
vendored
@@ -1,10 +0,0 @@
|
||||
{
|
||||
"recommendations": [
|
||||
"esbenp.prettier-vscode",
|
||||
"svelte.svelte-vscode",
|
||||
"dbaeumer.vscode-eslint",
|
||||
"dart-code.flutter",
|
||||
"dart-code.dart-code",
|
||||
"dcmdev.dcm-vscode-extension"
|
||||
]
|
||||
}
|
||||
@@ -1 +1 @@
|
||||
22.16.0
|
||||
22.14.0
|
||||
|
||||
@@ -1,4 +1,4 @@
|
||||
FROM node:22.16.0-alpine3.20@sha256:2289fb1fba0f4633b08ec47b94a89c7e20b829fc5679f9b7b298eaa2f1ed8b7e AS core
|
||||
FROM node:22.15.0-alpine3.20@sha256:686b8892b69879ef5bfd6047589666933508f9a5451c67320df3070ba0e9807b AS core
|
||||
|
||||
WORKDIR /usr/src/open-api/typescript-sdk
|
||||
COPY open-api/typescript-sdk/package*.json open-api/typescript-sdk/tsconfig*.json ./
|
||||
|
||||
1528
cli/package-lock.json
generated
1528
cli/package-lock.json
generated
File diff suppressed because it is too large
Load Diff
@@ -1,6 +1,6 @@
|
||||
{
|
||||
"name": "@immich/cli",
|
||||
"version": "2.2.68",
|
||||
"version": "2.2.65",
|
||||
"description": "Command Line Interface (CLI) for Immich",
|
||||
"type": "module",
|
||||
"exports": "./dist/index.js",
|
||||
@@ -21,7 +21,7 @@
|
||||
"@types/lodash-es": "^4.17.12",
|
||||
"@types/micromatch": "^4.0.9",
|
||||
"@types/mock-fs": "^4.13.1",
|
||||
"@types/node": "^22.15.29",
|
||||
"@types/node": "^22.14.1",
|
||||
"@vitest/coverage-v8": "^3.0.0",
|
||||
"byte-size": "^9.0.0",
|
||||
"cli-progress": "^3.12.0",
|
||||
@@ -29,7 +29,7 @@
|
||||
"eslint": "^9.14.0",
|
||||
"eslint-config-prettier": "^10.0.0",
|
||||
"eslint-plugin-prettier": "^5.1.3",
|
||||
"eslint-plugin-unicorn": "^59.0.0",
|
||||
"eslint-plugin-unicorn": "^57.0.0",
|
||||
"globals": "^16.0.0",
|
||||
"mock-fs": "^5.2.0",
|
||||
"prettier": "^3.2.5",
|
||||
@@ -69,6 +69,6 @@
|
||||
"micromatch": "^4.0.8"
|
||||
},
|
||||
"volta": {
|
||||
"node": "22.16.0"
|
||||
"node": "22.14.0"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -43,7 +43,6 @@ export interface UploadOptionsDto {
|
||||
concurrency: number;
|
||||
progress?: boolean;
|
||||
watch?: boolean;
|
||||
jsonOutput?: boolean;
|
||||
}
|
||||
|
||||
class UploadFile extends File {
|
||||
@@ -66,9 +65,6 @@ class UploadFile extends File {
|
||||
const uploadBatch = async (files: string[], options: UploadOptionsDto) => {
|
||||
const { newFiles, duplicates } = await checkForDuplicates(files, options);
|
||||
const newAssets = await uploadFiles(newFiles, options);
|
||||
if (options.jsonOutput) {
|
||||
console.log(JSON.stringify({ newFiles, duplicates, newAssets }, undefined, 4));
|
||||
}
|
||||
await updateAlbums([...newAssets, ...duplicates], options);
|
||||
await deleteFiles(newFiles, options);
|
||||
};
|
||||
|
||||
@@ -68,11 +68,6 @@ program
|
||||
.env('IMMICH_UPLOAD_CONCURRENCY')
|
||||
.default(4),
|
||||
)
|
||||
.addOption(
|
||||
new Option('-j, --json-output', 'Output detailed information in json format')
|
||||
.env('IMMICH_JSON_OUTPUT')
|
||||
.default(false),
|
||||
)
|
||||
.addOption(new Option('--delete', 'Delete local assets after upload').env('IMMICH_DELETE_ASSETS'))
|
||||
.addOption(new Option('--no-progress', 'Hide progress bars').env('IMMICH_PROGRESS_BAR').default(true))
|
||||
.addOption(
|
||||
|
||||
@@ -16,7 +16,7 @@ name: immich-dev
|
||||
services:
|
||||
immich-server:
|
||||
container_name: immich_server
|
||||
command: [ '/usr/src/app/bin/immich-dev' ]
|
||||
command: ['/usr/src/app/bin/immich-dev']
|
||||
image: immich-server-dev:latest
|
||||
# extends:
|
||||
# file: hwaccel.transcoding.yml
|
||||
@@ -48,7 +48,7 @@ services:
|
||||
IMMICH_THIRD_PARTY_SOURCE_URL: https://github.com/immich-app/immich/
|
||||
IMMICH_THIRD_PARTY_BUG_FEATURE_URL: https://github.com/immich-app/immich/issues
|
||||
IMMICH_THIRD_PARTY_DOCUMENTATION_URL: https://immich.app/docs
|
||||
IMMICH_THIRD_PARTY_SUPPORT_URL: https://immich.app/docs/community-guides
|
||||
IMMICH_THIRD_PARTY_SUPPORT_URL: https://immich.app/docs/third-party
|
||||
ulimits:
|
||||
nofile:
|
||||
soft: 1048576
|
||||
@@ -70,7 +70,7 @@ services:
|
||||
# user: 0:0
|
||||
build:
|
||||
context: ../web
|
||||
command: [ '/usr/src/app/bin/immich-web' ]
|
||||
command: ['/usr/src/app/bin/immich-web']
|
||||
env_file:
|
||||
- .env
|
||||
ports:
|
||||
@@ -116,13 +116,13 @@ services:
|
||||
|
||||
redis:
|
||||
container_name: immich_redis
|
||||
image: docker.io/valkey/valkey:8-bookworm@sha256:a19bebed6a91bd5e6e2106fef015f9602a3392deeb7c9ed47548378dcee3dfc2
|
||||
image: docker.io/valkey/valkey:8-bookworm@sha256:4a9f847af90037d59b34cd4d4ad14c6e055f46540cf4ff757aaafb266060fa28
|
||||
healthcheck:
|
||||
test: redis-cli ping || exit 1
|
||||
|
||||
database:
|
||||
container_name: immich_postgres
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.4.1-pgvectors0.2.0
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.3.0-pgvectors0.2.0
|
||||
env_file:
|
||||
- .env
|
||||
environment:
|
||||
@@ -134,6 +134,7 @@ services:
|
||||
- ${UPLOAD_LOCATION}/postgres:/var/lib/postgresql/data
|
||||
ports:
|
||||
- 5432:5432
|
||||
|
||||
# set IMMICH_TELEMETRY_INCLUDE=all in .env to enable metrics
|
||||
# immich-prometheus:
|
||||
# container_name: immich_prometheus
|
||||
|
||||
@@ -56,14 +56,14 @@ services:
|
||||
|
||||
redis:
|
||||
container_name: immich_redis
|
||||
image: docker.io/valkey/valkey:8-bookworm@sha256:a19bebed6a91bd5e6e2106fef015f9602a3392deeb7c9ed47548378dcee3dfc2
|
||||
image: docker.io/valkey/valkey:8-bookworm@sha256:4a9f847af90037d59b34cd4d4ad14c6e055f46540cf4ff757aaafb266060fa28
|
||||
healthcheck:
|
||||
test: redis-cli ping || exit 1
|
||||
restart: always
|
||||
|
||||
database:
|
||||
container_name: immich_postgres
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.4.1-pgvectors0.2.0
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.3.0-pgvectors0.2.0
|
||||
env_file:
|
||||
- .env
|
||||
environment:
|
||||
@@ -82,7 +82,7 @@ services:
|
||||
container_name: immich_prometheus
|
||||
ports:
|
||||
- 9090:9090
|
||||
image: prom/prometheus@sha256:9abc6cf6aea7710d163dbb28d8eeb7dc5baef01e38fa4cd146a406dd9f07f70d
|
||||
image: prom/prometheus@sha256:e2b8aa62b64855956e3ec1e18b4f9387fb6203174a4471936f4662f437f04405
|
||||
volumes:
|
||||
- ./prometheus.yml:/etc/prometheus/prometheus.yml
|
||||
- prometheus-data:/prometheus
|
||||
@@ -94,7 +94,7 @@ services:
|
||||
command: [ './run.sh', '-disable-reporting' ]
|
||||
ports:
|
||||
- 3000:3000
|
||||
image: grafana/grafana:12.0.1-ubuntu@sha256:65575bb9c761335e2ff30e364f21d38632e3b2e75f5f81d83cc92f44b9bbc055
|
||||
image: grafana/grafana:11.6.1-ubuntu@sha256:6fc273288470ef499dd3c6b36aeade093170d4f608f864c5dd3a7fabeae77b50
|
||||
volumes:
|
||||
- grafana-data:/var/lib/grafana
|
||||
|
||||
|
||||
@@ -49,24 +49,24 @@ services:
|
||||
|
||||
redis:
|
||||
container_name: immich_redis
|
||||
image: docker.io/valkey/valkey:8-bookworm@sha256:a19bebed6a91bd5e6e2106fef015f9602a3392deeb7c9ed47548378dcee3dfc2
|
||||
image: docker.io/valkey/valkey:8-bookworm@sha256:4a9f847af90037d59b34cd4d4ad14c6e055f46540cf4ff757aaafb266060fa28
|
||||
healthcheck:
|
||||
test: redis-cli ping || exit 1
|
||||
restart: always
|
||||
|
||||
database:
|
||||
container_name: immich_postgres
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.4.1-pgvectors0.2.0
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.3.0-pgvectors0.2.0
|
||||
environment:
|
||||
POSTGRES_PASSWORD: ${DB_PASSWORD}
|
||||
POSTGRES_USER: ${DB_USERNAME}
|
||||
POSTGRES_DB: ${DB_DATABASE_NAME}
|
||||
POSTGRES_INITDB_ARGS: '--data-checksums'
|
||||
# Uncomment the DB_STORAGE_TYPE: 'HDD' var if your database isn't stored on SSDs
|
||||
# DB_STORAGE_TYPE: 'HDD'
|
||||
volumes:
|
||||
# Do not edit the next line. If you want to change the database storage location on your system, edit the value of DB_DATA_LOCATION in the .env file
|
||||
- ${DB_DATA_LOCATION}:/var/lib/postgresql/data
|
||||
# change ssd below to hdd if you are using a hard disk drive or other slow storage
|
||||
command: postgres -c config_file=/etc/postgresql/postgresql.ssd.conf
|
||||
restart: always
|
||||
|
||||
volumes:
|
||||
|
||||
@@ -1 +1 @@
|
||||
22.16.0
|
||||
22.14.0
|
||||
|
||||
@@ -219,10 +219,3 @@ When you turn off the storage template engine, it will leave the assets in `UPLO
|
||||
Do not touch the files inside these folders under any circumstances except taking a backup. Changing or removing an asset can cause untracked and missing files.
|
||||
You can think of it as App-Which-Must-Not-Be-Named, the only access to viewing, changing and deleting assets is only through the mobile or browser interface.
|
||||
:::
|
||||
|
||||
## Backup ordering
|
||||
|
||||
A backup of Immich should contain both the database and the asset files. When backing these up it's possible for them to get out of sync, potentially resulting in broken assets after you restore.
|
||||
The best way of dealing with this is to stop the immich-server container while you take a backup. If nothing is changing then the backup will always be in sync.
|
||||
|
||||
If stopping the container is not an option, then the recommended order is to back up the database first, and the filesystem second. This way, the worst case scenario is that there are files on the filesystem that the database doesn't know about. If necessary, these can be (re)uploaded manually after a restore. If the backup is done the other way around, with the filesystem first and the database second, it's possible for the restored database to reference files that aren't in the filesystem backup, thus resulting in broken assets.
|
||||
|
||||
@@ -93,7 +93,6 @@ The `.well-known/openid-configuration` part of the url is optional and will be a
|
||||
## Auto Launch
|
||||
|
||||
When Auto Launch is enabled, the login page will automatically redirect the user to the OAuth authorization url, to login with OAuth. To access the login screen again, use the browser's back button, or navigate directly to `/auth/login?autoLaunch=0`.
|
||||
Auto Launch can also be enabled on a per-request basis by navigating to `/auth/login?authLaunch=1`, this can be useful in situations where Immich is called from e.g. Nextcloud using the _External sites_ app and the _oidc_ app so as to enable users to directly interact with a logged-in instance of Immich.
|
||||
|
||||
## Mobile Redirect URI
|
||||
|
||||
|
||||
@@ -10,16 +10,12 @@ Running with a pre-existing Postgres server can unlock powerful administrative f
|
||||
|
||||
## Prerequisites
|
||||
|
||||
You must install `pgvector` (`>= 0.7.0, < 1.0.0`), as it is a prerequisite for `vchord`.
|
||||
The easiest way to do this on Debian/Ubuntu is by adding the [PostgreSQL Apt repository][pg-apt] and then
|
||||
running `apt install postgresql-NN-pgvector`, where `NN` is your Postgres version (e.g., `16`).
|
||||
|
||||
You must install VectorChord into your instance of Postgres using their [instructions][vchord-install]. After installation, add `shared_preload_libraries = 'vchord.so'` to your `postgresql.conf`. If you already have some `shared_preload_libraries` set, you can separate each extension with a comma. For example, `shared_preload_libraries = 'pg_stat_statements, vchord.so'`.
|
||||
|
||||
:::note
|
||||
Immich is known to work with Postgres versions `>= 14, < 18`.
|
||||
Immich is known to work with Postgres versions 14, 15, 16 and 17. Earlier versions are unsupported.
|
||||
|
||||
Make sure the installed version of VectorChord is compatible with your version of Immich. The current accepted range for VectorChord is `>= 0.3.0, < 0.5.0`.
|
||||
Make sure the installed version of VectorChord is compatible with your version of Immich. The current accepted range for VectorChord is `>= 0.3.0, < 0.4.0`.
|
||||
:::
|
||||
|
||||
## Specifying the connection URL
|
||||
@@ -77,19 +73,14 @@ Support for pgvecto.rs will be dropped in a later release, hence we recommend al
|
||||
The easiest option is to have both extensions installed during the migration:
|
||||
|
||||
1. Ensure you still have pgvecto.rs installed
|
||||
2. Install `pgvector` (`>= 0.7.0, < 1.0.0`). The easiest way to do this is on Debian/Ubuntu by adding the [PostgreSQL Apt repository][pg-apt] and then running `apt install postgresql-NN-pgvector`, where `NN` is your Postgres version (e.g., `16`)
|
||||
3. [Install VectorChord][vchord-install]
|
||||
4. Add `shared_preload_libraries= 'vchord.so, vectors.so'` to your `postgresql.conf`, making sure to include _both_ `vchord.so` and `vectors.so`. You may include other libraries here as well if needed
|
||||
5. Restart the Postgres database
|
||||
6. If Immich does not have superuser permissions, run the SQL command `CREATE EXTENSION vchord CASCADE;` using psql or your choice of database client
|
||||
7. Start Immich and wait for the logs `Reindexed face_index` and `Reindexed clip_index` to be output
|
||||
8. If Immich does not have superuser permissions, run the SQL command `DROP EXTENSION vectors;`
|
||||
9. Drop the old schema by running `DROP SCHEMA vectors;`
|
||||
10. Remove the `vectors.so` entry from the `shared_preload_libraries` setting
|
||||
11. Restart the Postgres database
|
||||
12. Uninstall pgvecto.rs (e.g. `apt-get purge vectors-pg14` on Debian-based environments, replacing `pg14` as appropriate). `pgvector` must remain installed as it provides the data types used by `vchord`
|
||||
2. [Install VectorChord][vchord-install]
|
||||
3. Add `shared_preload_libraries= 'vchord.so, vectors.so'` to your `postgresql.conf`, making sure to include _both_ `vchord.so` and `vectors.so`. You may include other libraries here as well if needed
|
||||
4. If Immich does not have superuser permissions, run the SQL command `CREATE EXTENSION vchord CASCADE;` using psql or your choice of database client
|
||||
5. Start Immich and wait for the logs `Reindexed face_index` and `Reindexed clip_index` to be output
|
||||
6. Remove the `vectors.so` entry from the `shared_preload_libraries` setting
|
||||
7. Uninstall pgvecto.rs (e.g. `apt-get purge vectors-pg14` on Debian-based environments, replacing `pg14` as appropriate)
|
||||
|
||||
If it is not possible to have both VectorChord and pgvecto.rs installed at the same time, you can perform the migration with more manual steps:
|
||||
If it is not possible to have both VectorChord and pgvector.s installed at the same time, you can perform the migration with more manual steps:
|
||||
|
||||
1. While pgvecto.rs is still installed, run the following SQL command using psql or your choice of database client. Take note of the number outputted by this command as you will need it later
|
||||
|
||||
@@ -128,10 +119,14 @@ ALTER TABLE face_search ALTER COLUMN embedding SET DATA TYPE vector(512);
|
||||
1. Ensure you have at least 0.7.0 of pgvector installed. If it is below that, please upgrade it and run the SQL command `ALTER EXTENSION vector UPDATE;` using psql or your choice of database client
|
||||
2. Follow the Prerequisites to install VectorChord
|
||||
3. If Immich does not have superuser permissions, run the SQL command `CREATE EXTENSION vchord CASCADE;`
|
||||
4. Remove the `DB_VECTOR_EXTENSION=pgvector` environmental variable as it will make Immich still use pgvector if set
|
||||
5. Start Immich and let it create new indices using VectorChord
|
||||
4. Start Immich and let it create new indices using VectorChord
|
||||
|
||||
Note that VectorChord itself uses pgvector types, so you should not uninstall pgvector after following these steps.
|
||||
|
||||
### Common errors
|
||||
|
||||
#### Permission denied for view
|
||||
|
||||
If you get the error `driverError: error: permission denied for view pg_vector_index_stat`, you can fix this by connecting to the Immich database and running `GRANT SELECT ON TABLE pg_vector_index_stat TO <immichdbusername>;`.
|
||||
|
||||
[vchord-install]: https://docs.vectorchord.ai/vectorchord/getting-started/installation.html
|
||||
[pg-apt]: https://www.postgresql.org/download/linux/#generic
|
||||
|
||||
@@ -75,12 +75,11 @@ npm run dev
|
||||
To see local changes to `@immich/ui` in Immich, do the following:
|
||||
|
||||
1. Install `@immich/ui` as a sibling to `immich/`, for example `/home/user/immich` and `/home/user/ui`
|
||||
2. Build the `@immich/ui` project via `npm run build`
|
||||
3. Uncomment the corresponding volume in web service of the `docker/docker-compose.dev.yaml` file (`../../ui:/usr/ui`)
|
||||
4. Uncomment the corresponding alias in the `web/vite.config.js` file (`'@immich/ui': path.resolve(\_\_dirname, '../../ui')`)
|
||||
5. Uncomment the import statement in `web/src/app.css` file `@import '/usr/ui/dist/theme/default.css';` and comment out `@import '@immich/ui/theme/default.css';`
|
||||
6. Start up the stack via `make dev`
|
||||
7. After making changes in `@immich/ui`, rebuild it (`npm run build`)
|
||||
1. Build the `@immich/ui` project via `npm run build`
|
||||
1. Uncomment the corresponding volume in web service of the `docker/docker-compose.dev.yaml` file (`../../ui:/usr/ui`)
|
||||
1. Uncomment the corresponding alias in the `web/vite.config.js` file (`'@immich/ui': path.resolve(\_\_dirname, '../../ui')`)
|
||||
1. Start up the stack via `make dev`
|
||||
1. After making changes in `@immich/ui`, rebuild it (`npm run build`)
|
||||
|
||||
### Mobile app
|
||||
|
||||
@@ -115,72 +114,32 @@ Note: Activating the license is not required.
|
||||
|
||||
### VSCode
|
||||
|
||||
Install `Flutter`, `DCM`, `Prettier`, `ESLint` and `Svelte` extensions. These extensions are listed in the `extensions.json` file under `.vscode/` and should appear as workspace recommendations.
|
||||
Install `Flutter`, `DCM`, `Prettier`, `ESLint` and `Svelte` extensions.
|
||||
|
||||
Here are the settings we use, they should be active as workspace settings (`settings.json`):
|
||||
in User `settings.json` (`cmd + shift + p` and search for `Open User Settings JSON`) add the following:
|
||||
|
||||
```json title="settings.json"
|
||||
{
|
||||
"[css]": {
|
||||
"editor.formatOnSave": true,
|
||||
"[javascript][typescript][css]": {
|
||||
"editor.defaultFormatter": "esbenp.prettier-vscode",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.tabSize": 2,
|
||||
"editor.formatOnSave": true
|
||||
},
|
||||
"[svelte]": {
|
||||
"editor.defaultFormatter": "svelte.svelte-vscode",
|
||||
"editor.tabSize": 2
|
||||
},
|
||||
"svelte.enable-ts-plugin": true,
|
||||
"eslint.validate": ["javascript", "svelte"],
|
||||
"[dart]": {
|
||||
"editor.defaultFormatter": "Dart-Code.dart-code",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.selectionHighlight": false,
|
||||
"editor.suggest.snippetsPreventQuickSuggestions": false,
|
||||
"editor.suggestSelection": "first",
|
||||
"editor.tabCompletion": "onlySnippets",
|
||||
"editor.wordBasedSuggestions": "off"
|
||||
},
|
||||
"[javascript]": {
|
||||
"editor.codeActionsOnSave": {
|
||||
"source.organizeImports": "explicit",
|
||||
"source.removeUnusedImports": "explicit"
|
||||
},
|
||||
"editor.defaultFormatter": "esbenp.prettier-vscode",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.tabSize": 2
|
||||
},
|
||||
"[json]": {
|
||||
"editor.defaultFormatter": "esbenp.prettier-vscode",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.tabSize": 2
|
||||
},
|
||||
"[jsonc]": {
|
||||
"editor.defaultFormatter": "esbenp.prettier-vscode",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.tabSize": 2
|
||||
},
|
||||
"[svelte]": {
|
||||
"editor.codeActionsOnSave": {
|
||||
"source.organizeImports": "explicit",
|
||||
"source.removeUnusedImports": "explicit"
|
||||
},
|
||||
"editor.defaultFormatter": "svelte.svelte-vscode",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.tabSize": 2
|
||||
},
|
||||
"[typescript]": {
|
||||
"editor.codeActionsOnSave": {
|
||||
"source.organizeImports": "explicit",
|
||||
"source.removeUnusedImports": "explicit"
|
||||
},
|
||||
"editor.defaultFormatter": "esbenp.prettier-vscode",
|
||||
"editor.formatOnSave": true,
|
||||
"editor.tabSize": 2
|
||||
},
|
||||
"cSpell.words": ["immich"],
|
||||
"editor.formatOnSave": true,
|
||||
"eslint.validate": ["javascript", "svelte"],
|
||||
"explorer.fileNesting.enabled": true,
|
||||
"explorer.fileNesting.patterns": {
|
||||
"*.dart": "${capture}.g.dart,${capture}.gr.dart,${capture}.drift.dart",
|
||||
"*.ts": "${capture}.spec.ts,${capture}.mock.ts"
|
||||
},
|
||||
"svelte.enable-ts-plugin": true,
|
||||
"typescript.preferences.importModuleSpecifier": "non-relative"
|
||||
"editor.wordBasedSuggestions": "off",
|
||||
"editor.defaultFormatter": "Dart-Code.dart-code"
|
||||
}
|
||||
}
|
||||
```
|
||||
|
||||
@@ -1,19 +0,0 @@
|
||||
# Chromecast support
|
||||
|
||||
Immich supports the Google's Cast protocol so that photos and videos can be cast to devices such as a Chromecast and a Nest Hub. This feature is considered experimental and has several important limitations listed below. Currently, this feature is only supported by the web client, support on Android and iOS is planned for the future.
|
||||
|
||||
## Enable Google Cast Support
|
||||
|
||||
Google Cast support is disabled by default. The web UI uses Google-provided scripts and must retreive them from Google servers when the page loads. This is a privacy concern for some and is thus opt-in.
|
||||
|
||||
You can enable Google Cast support through `Account Settings > Features > Cast > Google Cast`
|
||||
|
||||
<img src={require('./img/gcast-enable.webp').default} width="70%" title='Enable Google Cast Support' />
|
||||
|
||||
## Limitations
|
||||
|
||||
To use casting with Immich, there are a few prerequisites:
|
||||
|
||||
1. Your instance must be accessed via an HTTPS connection in order for the casting menu to show.
|
||||
2. Your instance must be publicly accessible via HTTPS and a DNS record for the server must be accessible via Google's DNS servers (`8.8.8.8` and `8.8.4.4`)
|
||||
3. Videos must be in a format that is compatible with Google Cast. For more info, check out [Google's documentation](https://developers.google.com/cast/docs/media)
|
||||
@@ -90,22 +90,19 @@ Usage: immich upload [paths...] [options]
|
||||
Upload assets
|
||||
|
||||
Arguments:
|
||||
paths One or more paths to assets to be uploaded
|
||||
paths One or more paths to assets to be uploaded
|
||||
|
||||
Options:
|
||||
-r, --recursive Recursive (default: false, env: IMMICH_RECURSIVE)
|
||||
-i, --ignore <pattern> Pattern to ignore (env: IMMICH_IGNORE_PATHS)
|
||||
-h, --skip-hash Don't hash files before upload (default: false, env: IMMICH_SKIP_HASH)
|
||||
-H, --include-hidden Include hidden folders (default: false, env: IMMICH_INCLUDE_HIDDEN)
|
||||
-a, --album Automatically create albums based on folder name (default: false, env: IMMICH_AUTO_CREATE_ALBUM)
|
||||
-A, --album-name <name> Add all assets to specified album (env: IMMICH_ALBUM_NAME)
|
||||
-n, --dry-run Don't perform any actions, just show what will be done (default: false, env: IMMICH_DRY_RUN)
|
||||
-c, --concurrency <number> Number of assets to upload at the same time (default: 4, env: IMMICH_UPLOAD_CONCURRENCY)
|
||||
-j, --json-output Output detailed information in json format (default: false, env: IMMICH_JSON_OUTPUT)
|
||||
--delete Delete local assets after upload (env: IMMICH_DELETE_ASSETS)
|
||||
--no-progress Hide progress bars (env: IMMICH_PROGRESS_BAR)
|
||||
--watch Watch for changes and upload automatically (default: false, env: IMMICH_WATCH_CHANGES)
|
||||
--help display help for command
|
||||
-r, --recursive Recursive (default: false, env: IMMICH_RECURSIVE)
|
||||
-i, --ignore [paths...] Paths to ignore (default: [], env: IMMICH_IGNORE_PATHS)
|
||||
-h, --skip-hash Don't hash files before upload (default: false, env: IMMICH_SKIP_HASH)
|
||||
-H, --include-hidden Include hidden folders (default: false, env: IMMICH_INCLUDE_HIDDEN)
|
||||
-a, --album Automatically create albums based on folder name (default: false, env: IMMICH_AUTO_CREATE_ALBUM)
|
||||
-A, --album-name <name> Add all assets to specified album (env: IMMICH_ALBUM_NAME)
|
||||
-n, --dry-run Don't perform any actions, just show what will be done (default: false, env: IMMICH_DRY_RUN)
|
||||
-c, --concurrency <number> Number of assets to upload at the same time (default: 4, env: IMMICH_UPLOAD_CONCURRENCY)
|
||||
--delete Delete local assets after upload (env: IMMICH_DELETE_ASSETS)
|
||||
--help display help for command
|
||||
```
|
||||
|
||||
</details>
|
||||
@@ -175,16 +172,6 @@ By default, hidden files are skipped. If you want to include hidden files, use t
|
||||
immich upload --include-hidden --recursive directory/
|
||||
```
|
||||
|
||||
You can use the `--json-output` option to get a json printed which includes
|
||||
three keys: `newFiles`, `duplicates` and `newAssets`. Due to some logging
|
||||
output you will need to strip the first three lines of output to get the json.
|
||||
For example to get a list of files that would be uploaded for further
|
||||
processing:
|
||||
|
||||
```bash
|
||||
immich upload --dry-run . | tail -n +4 | jq .newFiles[]
|
||||
```
|
||||
|
||||
### Obtain the API Key
|
||||
|
||||
The API key can be obtained in the user setting panel on the web interface.
|
||||
|
||||
@@ -121,6 +121,6 @@ Once this is done, you can continue to step 3 of "Basic Setup".
|
||||
|
||||
[hw-file]: https://github.com/immich-app/immich/releases/latest/download/hwaccel.transcoding.yml
|
||||
[nvct]: https://docs.nvidia.com/datacenter/cloud-native/container-toolkit/latest/install-guide.html
|
||||
[jellyfin-lp]: https://jellyfin.org/docs/general/post-install/transcoding/hardware-acceleration/intel#low-power-encoding
|
||||
[jellyfin-kernel-bug]: https://jellyfin.org/docs/general/post-install/transcoding/hardware-acceleration/intel#known-issues-and-limitations-on-linux
|
||||
[jellyfin-lp]: https://jellyfin.org/docs/general/administration/hardware-acceleration/intel/#configure-and-verify-lp-mode-on-linux
|
||||
[jellyfin-kernel-bug]: https://jellyfin.org/docs/general/administration/hardware-acceleration/intel/#known-issues-and-limitations
|
||||
[libmali-rockchip]: https://github.com/tsukumijima/libmali-rockchip/releases
|
||||
|
||||
Binary file not shown.
|
Before Width: | Height: | Size: 19 KiB |
@@ -57,6 +57,6 @@
|
||||
"node": ">=20"
|
||||
},
|
||||
"volta": {
|
||||
"node": "22.16.0"
|
||||
"node": "22.14.0"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -44,6 +44,11 @@ const projects: CommunityProjectProps[] = [
|
||||
'Lightroom plugin to publish, export photos from Lightroom to Immich. Import from Immich to Lightroom is also supported.',
|
||||
url: 'https://blog.fokuspunk.de/lrc-immich-plugin/',
|
||||
},
|
||||
{
|
||||
title: 'Immich Duplicate Finder',
|
||||
description: 'Webapp that uses machine learning to identify near-duplicate images.',
|
||||
url: 'https://github.com/vale46n1/immich_duplicate_finder',
|
||||
},
|
||||
{
|
||||
title: 'Immich-Tiktok-Remover',
|
||||
description: 'Script to search for and remove TikTok videos from your Immich library.',
|
||||
|
||||
@@ -13,9 +13,6 @@ import {
|
||||
mdiTrashCan,
|
||||
mdiWeb,
|
||||
mdiWrap,
|
||||
mdiCloudKeyOutline,
|
||||
mdiRegex,
|
||||
mdiCodeJson,
|
||||
} from '@mdi/js';
|
||||
import Layout from '@theme/Layout';
|
||||
import React from 'react';
|
||||
@@ -26,30 +23,6 @@ const withLanguage = (date: Date) => (language: string) => date.toLocaleDateStri
|
||||
type Item = Omit<TimelineItem, 'done' | 'getDateLabel'> & { date: Date };
|
||||
|
||||
const items: Item[] = [
|
||||
{
|
||||
icon: mdiRegex,
|
||||
iconColor: 'purple',
|
||||
title: 'Zitadel Actions are cursed',
|
||||
description:
|
||||
"Zitadel is cursed because its custom scripting feature is executed with a JS engine that doesn't support regex named capture groups.",
|
||||
link: {
|
||||
url: 'https://github.com/dop251/goja',
|
||||
text: 'Go JS engine',
|
||||
},
|
||||
date: new Date(2025, 5, 4),
|
||||
},
|
||||
{
|
||||
icon: mdiCloudKeyOutline,
|
||||
iconColor: '#0078d4',
|
||||
title: 'Entra is cursed',
|
||||
description:
|
||||
"Microsoft Entra supports PKCE, but doesn't include it in its OpenID discovery document. This leads to clients thinking PKCE isn't available.",
|
||||
link: {
|
||||
url: 'https://github.com/immich-app/immich/pull/18725',
|
||||
text: '#18725',
|
||||
},
|
||||
date: new Date(2025, 4, 30),
|
||||
},
|
||||
{
|
||||
icon: mdiCrop,
|
||||
iconColor: 'tomato',
|
||||
@@ -60,18 +33,7 @@ const items: Item[] = [
|
||||
url: 'https://github.com/immich-app/immich/pull/17974',
|
||||
text: '#17974',
|
||||
},
|
||||
date: new Date(2025, 4, 5),
|
||||
},
|
||||
{
|
||||
icon: mdiCodeJson,
|
||||
iconColor: 'yellow',
|
||||
title: 'YAML whitespace is cursed',
|
||||
description: 'YAML whitespaces are often handled in unintuitive ways.',
|
||||
link: {
|
||||
url: 'https://github.com/immich-app/immich/pull/17309',
|
||||
text: '#17309',
|
||||
},
|
||||
date: new Date(2025, 3, 1),
|
||||
date: new Date(2025, 5, 5),
|
||||
},
|
||||
{
|
||||
icon: mdiMicrosoftWindows,
|
||||
|
||||
@@ -78,14 +78,12 @@ import {
|
||||
mdiLinkEdit,
|
||||
mdiTagFaces,
|
||||
mdiMovieOpenPlayOutline,
|
||||
mdiCast,
|
||||
} from '@mdi/js';
|
||||
import Layout from '@theme/Layout';
|
||||
import React from 'react';
|
||||
import { Item, Timeline } from '../components/timeline';
|
||||
|
||||
const releases = {
|
||||
'v1.133.0': new Date(2025, 4, 21),
|
||||
'v1.130.0': new Date(2025, 2, 25),
|
||||
'v1.127.0': new Date(2025, 1, 26),
|
||||
'v1.122.0': new Date(2024, 11, 5),
|
||||
@@ -218,6 +216,14 @@ const roadmap: Item[] = [
|
||||
iconColor: 'indianred',
|
||||
title: 'Stable release',
|
||||
description: 'Immich goes stable',
|
||||
getDateLabel: () => 'Planned for early 2025',
|
||||
},
|
||||
{
|
||||
done: false,
|
||||
icon: mdiLockOutline,
|
||||
iconColor: 'sandybrown',
|
||||
title: 'Private/locked photos',
|
||||
description: 'Private assets with extra protections',
|
||||
getDateLabel: () => 'Planned for 2025',
|
||||
},
|
||||
{
|
||||
@@ -239,20 +245,6 @@ const roadmap: Item[] = [
|
||||
];
|
||||
|
||||
const milestones: Item[] = [
|
||||
withRelease({
|
||||
icon: mdiCast,
|
||||
iconColor: 'aqua',
|
||||
title: 'Google Cast (web)',
|
||||
description: 'Cast assets to Google Cast/Chromecast compatible devices',
|
||||
release: 'v1.133.0',
|
||||
}),
|
||||
withRelease({
|
||||
icon: mdiLockOutline,
|
||||
iconColor: 'sandybrown',
|
||||
title: 'Private/locked photos',
|
||||
description: 'Private assets with extra protections',
|
||||
release: 'v1.133.0',
|
||||
}),
|
||||
withRelease({
|
||||
icon: mdiFolderMultiple,
|
||||
iconColor: 'brown',
|
||||
|
||||
12
docs/static/archived-versions.json
vendored
12
docs/static/archived-versions.json
vendored
@@ -1,16 +1,4 @@
|
||||
[
|
||||
{
|
||||
"label": "v1.134.0",
|
||||
"url": "https://v1.134.0.archive.immich.app"
|
||||
},
|
||||
{
|
||||
"label": "v1.133.1",
|
||||
"url": "https://v1.133.1.archive.immich.app"
|
||||
},
|
||||
{
|
||||
"label": "v1.133.0",
|
||||
"url": "https://v1.133.0.archive.immich.app"
|
||||
},
|
||||
{
|
||||
"label": "v1.132.3",
|
||||
"url": "https://v1.132.3.archive.immich.app"
|
||||
|
||||
@@ -1 +1 @@
|
||||
22.16.0
|
||||
22.14.0
|
||||
|
||||
@@ -28,10 +28,8 @@ services:
|
||||
extra_hosts:
|
||||
- 'auth-server:host-gateway'
|
||||
depends_on:
|
||||
redis:
|
||||
condition: service_started
|
||||
database:
|
||||
condition: service_healthy
|
||||
- redis
|
||||
- database
|
||||
ports:
|
||||
- 2285:2285
|
||||
|
||||
@@ -39,17 +37,11 @@ services:
|
||||
image: redis:6.2-alpine@sha256:3211c33a618c457e5d241922c975dbc4f446d0bdb2dc75694f5573ef8e2d01fa
|
||||
|
||||
database:
|
||||
image: ghcr.io/immich-app/postgres:14-vectorchord0.3.0@sha256:9c704fb49ce27549df00f1b096cc93f8b0c959ef087507704d74954808f78a82
|
||||
command: -c fsync=off -c shared_preload_libraries=vchord.so -c config_file=/var/lib/postgresql/data/postgresql.conf
|
||||
image: tensorchord/vchord-postgres:pg14-v0.3.0
|
||||
command: -c fsync=off -c shared_preload_libraries=vchord.so
|
||||
environment:
|
||||
POSTGRES_PASSWORD: postgres
|
||||
POSTGRES_USER: postgres
|
||||
POSTGRES_DB: immich
|
||||
ports:
|
||||
- 5435:5432
|
||||
healthcheck:
|
||||
test: ['CMD-SHELL', 'pg_isready -U postgres -d immich']
|
||||
interval: 1s
|
||||
timeout: 5s
|
||||
retries: 30
|
||||
start_period: 10s
|
||||
|
||||
2109
e2e/package-lock.json
generated
2109
e2e/package-lock.json
generated
File diff suppressed because it is too large
Load Diff
@@ -1,6 +1,6 @@
|
||||
{
|
||||
"name": "immich-e2e",
|
||||
"version": "1.134.0",
|
||||
"version": "1.132.3",
|
||||
"description": "",
|
||||
"main": "index.js",
|
||||
"type": "module",
|
||||
@@ -25,21 +25,21 @@
|
||||
"@immich/sdk": "file:../open-api/typescript-sdk",
|
||||
"@playwright/test": "^1.44.1",
|
||||
"@types/luxon": "^3.4.2",
|
||||
"@types/node": "^22.15.29",
|
||||
"@types/oidc-provider": "^9.0.0",
|
||||
"@types/pg": "^8.15.1",
|
||||
"@types/node": "^22.14.1",
|
||||
"@types/oidc-provider": "^8.5.1",
|
||||
"@types/pg": "^8.11.0",
|
||||
"@types/pngjs": "^6.0.4",
|
||||
"@types/supertest": "^6.0.2",
|
||||
"@vitest/coverage-v8": "^3.0.0",
|
||||
"eslint": "^9.14.0",
|
||||
"eslint-config-prettier": "^10.0.0",
|
||||
"eslint-plugin-prettier": "^5.1.3",
|
||||
"eslint-plugin-unicorn": "^59.0.0",
|
||||
"eslint-plugin-unicorn": "^57.0.0",
|
||||
"exiftool-vendored": "^28.3.1",
|
||||
"globals": "^16.0.0",
|
||||
"jose": "^5.6.3",
|
||||
"luxon": "^3.4.4",
|
||||
"oidc-provider": "^9.0.0",
|
||||
"oidc-provider": "^8.5.1",
|
||||
"pg": "^8.11.3",
|
||||
"pngjs": "^7.0.0",
|
||||
"prettier": "^3.2.5",
|
||||
@@ -52,6 +52,6 @@
|
||||
"vitest": "^3.0.0"
|
||||
},
|
||||
"volta": {
|
||||
"node": "22.16.0"
|
||||
"node": "22.14.0"
|
||||
}
|
||||
}
|
||||
|
||||
@@ -428,15 +428,6 @@ describe('/albums', () => {
|
||||
order: AssetOrder.Desc,
|
||||
});
|
||||
});
|
||||
|
||||
it('should not be able to share album with owner', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.post('/albums')
|
||||
.send({ albumName: 'New album', albumUsers: [{ role: AlbumUserRole.Editor, userId: user1.userId }] })
|
||||
.set('Authorization', `Bearer ${user1.accessToken}`);
|
||||
expect(status).toBe(400);
|
||||
expect(body).toEqual(errorDto.badRequest('Cannot share album with owner'));
|
||||
});
|
||||
});
|
||||
|
||||
describe('PUT /albums/:id/assets', () => {
|
||||
|
||||
@@ -143,7 +143,7 @@ describe('/api-keys', () => {
|
||||
const { apiKey } = await create(user.accessToken, [Permission.All]);
|
||||
const { status, body } = await request(app)
|
||||
.put(`/api-keys/${apiKey.id}`)
|
||||
.send({ name: 'new name', permissions: [Permission.All] })
|
||||
.send({ name: 'new name' })
|
||||
.set('Authorization', `Bearer ${admin.accessToken}`);
|
||||
expect(status).toBe(400);
|
||||
expect(body).toEqual(errorDto.badRequest('API Key not found'));
|
||||
@@ -153,16 +153,13 @@ describe('/api-keys', () => {
|
||||
const { apiKey } = await create(user.accessToken, [Permission.All]);
|
||||
const { status, body } = await request(app)
|
||||
.put(`/api-keys/${apiKey.id}`)
|
||||
.send({
|
||||
name: 'new name',
|
||||
permissions: [Permission.ActivityCreate, Permission.ActivityRead, Permission.ActivityUpdate],
|
||||
})
|
||||
.send({ name: 'new name' })
|
||||
.set('Authorization', `Bearer ${user.accessToken}`);
|
||||
expect(status).toBe(200);
|
||||
expect(body).toEqual({
|
||||
id: expect.any(String),
|
||||
name: 'new name',
|
||||
permissions: [Permission.ActivityCreate, Permission.ActivityRead, Permission.ActivityUpdate],
|
||||
permissions: [Permission.All],
|
||||
createdAt: expect.any(String),
|
||||
updatedAt: expect.any(String),
|
||||
});
|
||||
|
||||
@@ -202,6 +202,7 @@ describe('/asset', () => {
|
||||
{
|
||||
name: 'Marie Curie',
|
||||
birthDate: null,
|
||||
thumbnailPath: '',
|
||||
isHidden: false,
|
||||
faces: [
|
||||
{
|
||||
@@ -218,6 +219,7 @@ describe('/asset', () => {
|
||||
{
|
||||
name: 'Pierre Curie',
|
||||
birthDate: null,
|
||||
thumbnailPath: '',
|
||||
isHidden: false,
|
||||
faces: [
|
||||
{
|
||||
|
||||
@@ -5,6 +5,22 @@ import { app, asBearerAuth, utils } from 'src/utils';
|
||||
import request from 'supertest';
|
||||
import { beforeAll, beforeEach, describe, expect, it } from 'vitest';
|
||||
|
||||
const invalidBirthday = [
|
||||
{
|
||||
birthDate: 'false',
|
||||
response: ['birthDate must be a string in the format yyyy-MM-dd', 'Birth date cannot be in the future'],
|
||||
},
|
||||
{
|
||||
birthDate: '123567',
|
||||
response: ['birthDate must be a string in the format yyyy-MM-dd', 'Birth date cannot be in the future'],
|
||||
},
|
||||
{
|
||||
birthDate: 123_567,
|
||||
response: ['birthDate must be a string in the format yyyy-MM-dd', 'Birth date cannot be in the future'],
|
||||
},
|
||||
{ birthDate: '9999-01-01', response: ['Birth date cannot be in the future'] },
|
||||
];
|
||||
|
||||
describe('/people', () => {
|
||||
let admin: LoginResponseDto;
|
||||
let visiblePerson: PersonResponseDto;
|
||||
@@ -42,6 +58,14 @@ describe('/people', () => {
|
||||
|
||||
describe('GET /people', () => {
|
||||
beforeEach(async () => {});
|
||||
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).get('/people');
|
||||
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
|
||||
it('should return all people (including hidden)', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get('/people')
|
||||
@@ -93,6 +117,13 @@ describe('/people', () => {
|
||||
});
|
||||
|
||||
describe('GET /people/:id', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).get(`/people/${uuidDto.notFound}`);
|
||||
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
|
||||
it('should throw error if person with id does not exist', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get(`/people/${uuidDto.notFound}`)
|
||||
@@ -113,6 +144,13 @@ describe('/people', () => {
|
||||
});
|
||||
|
||||
describe('GET /people/:id/statistics', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).get(`/people/${multipleAssetsPerson.id}/statistics`);
|
||||
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
|
||||
it('should throw error if person with id does not exist', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get(`/people/${uuidDto.notFound}/statistics`)
|
||||
@@ -133,6 +171,23 @@ describe('/people', () => {
|
||||
});
|
||||
|
||||
describe('POST /people', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).post(`/people`);
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
|
||||
for (const { birthDate, response } of invalidBirthday) {
|
||||
it(`should not accept an invalid birth date [${birthDate}]`, async () => {
|
||||
const { status, body } = await request(app)
|
||||
.post(`/people`)
|
||||
.set('Authorization', `Bearer ${admin.accessToken}`)
|
||||
.send({ birthDate });
|
||||
expect(status).toBe(400);
|
||||
expect(body).toEqual(errorDto.badRequest(response));
|
||||
});
|
||||
}
|
||||
|
||||
it('should create a person', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.post(`/people`)
|
||||
@@ -168,6 +223,39 @@ describe('/people', () => {
|
||||
});
|
||||
|
||||
describe('PUT /people/:id', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).put(`/people/${uuidDto.notFound}`);
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
|
||||
for (const { key, type } of [
|
||||
{ key: 'name', type: 'string' },
|
||||
{ key: 'featureFaceAssetId', type: 'string' },
|
||||
{ key: 'isHidden', type: 'boolean value' },
|
||||
{ key: 'isFavorite', type: 'boolean value' },
|
||||
]) {
|
||||
it(`should not allow null ${key}`, async () => {
|
||||
const { status, body } = await request(app)
|
||||
.put(`/people/${visiblePerson.id}`)
|
||||
.set('Authorization', `Bearer ${admin.accessToken}`)
|
||||
.send({ [key]: null });
|
||||
expect(status).toBe(400);
|
||||
expect(body).toEqual(errorDto.badRequest([`${key} must be a ${type}`]));
|
||||
});
|
||||
}
|
||||
|
||||
for (const { birthDate, response } of invalidBirthday) {
|
||||
it(`should not accept an invalid birth date [${birthDate}]`, async () => {
|
||||
const { status, body } = await request(app)
|
||||
.put(`/people/${visiblePerson.id}`)
|
||||
.set('Authorization', `Bearer ${admin.accessToken}`)
|
||||
.send({ birthDate });
|
||||
expect(status).toBe(400);
|
||||
expect(body).toEqual(errorDto.badRequest(response));
|
||||
});
|
||||
}
|
||||
|
||||
it('should update a date of birth', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.put(`/people/${visiblePerson.id}`)
|
||||
@@ -224,6 +312,12 @@ describe('/people', () => {
|
||||
});
|
||||
|
||||
describe('POST /people/:id/merge', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).post(`/people/${uuidDto.notFound}/merge`);
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
|
||||
it('should not supporting merging a person into themselves', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.post(`/people/${visiblePerson.id}/merge`)
|
||||
|
||||
@@ -1,10 +1,4 @@
|
||||
import {
|
||||
AssetMediaResponseDto,
|
||||
AssetVisibility,
|
||||
LoginResponseDto,
|
||||
SharedLinkType,
|
||||
TimeBucketAssetResponseDto,
|
||||
} from '@immich/sdk';
|
||||
import { AssetMediaResponseDto, AssetVisibility, LoginResponseDto, SharedLinkType, TimeBucketSize } from '@immich/sdk';
|
||||
import { DateTime } from 'luxon';
|
||||
import { createUserDto } from 'src/fixtures';
|
||||
import { errorDto } from 'src/responses';
|
||||
@@ -25,8 +19,7 @@ describe('/timeline', () => {
|
||||
let user: LoginResponseDto;
|
||||
let timeBucketUser: LoginResponseDto;
|
||||
|
||||
let user1Assets: AssetMediaResponseDto[];
|
||||
let user2Assets: AssetMediaResponseDto[];
|
||||
let userAssets: AssetMediaResponseDto[];
|
||||
|
||||
beforeAll(async () => {
|
||||
await utils.resetDatabase();
|
||||
@@ -36,7 +29,7 @@ describe('/timeline', () => {
|
||||
utils.userSetup(admin.accessToken, createUserDto.create('time-bucket')),
|
||||
]);
|
||||
|
||||
user1Assets = await Promise.all([
|
||||
userAssets = await Promise.all([
|
||||
utils.createAsset(user.accessToken),
|
||||
utils.createAsset(user.accessToken),
|
||||
utils.createAsset(user.accessToken, {
|
||||
@@ -49,20 +42,17 @@ describe('/timeline', () => {
|
||||
utils.createAsset(user.accessToken),
|
||||
]);
|
||||
|
||||
user2Assets = await Promise.all([
|
||||
await Promise.all([
|
||||
utils.createAsset(timeBucketUser.accessToken, { fileCreatedAt: new Date('1970-01-01').toISOString() }),
|
||||
utils.createAsset(timeBucketUser.accessToken, { fileCreatedAt: new Date('1970-02-10').toISOString() }),
|
||||
utils.createAsset(timeBucketUser.accessToken, { fileCreatedAt: new Date('1970-02-11').toISOString() }),
|
||||
utils.createAsset(timeBucketUser.accessToken, { fileCreatedAt: new Date('1970-02-11').toISOString() }),
|
||||
utils.createAsset(timeBucketUser.accessToken, { fileCreatedAt: new Date('1970-02-12').toISOString() }),
|
||||
]);
|
||||
|
||||
await utils.deleteAssets(timeBucketUser.accessToken, [user2Assets[4].id]);
|
||||
});
|
||||
|
||||
describe('GET /timeline/buckets', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).get('/timeline/buckets');
|
||||
const { status, body } = await request(app).get('/timeline/buckets').query({ size: TimeBucketSize.Month });
|
||||
expect(status).toBe(401);
|
||||
expect(body).toEqual(errorDto.unauthorized);
|
||||
});
|
||||
@@ -70,13 +60,14 @@ describe('/timeline', () => {
|
||||
it('should get time buckets by month', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`);
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ size: TimeBucketSize.Month });
|
||||
|
||||
expect(status).toBe(200);
|
||||
expect(body).toEqual(
|
||||
expect.arrayContaining([
|
||||
{ count: 3, timeBucket: '1970-02-01' },
|
||||
{ count: 1, timeBucket: '1970-01-01' },
|
||||
{ count: 3, timeBucket: '1970-02-01T00:00:00.000Z' },
|
||||
{ count: 1, timeBucket: '1970-01-01T00:00:00.000Z' },
|
||||
]),
|
||||
);
|
||||
});
|
||||
@@ -84,20 +75,36 @@ describe('/timeline', () => {
|
||||
it('should not allow access for unrelated shared links', async () => {
|
||||
const sharedLink = await utils.createSharedLink(user.accessToken, {
|
||||
type: SharedLinkType.Individual,
|
||||
assetIds: user1Assets.map(({ id }) => id),
|
||||
assetIds: userAssets.map(({ id }) => id),
|
||||
});
|
||||
|
||||
const { status, body } = await request(app).get('/timeline/buckets').query({ key: sharedLink.key });
|
||||
const { status, body } = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.query({ key: sharedLink.key, size: TimeBucketSize.Month });
|
||||
|
||||
expect(status).toBe(400);
|
||||
expect(body).toEqual(errorDto.noPermission);
|
||||
});
|
||||
|
||||
it('should get time buckets by day', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ size: TimeBucketSize.Day });
|
||||
|
||||
expect(status).toBe(200);
|
||||
expect(body).toEqual([
|
||||
{ count: 2, timeBucket: '1970-02-11T00:00:00.000Z' },
|
||||
{ count: 1, timeBucket: '1970-02-10T00:00:00.000Z' },
|
||||
{ count: 1, timeBucket: '1970-01-01T00:00:00.000Z' },
|
||||
]);
|
||||
});
|
||||
|
||||
it('should return error if time bucket is requested with partners asset and archived', async () => {
|
||||
const req1 = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ withPartners: true, visibility: AssetVisibility.Archive });
|
||||
.query({ size: TimeBucketSize.Month, withPartners: true, visibility: AssetVisibility.Archive });
|
||||
|
||||
expect(req1.status).toBe(400);
|
||||
expect(req1.body).toEqual(errorDto.badRequest());
|
||||
@@ -105,7 +112,7 @@ describe('/timeline', () => {
|
||||
const req2 = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${user.accessToken}`)
|
||||
.query({ withPartners: true, visibility: undefined });
|
||||
.query({ size: TimeBucketSize.Month, withPartners: true, visibility: undefined });
|
||||
|
||||
expect(req2.status).toBe(400);
|
||||
expect(req2.body).toEqual(errorDto.badRequest());
|
||||
@@ -115,7 +122,7 @@ describe('/timeline', () => {
|
||||
const req1 = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ withPartners: true, isFavorite: true });
|
||||
.query({ size: TimeBucketSize.Month, withPartners: true, isFavorite: true });
|
||||
|
||||
expect(req1.status).toBe(400);
|
||||
expect(req1.body).toEqual(errorDto.badRequest());
|
||||
@@ -123,7 +130,7 @@ describe('/timeline', () => {
|
||||
const req2 = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ withPartners: true, isFavorite: false });
|
||||
.query({ size: TimeBucketSize.Month, withPartners: true, isFavorite: false });
|
||||
|
||||
expect(req2.status).toBe(400);
|
||||
expect(req2.body).toEqual(errorDto.badRequest());
|
||||
@@ -133,7 +140,7 @@ describe('/timeline', () => {
|
||||
const req = await request(app)
|
||||
.get('/timeline/buckets')
|
||||
.set('Authorization', `Bearer ${user.accessToken}`)
|
||||
.query({ withPartners: true, isTrashed: true });
|
||||
.query({ size: TimeBucketSize.Month, withPartners: true, isTrashed: true });
|
||||
|
||||
expect(req.status).toBe(400);
|
||||
expect(req.body).toEqual(errorDto.badRequest());
|
||||
@@ -143,6 +150,7 @@ describe('/timeline', () => {
|
||||
describe('GET /timeline/bucket', () => {
|
||||
it('should require authentication', async () => {
|
||||
const { status, body } = await request(app).get('/timeline/bucket').query({
|
||||
size: TimeBucketSize.Month,
|
||||
timeBucket: '1900-01-01',
|
||||
});
|
||||
|
||||
@@ -153,28 +161,11 @@ describe('/timeline', () => {
|
||||
it('should handle 5 digit years', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get('/timeline/bucket')
|
||||
.query({ timeBucket: '012345-01-01' })
|
||||
.query({ size: TimeBucketSize.Month, timeBucket: '012345-01-01' })
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`);
|
||||
|
||||
expect(status).toBe(200);
|
||||
expect(body).toEqual({
|
||||
city: [],
|
||||
country: [],
|
||||
duration: [],
|
||||
id: [],
|
||||
visibility: [],
|
||||
isFavorite: [],
|
||||
isImage: [],
|
||||
isTrashed: [],
|
||||
livePhotoVideoId: [],
|
||||
fileCreatedAt: [],
|
||||
localOffsetHours: [],
|
||||
ownerId: [],
|
||||
projectionType: [],
|
||||
ratio: [],
|
||||
status: [],
|
||||
thumbhash: [],
|
||||
});
|
||||
expect(body).toEqual([]);
|
||||
});
|
||||
|
||||
// TODO enable date string validation while still accepting 5 digit years
|
||||
@@ -182,7 +173,7 @@ describe('/timeline', () => {
|
||||
// const { status, body } = await request(app)
|
||||
// .get('/timeline/bucket')
|
||||
// .set('Authorization', `Bearer ${user.accessToken}`)
|
||||
// .query({ timeBucket: 'foo' });
|
||||
// .query({ size: TimeBucketSize.Month, timeBucket: 'foo' });
|
||||
|
||||
// expect(status).toBe(400);
|
||||
// expect(body).toEqual(errorDto.badRequest);
|
||||
@@ -192,39 +183,10 @@ describe('/timeline', () => {
|
||||
const { status, body } = await request(app)
|
||||
.get('/timeline/bucket')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ timeBucket: '1970-02-10' });
|
||||
.query({ size: TimeBucketSize.Month, timeBucket: '1970-02-10' });
|
||||
|
||||
expect(status).toBe(200);
|
||||
expect(body).toEqual({
|
||||
city: [],
|
||||
country: [],
|
||||
duration: [],
|
||||
id: [],
|
||||
visibility: [],
|
||||
isFavorite: [],
|
||||
isImage: [],
|
||||
isTrashed: [],
|
||||
livePhotoVideoId: [],
|
||||
fileCreatedAt: [],
|
||||
localOffsetHours: [],
|
||||
ownerId: [],
|
||||
projectionType: [],
|
||||
ratio: [],
|
||||
status: [],
|
||||
thumbhash: [],
|
||||
});
|
||||
});
|
||||
|
||||
it('should return time bucket in trash', async () => {
|
||||
const { status, body } = await request(app)
|
||||
.get('/timeline/bucket')
|
||||
.set('Authorization', `Bearer ${timeBucketUser.accessToken}`)
|
||||
.query({ timeBucket: '1970-02-01T00:00:00.000Z', isTrashed: true });
|
||||
|
||||
expect(status).toBe(200);
|
||||
|
||||
const timeBucket: TimeBucketAssetResponseDto = body;
|
||||
expect(timeBucket.isTrashed).toEqual([true]);
|
||||
expect(body).toEqual([]);
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
@@ -103,7 +103,6 @@ export const loginResponseDto = {
|
||||
accessToken: expect.any(String),
|
||||
name: 'Immich Admin',
|
||||
isAdmin: true,
|
||||
isOnboarded: false,
|
||||
profileImagePath: '',
|
||||
shouldChangePassword: true,
|
||||
userEmail: 'admin@immich.cloud',
|
||||
|
||||
@@ -33,9 +33,7 @@ test.describe('Registration', () => {
|
||||
// onboarding
|
||||
await expect(page).toHaveURL('/auth/onboarding');
|
||||
await page.getByRole('button', { name: 'Theme' }).click();
|
||||
await page.getByRole('button', { name: 'Language' }).click();
|
||||
await page.getByRole('button', { name: 'Server Privacy' }).click();
|
||||
await page.getByRole('button', { name: 'User Privacy' }).click();
|
||||
await page.getByRole('button', { name: 'Privacy' }).click();
|
||||
await page.getByRole('button', { name: 'Storage Template' }).click();
|
||||
await page.getByRole('button', { name: 'Done' }).click();
|
||||
|
||||
@@ -79,13 +77,6 @@ test.describe('Registration', () => {
|
||||
await page.getByLabel('Password').fill('new-password');
|
||||
await page.getByRole('button', { name: 'Login' }).click();
|
||||
|
||||
// onboarding
|
||||
await expect(page).toHaveURL('/auth/onboarding');
|
||||
await page.getByRole('button', { name: 'Theme' }).click();
|
||||
await page.getByRole('button', { name: 'Language' }).click();
|
||||
await page.getByRole('button', { name: 'User Privacy' }).click();
|
||||
await page.getByRole('button', { name: 'Done' }).click();
|
||||
|
||||
// success
|
||||
await expect(page).toHaveURL(/\/photos/);
|
||||
});
|
||||
|
||||
189
i18n/ar.json
189
i18n/ar.json
@@ -14,6 +14,7 @@
|
||||
"add_a_location": "إضافة موقع",
|
||||
"add_a_name": "إضافة إسم",
|
||||
"add_a_title": "إضافة عنوان",
|
||||
"add_endpoint": "Add endpoint",
|
||||
"add_exclusion_pattern": "إضافة نمط إستثناء",
|
||||
"add_import_path": "إضافة مسار الإستيراد",
|
||||
"add_location": "إضافة موقع",
|
||||
@@ -358,8 +359,12 @@
|
||||
"admin_password": "كلمة سر المشرف",
|
||||
"administration": "الإدارة",
|
||||
"advanced": "متقدم",
|
||||
"advanced_settings_log_level_title": "Log level: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "تكون بعض الأجهزة بطيئة للغاية في تحميل الصور المصغرة من الأصول الموجودة على الجهاز. قم بتنشيط هذا الإعداد لتحميل الصور البعيدة بدلاً من ذلك.",
|
||||
"advanced_settings_prefer_remote_title": "تفضل الصور البعيدة",
|
||||
"advanced_settings_proxy_headers_subtitle": "Define proxy headers Immich should send with each network request",
|
||||
"advanced_settings_proxy_headers_title": "Proxy Headers",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Skips SSL certificate verification for the server endpoint. Required for self-signed certificates.",
|
||||
"advanced_settings_self_signed_ssl_title": "السماح بشهادات SSL الموقعة ذاتيًا",
|
||||
"advanced_settings_tile_subtitle": "إعدادات المستخدم المتقدمة",
|
||||
"advanced_settings_troubleshooting_subtitle": "تمكين الميزات الإضافية لاستكشاف الأخطاء وإصلاحها",
|
||||
@@ -383,7 +388,9 @@
|
||||
"album_remove_user_confirmation": "هل أنت متأكد أنك تريد إزالة {user}؟",
|
||||
"album_share_no_users": "يبدو أنك قمت بمشاركة هذا الألبوم مع جميع المستخدمين أو ليس لديك أي مستخدم للمشاركة معه.",
|
||||
"album_thumbnail_card_item": "عنصر واحد",
|
||||
"album_thumbnail_card_items": "{} items",
|
||||
"album_thumbnail_card_shared": " · . مشترك",
|
||||
"album_thumbnail_shared_by": "Shared by {}",
|
||||
"album_updated": "تم تحديث الألبوم",
|
||||
"album_updated_setting_description": "تلقي إشعارًا عبر البريد الإلكتروني عندما يحتوي الألبوم المشترك على محتويات جديدة",
|
||||
"album_user_left": "تم ترك {album}",
|
||||
@@ -421,8 +428,10 @@
|
||||
"archive": "الأرشيف",
|
||||
"archive_or_unarchive_photo": "أرشفة الصورة أو إلغاء أرشفتها",
|
||||
"archive_page_no_archived_assets": "لم يتم العثور على الأصول المؤرشفة",
|
||||
"archive_page_title": "Archive ({})",
|
||||
"archive_size": "حجم الأرشيف",
|
||||
"archive_size_description": "تكوين حجم الأرشيف للتنزيلات (بالجيجابايت)",
|
||||
"archived": "Archived",
|
||||
"archived_count": "{count, plural, other {الأرشيف #}}",
|
||||
"are_these_the_same_person": "هل هؤلاء هم نفس الشخص؟",
|
||||
"are_you_sure_to_do_this": "هل انت متأكد من أنك تريد أن تفعل هذا؟",
|
||||
@@ -444,26 +453,39 @@
|
||||
"asset_list_settings_title": "شبكة الصور",
|
||||
"asset_offline": "المحتوى غير اتصال",
|
||||
"asset_offline_description": "لم يعد هذا الأصل الخارجي موجودًا على القرص. يرجى الاتصال بمسؤول Immich للحصول على المساعدة.",
|
||||
"asset_restored_successfully": "Asset restored successfully",
|
||||
"asset_skipped": "تم تخطيه",
|
||||
"asset_skipped_in_trash": "في سلة المهملات",
|
||||
"asset_uploaded": "تم الرفع",
|
||||
"asset_uploading": "جارٍ الرفع…",
|
||||
"asset_viewer_settings_subtitle": "Manage your gallery viewer settings",
|
||||
"asset_viewer_settings_title": "عارض الأصول",
|
||||
"assets": "المحتويات",
|
||||
"assets_added_count": "تمت إضافة {count, plural, one {# محتوى} other {# محتويات}}",
|
||||
"assets_added_to_album_count": "تمت إضافة {count, plural, one {# الأصل} other {# الأصول}} إلى الألبوم",
|
||||
"assets_added_to_name_count": "تم إضافة {count, plural, one {# محتوى} other {# محتويات }} إلى {hasName, select, true {<b>{name}</b>} other {ألبوم جديد}}",
|
||||
"assets_count": "{count, plural, one {# محتوى} other {# محتويات}}",
|
||||
"assets_deleted_permanently": "{} asset(s) deleted permanently",
|
||||
"assets_deleted_permanently_from_server": "{} asset(s) deleted permanently from the Immich server",
|
||||
"assets_moved_to_trash_count": "تم نقل {count, plural, one {# محتوى} other {# محتويات}} إلى سلة المهملات",
|
||||
"assets_permanently_deleted_count": "تم حذف {count, plural, one {# هذا المحتوى} other {# هذه المحتويات}} بشكل دائم",
|
||||
"assets_removed_count": "تمت إزالة {count, plural, one {# محتوى} other {# محتويات}}",
|
||||
"assets_removed_permanently_from_device": "{} asset(s) removed permanently from your device",
|
||||
"assets_restore_confirmation": "هل أنت متأكد من أنك تريد استعادة جميع الأصول المحذوفة؟ لا يمكنك التراجع عن هذا الإجراء! لاحظ أنه لا يمكن استعادة أي أصول غير متصلة بهذه الطريقة.",
|
||||
"assets_restored_count": "تمت استعادة {count, plural, one {# محتوى} other {# محتويات}}",
|
||||
"assets_restored_successfully": "{} asset(s) restored successfully",
|
||||
"assets_trashed": "{} asset(s) trashed",
|
||||
"assets_trashed_count": "تم إرسال {count, plural, one {# محتوى} other {# محتويات}} إلى سلة المهملات",
|
||||
"assets_trashed_from_server": "{} asset(s) trashed from the Immich server",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {هذا المحتوى} other {هذه المحتويات}} في الألبوم بالفعل",
|
||||
"authorized_devices": "الأجهزه المخولة",
|
||||
"automatic_endpoint_switching_subtitle": "Connect locally over designated Wi-Fi when available and use alternative connections elsewhere",
|
||||
"automatic_endpoint_switching_title": "Automatic URL switching",
|
||||
"back": "خلف",
|
||||
"back_close_deselect": "الرجوع أو الإغلاق أو إلغاء التحديد",
|
||||
"background_location_permission": "Background location permission",
|
||||
"background_location_permission_content": "In order to switch networks when running in the background, Immich must *always* have precise location access so the app can read the Wi-Fi network's name",
|
||||
"backup_album_selection_page_albums_device": "Albums on device ({})",
|
||||
"backup_album_selection_page_albums_tap": "انقر للتضمين، وانقر نقرًا مزدوجًا للاستثناء",
|
||||
"backup_album_selection_page_assets_scatter": "يمكن أن تنتشر الأصول عبر ألبومات متعددة. وبالتالي، يمكن تضمين الألبومات أو استبعادها أثناء عملية النسخ الاحتياطي.",
|
||||
"backup_album_selection_page_select_albums": "حدد الألبومات",
|
||||
@@ -472,9 +494,11 @@
|
||||
"backup_all": "الجميع",
|
||||
"backup_background_service_backup_failed_message": "فشل في النسخ الاحتياطي للأصول. جارٍ إعادة المحاولة...",
|
||||
"backup_background_service_connection_failed_message": "فشل في الاتصال بالخادم. جارٍ إعادة المحاولة...",
|
||||
"backup_background_service_current_upload_notification": "Uploading {}",
|
||||
"backup_background_service_default_notification": "التحقق من الأصول الجديدة ...",
|
||||
"backup_background_service_error_title": "خطأ في النسخ الاحتياطي",
|
||||
"backup_background_service_in_progress_notification": "النسخ الاحتياطي للأصول الخاصة بك...",
|
||||
"backup_background_service_upload_failure_notification": "Failed to upload {}",
|
||||
"backup_controller_page_albums": "ألبومات احتياطية",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "قم بتمكين تحديث تطبيق الخلفية في الإعدادات > عام > تحديث تطبيق الخلفية لاستخدام النسخ الاحتياطي في الخلفية.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "تم تعطيل تحديث التطبيق في الخلفية",
|
||||
@@ -485,6 +509,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "تحسين البطارية",
|
||||
"backup_controller_page_background_charging": "فقط أثناء الشحن",
|
||||
"backup_controller_page_background_configure_error": "فشل في تكوين خدمة الخلفية",
|
||||
"backup_controller_page_background_delay": "Delay new assets backup: {}",
|
||||
"backup_controller_page_background_description": "قم بتشغيل خدمة الخلفية لإجراء نسخ احتياطي لأي أصول جديدة تلقائيًا دون الحاجة إلى فتح التطبيق",
|
||||
"backup_controller_page_background_is_off": "تم إيقاف النسخ الاحتياطي التلقائي للخلفية",
|
||||
"backup_controller_page_background_is_on": "النسخ الاحتياطي التلقائي للخلفية قيد التشغيل",
|
||||
@@ -494,8 +519,12 @@
|
||||
"backup_controller_page_backup": "دعم",
|
||||
"backup_controller_page_backup_selected": "المحدد: ",
|
||||
"backup_controller_page_backup_sub": "النسخ الاحتياطي للصور ومقاطع الفيديو",
|
||||
"backup_controller_page_created": "Created on: {}",
|
||||
"backup_controller_page_desc_backup": "قم بتشغيل النسخ الاحتياطي الأمامي لتحميل الأصول الجديدة تلقائيًا إلى الخادم عند فتح التطبيق.",
|
||||
"backup_controller_page_excluded": "مستبعد: ",
|
||||
"backup_controller_page_failed": "Failed ({})",
|
||||
"backup_controller_page_filename": "File name: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "معلومات النسخ الاحتياطي",
|
||||
"backup_controller_page_none_selected": "لم يتم التحديد",
|
||||
"backup_controller_page_remainder": "بقية",
|
||||
@@ -504,6 +533,7 @@
|
||||
"backup_controller_page_start_backup": "بدء النسخ الاحتياطي",
|
||||
"backup_controller_page_status_off": "النسخة الاحتياطية التلقائية غير فعالة",
|
||||
"backup_controller_page_status_on": "النسخة الاحتياطية التلقائية فعالة",
|
||||
"backup_controller_page_storage_format": "{} of {} used",
|
||||
"backup_controller_page_to_backup": "الألبومات الاحتياطية",
|
||||
"backup_controller_page_total_sub": "جميع الصور ومقاطع الفيديو الفريدة من ألبومات مختارة",
|
||||
"backup_controller_page_turn_off": "قم بإيقاف تشغيل النسخ الاحتياطي المقدمة",
|
||||
@@ -516,6 +546,7 @@
|
||||
"backup_manual_success": "نجاح",
|
||||
"backup_manual_title": "حالة التحميل",
|
||||
"backup_options_page_title": "خيارات النسخ الاحتياطي",
|
||||
"backup_setting_subtitle": "Manage background and foreground upload settings",
|
||||
"backward": "الى الوراء",
|
||||
"birthdate_saved": "تم حفظ تاريخ الميلاد بنجاح",
|
||||
"birthdate_set_description": "يتم استخدام تاريخ الميلاد لحساب عمر هذا الشخص وقت التقاط الصورة.",
|
||||
@@ -527,16 +558,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "هل أنت متأكد من أنك تريد الاحتفاظ بـ {count, plural, one {# محتوى مكرر} other {# محتويات مكررة}}؟ سيؤدي هذا إلى حل جميع مجموعات النسخ المكررة دون حذف أي شيء.",
|
||||
"bulk_trash_duplicates_confirmation": "هل أنت متأكد من أنك تريد إرسال {count, plural, one {# محتوى مكرر} other {# محتويات مكررة}} إلى سلة المهملات ؟ سيحتفظ هذا بأكبر محتوى من كل مجموعة ويرسل جميع النسخ المكررة الأخرى إلى سلة المهملات.",
|
||||
"buy": "شراء immich",
|
||||
"cache_settings_album_thumbnails": "Library page thumbnails ({} assets)",
|
||||
"cache_settings_clear_cache_button": "مسح ذاكرة التخزين المؤقت",
|
||||
"cache_settings_clear_cache_button_title": "يقوم بمسح ذاكرة التخزين المؤقت للتطبيق.سيؤثر هذا بشكل كبير على أداء التطبيق حتى إعادة بناء ذاكرة التخزين المؤقت.",
|
||||
"cache_settings_duplicated_assets_clear_button": "واضح",
|
||||
"cache_settings_duplicated_assets_subtitle": "الصور ومقاطع الفيديو اللتي تم تجاهلها المدرجة في التطبيق",
|
||||
"cache_settings_duplicated_assets_title": "Duplicated Assets ({})",
|
||||
"cache_settings_image_cache_size": "Image cache size ({} assets)",
|
||||
"cache_settings_statistics_album": "مكتبه الصور المصغره",
|
||||
"cache_settings_statistics_assets": "{} assets ({})",
|
||||
"cache_settings_statistics_full": "صور كاملة",
|
||||
"cache_settings_statistics_shared": "صورة ألبوم مشتركة",
|
||||
"cache_settings_statistics_thumbnail": "الصورة المصغرة",
|
||||
"cache_settings_statistics_title": "استخدام ذاكرة التخزين المؤقت",
|
||||
"cache_settings_subtitle": "تحكم في سلوك التخزين المؤقت لتطبيق الجوال.",
|
||||
"cache_settings_thumbnail_size": "Thumbnail cache size ({} assets)",
|
||||
"cache_settings_tile_subtitle": "التحكم في سلوك التخزين المحلي",
|
||||
"cache_settings_tile_title": "التخزين المحلي",
|
||||
"cache_settings_title": "إعدادات التخزين المؤقت",
|
||||
@@ -545,10 +581,12 @@
|
||||
"camera_model": "طراز الكاميرا",
|
||||
"cancel": "إلغاء",
|
||||
"cancel_search": "الغي البحث",
|
||||
"canceled": "Canceled",
|
||||
"cannot_merge_people": "لا يمكن دمج الأشخاص",
|
||||
"cannot_undo_this_action": "لا يمكنك التراجع عن هذا الإجراء!",
|
||||
"cannot_update_the_description": "لا يمكن تحديث الوصف",
|
||||
"change_date": "غيّر التاريخ",
|
||||
"change_display_order": "Change display order",
|
||||
"change_expiration_time": "تغيير وقت انتهاء الصلاحية",
|
||||
"change_location": "غيّر الموقع",
|
||||
"change_name": "تغيير الإسم",
|
||||
@@ -560,10 +598,12 @@
|
||||
"change_password_form_new_password": "كلمة المرور الجديدة",
|
||||
"change_password_form_password_mismatch": "كلمة المرور غير مطابقة",
|
||||
"change_password_form_reenter_new_password": "أعد إدخال كلمة مرور جديدة",
|
||||
"change_pin_code": "تغيير الرقم السري",
|
||||
"change_your_password": "غير كلمة المرور الخاصة بك",
|
||||
"changed_visibility_successfully": "تم تغيير الرؤية بنجاح",
|
||||
"check_all": "تحقق من الكل",
|
||||
"check_corrupt_asset_backup": "Check for corrupt asset backups",
|
||||
"check_corrupt_asset_backup_button": "Perform check",
|
||||
"check_corrupt_asset_backup_description": "Run this check only over Wi-Fi and once all assets have been backed-up. The procedure might take a few minutes.",
|
||||
"check_logs": "تحقق من السجلات",
|
||||
"choose_matching_people_to_merge": "اختر الأشخاص المتطابقين لدمجهم",
|
||||
"city": "المدينة",
|
||||
@@ -572,6 +612,14 @@
|
||||
"clear_all_recent_searches": "مسح جميع عمليات البحث الأخيرة",
|
||||
"clear_message": "إخلاء الرسالة",
|
||||
"clear_value": "إخلاء القيمة",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Enter Password",
|
||||
"client_cert_import": "Import",
|
||||
"client_cert_import_success_msg": "Client certificate is imported",
|
||||
"client_cert_invalid_msg": "Invalid certificate file or wrong password",
|
||||
"client_cert_remove_msg": "Client certificate is removed",
|
||||
"client_cert_subtitle": "Supports PKCS12 (.p12, .pfx) format only. Certificate Import/Remove is available only before login",
|
||||
"client_cert_title": "SSL Client Certificate",
|
||||
"clockwise": "باتجاه عقارب الساعة",
|
||||
"close": "إغلاق",
|
||||
"collapse": "طي",
|
||||
@@ -584,21 +632,23 @@
|
||||
"comments_are_disabled": "التعليقات معطلة",
|
||||
"common_create_new_album": "إنشاء ألبوم جديد",
|
||||
"common_server_error": "يرجى التحقق من اتصال الشبكة الخاص بك ، والتأكد من أن الجهاز قابل للوصول وإصدارات التطبيق/الجهاز متوافقة.",
|
||||
"completed": "Completed",
|
||||
"confirm": "تأكيد",
|
||||
"confirm_admin_password": "تأكيد كلمة مرور المسؤول",
|
||||
"confirm_delete_face": "هل أنت متأكد من حذف وجه {name} من الأصول؟",
|
||||
"confirm_delete_shared_link": "هل أنت متأكد أنك تريد حذف هذا الرابط المشترك؟",
|
||||
"confirm_keep_this_delete_others": "سيتم حذف جميع الأصول الأخرى في المجموعة باستثناء هذا الأصل. هل أنت متأكد من أنك تريد المتابعة؟",
|
||||
"confirm_new_pin_code": "ثبت الرقم السري الجديد",
|
||||
"confirm_password": "تأكيد كلمة المرور",
|
||||
"contain": "محتواة",
|
||||
"context": "السياق",
|
||||
"continue": "متابعة",
|
||||
"control_bottom_app_bar_album_info_shared": "{} items · Shared",
|
||||
"control_bottom_app_bar_create_new_album": "إنشاء ألبوم جديد",
|
||||
"control_bottom_app_bar_delete_from_immich": " حذف منال تطبيق",
|
||||
"control_bottom_app_bar_delete_from_local": "حذف من الجهاز",
|
||||
"control_bottom_app_bar_edit_location": "تحديد الوجهة",
|
||||
"control_bottom_app_bar_edit_time": "تحرير التاريخ والوقت",
|
||||
"control_bottom_app_bar_share_link": "Share Link",
|
||||
"control_bottom_app_bar_share_to": "مشاركة إلى",
|
||||
"control_bottom_app_bar_trash_from_immich": "حذفه ونقله في سله المهملات",
|
||||
"copied_image_to_clipboard": "تم نسخ الصورة إلى الحافظة.",
|
||||
@@ -620,6 +670,7 @@
|
||||
"create_link": "إنشاء رابط",
|
||||
"create_link_to_share": "إنشاء رابط للمشاركة",
|
||||
"create_link_to_share_description": "السماح لأي شخص لديه الرابط بمشاهدة الصورة (الصور) المحددة",
|
||||
"create_new": "CREATE NEW",
|
||||
"create_new_person": "إنشاء شخص جديد",
|
||||
"create_new_person_hint": "تعيين المحتويات المحددة لشخص جديد",
|
||||
"create_new_user": "إنشاء مستخدم جديد",
|
||||
@@ -629,9 +680,10 @@
|
||||
"create_tag_description": "أنشئ علامة جديدة. بالنسبة للعلامات المتداخلة، يرجى إدخال المسار الكامل للعلامة بما في ذلك الخطوط المائلة للأمام.",
|
||||
"create_user": "إنشاء مستخدم",
|
||||
"created": "تم الإنشاء",
|
||||
"crop": "Crop",
|
||||
"curated_object_page_title": "أشياء",
|
||||
"current_device": "الجهاز الحالي",
|
||||
"current_pin_code": "الرقم السري الحالي",
|
||||
"current_server_address": "Current server address",
|
||||
"custom_locale": "لغة مخصصة",
|
||||
"custom_locale_description": "تنسيق التواريخ والأرقام بناءً على اللغة والمنطقة",
|
||||
"daily_title_text_date": "E ، MMM DD",
|
||||
@@ -682,6 +734,7 @@
|
||||
"direction": "الإتجاه",
|
||||
"disabled": "معطل",
|
||||
"disallow_edits": "منع التعديلات",
|
||||
"discord": "Discord",
|
||||
"discover": "اكتشف",
|
||||
"dismiss_all_errors": "تجاهل كافة الأخطاء",
|
||||
"dismiss_error": "تجاهل الخطأ",
|
||||
@@ -693,12 +746,26 @@
|
||||
"documentation": "الوثائق",
|
||||
"done": "تم",
|
||||
"download": "تنزيل",
|
||||
"download_canceled": "Download canceled",
|
||||
"download_complete": "Download complete",
|
||||
"download_enqueue": "Download enqueued",
|
||||
"download_error": "Download Error",
|
||||
"download_failed": "Download failed",
|
||||
"download_filename": "file: {}",
|
||||
"download_finished": "Download finished",
|
||||
"download_include_embedded_motion_videos": "مقاطع الفيديو المدمجة",
|
||||
"download_include_embedded_motion_videos_description": "تضمين مقاطع الفيديو المضمنة في الصور المتحركة كملف منفصل",
|
||||
"download_notfound": "Download not found",
|
||||
"download_paused": "Download paused",
|
||||
"download_settings": "التنزيلات",
|
||||
"download_settings_description": "إدارة الإعدادات المتعلقة بتنزيل المحتويات",
|
||||
"download_started": "Download started",
|
||||
"download_sucess": "Download success",
|
||||
"download_sucess_android": "The media has been downloaded to DCIM/Immich",
|
||||
"download_waiting_to_retry": "Waiting to retry",
|
||||
"downloading": "جارٍ التنزيل",
|
||||
"downloading_asset_filename": "{filename} قيد التنزيل",
|
||||
"downloading_media": "Downloading media",
|
||||
"drop_files_to_upload": "قم بإسقاط الملفات في أي مكان لرفعها",
|
||||
"duplicates": "التكرارات",
|
||||
"duplicates_description": "قم بحل كل مجموعة من خلال الإشارة إلى التكرارات، إن وجدت",
|
||||
@@ -728,15 +795,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "نسب العرض إلى الارتفاع",
|
||||
"editor_crop_tool_h2_rotation": "التدوير",
|
||||
"email": "البريد الإلكتروني",
|
||||
"empty_folder": "This folder is empty",
|
||||
"empty_trash": "أفرغ سلة المهملات",
|
||||
"empty_trash_confirmation": "هل أنت متأكد أنك تريد إفراغ سلة المهملات؟ سيؤدي هذا إلى إزالة جميع المحتويات الموجودة في سلة المهملات بشكل نهائي من Immich.\nلا يمكنك التراجع عن هذا الإجراء!",
|
||||
"enable": "تفعيل",
|
||||
"enabled": "مفعل",
|
||||
"end_date": "تاريخ الإنتهاء",
|
||||
"enqueued": "Enqueued",
|
||||
"enter_wifi_name": "Enter WiFi name",
|
||||
"error": "خطأ",
|
||||
"error_change_sort_album": "Failed to change album sort order",
|
||||
"error_delete_face": "حدث خطأ في حذف الوجه من الأصول",
|
||||
"error_loading_image": "حدث خطأ أثناء تحميل الصورة",
|
||||
"error_saving_image": "Error: {}",
|
||||
"error_title": "خطأ - حدث خللٌ ما",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "لا يمكن الانتقال إلى المحتوى التالي",
|
||||
@@ -870,6 +941,10 @@
|
||||
"exif_bottom_sheet_location": "موقع",
|
||||
"exif_bottom_sheet_people": "الناس",
|
||||
"exif_bottom_sheet_person_add_person": "اضف اسما",
|
||||
"exif_bottom_sheet_person_age": "Age {}",
|
||||
"exif_bottom_sheet_person_age_months": "Age {} months",
|
||||
"exif_bottom_sheet_person_age_year_months": "Age 1 year, {} months",
|
||||
"exif_bottom_sheet_person_age_years": "Age {}",
|
||||
"exit_slideshow": "خروج من العرض التقديمي",
|
||||
"expand_all": "توسيع الكل",
|
||||
"experimental_settings_new_asset_list_subtitle": "أعمال جارية",
|
||||
@@ -886,9 +961,12 @@
|
||||
"extension": "الإمتداد",
|
||||
"external": "خارجي",
|
||||
"external_libraries": "المكتبات الخارجية",
|
||||
"external_network": "External network",
|
||||
"external_network_sheet_info": "When not on the preferred WiFi network, the app will connect to the server through the first of the below URLs it can reach, starting from top to bottom",
|
||||
"face_unassigned": "غير معين",
|
||||
"failed": "Failed",
|
||||
"failed_to_load_assets": "فشل تحميل الأصول",
|
||||
"failed_to_load_folder": "Failed to load folder",
|
||||
"favorite": "مفضل",
|
||||
"favorite_or_unfavorite_photo": "تفضيل أو إلغاء تفضيل الصورة",
|
||||
"favorites": "المفضلة",
|
||||
@@ -900,18 +978,23 @@
|
||||
"file_name_or_extension": "اسم الملف أو امتداده",
|
||||
"filename": "اسم الملف",
|
||||
"filetype": "نوع الملف",
|
||||
"filter": "Filter",
|
||||
"filter_people": "تصفية الاشخاص",
|
||||
"find_them_fast": "يمكنك العثور عليها بسرعة بالاسم من خلال البحث",
|
||||
"fix_incorrect_match": "إصلاح المطابقة غير الصحيحة",
|
||||
"folder": "Folder",
|
||||
"folder_not_found": "Folder not found",
|
||||
"folders": "المجلدات",
|
||||
"folders_feature_description": "تصفح عرض المجلد للصور ومقاطع الفيديو الموجودة على نظام الملفات",
|
||||
"forward": "إلى الأمام",
|
||||
"general": "عام",
|
||||
"get_help": "الحصول على المساعدة",
|
||||
"get_wifiname_error": "Could not get Wi-Fi name. Make sure you have granted the necessary permissions and are connected to a Wi-Fi network",
|
||||
"getting_started": "البدء",
|
||||
"go_back": "الرجوع للخلف",
|
||||
"go_to_folder": "اذهب إلى المجلد",
|
||||
"go_to_search": "اذهب إلى البحث",
|
||||
"grant_permission": "Grant permission",
|
||||
"group_albums_by": "تجميع الألبومات حسب...",
|
||||
"group_country": "مجموعة البلد",
|
||||
"group_no": "بدون تجميع",
|
||||
@@ -921,6 +1004,12 @@
|
||||
"haptic_feedback_switch": "تمكين ردود الفعل اللمسية",
|
||||
"haptic_feedback_title": "ردود فعل لمسية",
|
||||
"has_quota": "محدد بحصة",
|
||||
"header_settings_add_header_tip": "Add Header",
|
||||
"header_settings_field_validator_msg": "Value cannot be empty",
|
||||
"header_settings_header_name_input": "Header name",
|
||||
"header_settings_header_value_input": "Header value",
|
||||
"headers_settings_tile_subtitle": "Define proxy headers the app should send with each network request",
|
||||
"headers_settings_tile_title": "Custom proxy headers",
|
||||
"hi_user": "مرحبا {name} ({email})",
|
||||
"hide_all_people": "إخفاء جميع الأشخاص",
|
||||
"hide_gallery": "اخفاء المعرض",
|
||||
@@ -944,6 +1033,8 @@
|
||||
"home_page_upload_err_limit": "لا يمكن إلا تحميل 30 أحد الأصول في وقت واحد ، سوف يتخطى",
|
||||
"host": "المضيف",
|
||||
"hour": "ساعة",
|
||||
"ignore_icloud_photos": "Ignore iCloud photos",
|
||||
"ignore_icloud_photos_description": "Photos that are stored on iCloud will not be uploaded to the Immich server",
|
||||
"image": "صورة",
|
||||
"image_alt_text_date": "{isVideo, select, true {Video} other {Image}} تم التقاطها في {date}",
|
||||
"image_alt_text_date_1_person": "{isVideo, select, true {Video} other {Image}} تم التقاطها مع {person1} في {date}",
|
||||
@@ -955,6 +1046,7 @@
|
||||
"image_alt_text_date_place_2_people": "{isVideo, select, true {Video} other {Image}} تم التقاطها في {city}، {country} مع {person1} و{person2} في {date}",
|
||||
"image_alt_text_date_place_3_people": "{isVideo, select, true {Video} other {Image}} تم التقاطها في {city}، {country} مع {person1}، {person2}، و{person3} في {date}",
|
||||
"image_alt_text_date_place_4_or_more_people": "{isVideo, select, true {Video} other {Image}} تم التقاطها في {city}, {country} with {person1}, {person2}, مع {additionalCount, number} آخرين في {date}",
|
||||
"image_saved_successfully": "Image saved",
|
||||
"image_viewer_page_state_provider_download_started": "بدأ التنزيل",
|
||||
"image_viewer_page_state_provider_download_success": "تم التنزيل بنجاح",
|
||||
"image_viewer_page_state_provider_share_error": "خطأ في المشاركة",
|
||||
@@ -976,6 +1068,8 @@
|
||||
"night_at_midnight": "كل ليلة عند منتصف الليل",
|
||||
"night_at_twoam": "كل ليلة الساعة 2 صباحا"
|
||||
},
|
||||
"invalid_date": "Invalid date",
|
||||
"invalid_date_format": "Invalid date format",
|
||||
"invite_people": "دعوة الأشخاص",
|
||||
"invite_to_album": "دعوة إلى الألبوم",
|
||||
"items_count": "{count, plural, one {# عنصر} other {# عناصر}}",
|
||||
@@ -1011,6 +1105,9 @@
|
||||
"list": "قائمة",
|
||||
"loading": "تحميل",
|
||||
"loading_search_results_failed": "فشل تحميل نتائج البحث",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "The app will connect to the server through this URL when using the specified Wi-Fi network",
|
||||
"location_permission": "Location permission",
|
||||
"location_permission_content": "In order to use the auto-switching feature, Immich needs precise location permission so it can read the current WiFi network's name",
|
||||
"location_picker_choose_on_map": "اختر على الخريطة",
|
||||
"location_picker_latitude_error": "أدخل خط عرض صالح",
|
||||
@@ -1026,6 +1123,7 @@
|
||||
"login_form_api_exception": " استثناء برمجة التطبيقات. يرجى التحقق من عنوان الخادم والمحاولة مرة أخرى ",
|
||||
"login_form_back_button_text": "الرجوع للخلف",
|
||||
"login_form_email_hint": "yoursemail@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "url نقطة نهاية الخادم",
|
||||
"login_form_err_http": "يرجى تحديد http:// أو https://",
|
||||
"login_form_err_invalid_email": "بريد إلكتروني خاطئ",
|
||||
@@ -1059,6 +1157,8 @@
|
||||
"manage_your_devices": "إدارة الأجهزة التي تم تسجيل الدخول إليها",
|
||||
"manage_your_oauth_connection": "إدارة اتصال OAuth الخاص بك",
|
||||
"map": "الخريطة",
|
||||
"map_assets_in_bound": "{} photo",
|
||||
"map_assets_in_bounds": "{} photos",
|
||||
"map_cannot_get_user_location": "لا يمكن الحصول على موقع المستخدم",
|
||||
"map_location_dialog_yes": "نعم",
|
||||
"map_location_picker_page_use_location": "استخدم هذا الموقع",
|
||||
@@ -1072,7 +1172,9 @@
|
||||
"map_settings": "إعدادات الخريطة",
|
||||
"map_settings_dark_mode": "الوضع المظلم",
|
||||
"map_settings_date_range_option_day": "24 ساعة الماضية",
|
||||
"map_settings_date_range_option_days": "Past {} days",
|
||||
"map_settings_date_range_option_year": "السنة الفائتة",
|
||||
"map_settings_date_range_option_years": "Past {} years",
|
||||
"map_settings_dialog_title": "إعدادات الخريطة",
|
||||
"map_settings_include_show_archived": "تشمل الأرشفة",
|
||||
"map_settings_include_show_partners": "تضمين الشركاء",
|
||||
@@ -1087,6 +1189,8 @@
|
||||
"memories_setting_description": "إدارة ما تراه في ذكرياتك",
|
||||
"memories_start_over": "ابدأ من جديد",
|
||||
"memories_swipe_to_close": "اسحب لأعلى للإغلاق",
|
||||
"memories_year_ago": "A year ago",
|
||||
"memories_years_ago": "{} years ago",
|
||||
"memory": "ذكرى",
|
||||
"memory_lane_title": "ذكرياتٌ من {title}",
|
||||
"menu": "القائمة",
|
||||
@@ -1110,12 +1214,13 @@
|
||||
"my_albums": "ألبوماتي",
|
||||
"name": "الاسم",
|
||||
"name_or_nickname": "الاسم أو اللقب",
|
||||
"networking_settings": "Networking",
|
||||
"networking_subtitle": "Manage the server endpoint settings",
|
||||
"never": "أبداً",
|
||||
"new_album": "البوم جديد",
|
||||
"new_api_key": "مفتاح API جديد",
|
||||
"new_password": "كلمة المرور الجديدة",
|
||||
"new_person": "شخص جديد",
|
||||
"new_pin_code": "الرقم السري الجديد",
|
||||
"new_user_created": "تم إنشاء مستخدم جديد",
|
||||
"new_version_available": "إصدار جديد متاح",
|
||||
"newest_first": "الأحدث أولاً",
|
||||
@@ -1139,6 +1244,7 @@
|
||||
"no_results_description": "جرب كلمة رئيسية مرادفة أو أكثر عمومية",
|
||||
"no_shared_albums_message": "قم بإنشاء ألبوم لمشاركة الصور ومقاطع الفيديو مع الأشخاص في شبكتك",
|
||||
"not_in_any_album": "ليست في أي ألبوم",
|
||||
"not_selected": "Not selected",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "ملاحظة: لتطبيق تسمية التخزين على المحتويات التي تم رفعها مسبقًا، قم بتشغيل",
|
||||
"notes": "ملاحظات",
|
||||
"notification_permission_dialog_content": "لتمكين الإخطارات ، انتقل إلى الإعدادات و اختار السماح.",
|
||||
@@ -1148,12 +1254,14 @@
|
||||
"notification_toggle_setting_description": "تفعيل إشعارات البريد الإلكتروني",
|
||||
"notifications": "إشعارات",
|
||||
"notifications_setting_description": "إدارة الإشعارات",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "الموارد الرسمية لشركة Immich",
|
||||
"offline": "غير متصل",
|
||||
"offline_paths": "مسارات غير متصلة",
|
||||
"offline_paths_description": "قد تكون هذه النتائج بسبب الحذف اليدوي للملفات التي لا تشكل جزءًا من مكتبة خارجية.",
|
||||
"ok": "نعم",
|
||||
"oldest_first": "الأقدم أولا",
|
||||
"on_this_device": "On this device",
|
||||
"onboarding": "الإعداد الأولي",
|
||||
"onboarding_privacy_description": "تعتمد الميزات التالية (اختياري) على خدمات خارجية، ويمكن تعطيلها في أي وقت في إعدادات الإدارة.",
|
||||
"onboarding_theme_description": "اختر نسق الألوان للنسخة الخاصة بك. يمكنك تغيير ذلك لاحقًا في إعداداتك.",
|
||||
@@ -1177,12 +1285,14 @@
|
||||
"partner_can_access": "يستطيع {partner} الوصول",
|
||||
"partner_can_access_assets": "جميع الصور ومقاطع الفيديو الخاصة بك باستثناء تلك الموجودة في المؤرشفة والمحذوفة",
|
||||
"partner_can_access_location": "الموقع الذي تم التقاط صورك فيه",
|
||||
"partner_list_user_photos": "{user}'s photos",
|
||||
"partner_list_view_all": "عرض الكل",
|
||||
"partner_page_empty_message": "لم يتم مشاركة صورك بعد مع أي شريك.",
|
||||
"partner_page_no_more_users": "لا مزيد من المستخدمين لإضافة",
|
||||
"partner_page_partner_add_failed": "فشل في إضافة شريك",
|
||||
"partner_page_select_partner": "حدد شريكًا",
|
||||
"partner_page_shared_to_title": "مشترك ل",
|
||||
"partner_page_stop_sharing_content": "{} will no longer be able to access your photos.",
|
||||
"partner_sharing": "مشاركة الشركاء",
|
||||
"partners": "الشركاء",
|
||||
"password": "كلمة المرور",
|
||||
@@ -1228,9 +1338,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} صورة} other {{count, number} صور}}",
|
||||
"photos_from_previous_years": "صور من السنوات السابقة",
|
||||
"pick_a_location": "اختر موقعًا",
|
||||
"pin_code_changed_successfully": "تم تغير الرقم السري",
|
||||
"pin_code_reset_successfully": "تم اعادة تعيين الرقم السري",
|
||||
"pin_code_setup_successfully": "تم انشاء رقم سري",
|
||||
"place": "مكان",
|
||||
"places": "الأماكن",
|
||||
"places_count": "{count, plural, one {{count, number} مكان} other {{count, number} أماكن}}",
|
||||
@@ -1239,6 +1346,7 @@
|
||||
"play_motion_photo": "تشغيل الصور المتحركة",
|
||||
"play_or_pause_video": "تشغيل الفيديو أو إيقافه مؤقتًا",
|
||||
"port": "المنفذ",
|
||||
"preferences_settings_subtitle": "Manage the app's preferences",
|
||||
"preferences_settings_title": "التفضيلات",
|
||||
"preset": "الإعداد المسبق",
|
||||
"preview": "معاينة",
|
||||
@@ -1260,7 +1368,7 @@
|
||||
"public_share": "مشاركة عامة",
|
||||
"purchase_account_info": "داعم",
|
||||
"purchase_activated_subtitle": "شكرًا لك على دعمك لـ Immich والبرمجيات مفتوحة المصدر",
|
||||
"purchase_activated_time": "تم التفعيل في {date}",
|
||||
"purchase_activated_time": "تم التفعيل في {date, date}",
|
||||
"purchase_activated_title": "لقد تم تفعيل مفتاحك بنجاح",
|
||||
"purchase_button_activate": "تنشيط",
|
||||
"purchase_button_buy": "شراء",
|
||||
@@ -1303,6 +1411,7 @@
|
||||
"recent": "حديث",
|
||||
"recent-albums": "ألبومات الحديثة",
|
||||
"recent_searches": "عمليات البحث الأخيرة",
|
||||
"recently_added": "Recently added",
|
||||
"recently_added_page_title": "أضيف مؤخرا",
|
||||
"refresh": "تحديث",
|
||||
"refresh_encoded_videos": "تحديث مقاطع الفيديو المشفرة",
|
||||
@@ -1360,6 +1469,7 @@
|
||||
"role_editor": "المحرر",
|
||||
"role_viewer": "العارض",
|
||||
"save": "حفظ",
|
||||
"save_to_gallery": "Save to gallery",
|
||||
"saved_api_key": "تم حفظ مفتاح الـ API",
|
||||
"saved_profile": "تم حفظ الملف",
|
||||
"saved_settings": "تم حفظ الإعدادات",
|
||||
@@ -1381,17 +1491,31 @@
|
||||
"search_city": "البحث حسب المدينة...",
|
||||
"search_country": "البحث حسب الدولة...",
|
||||
"search_filter_apply": "اختار الفلتر ",
|
||||
"search_filter_camera_title": "Select camera type",
|
||||
"search_filter_date": "Date",
|
||||
"search_filter_date_interval": "{start} to {end}",
|
||||
"search_filter_date_title": "Select a date range",
|
||||
"search_filter_display_option_not_in_album": "ليس في الألبوم",
|
||||
"search_filter_display_options": "Display Options",
|
||||
"search_filter_filename": "Search by file name",
|
||||
"search_filter_location": "Location",
|
||||
"search_filter_location_title": "Select location",
|
||||
"search_filter_media_type": "Media Type",
|
||||
"search_filter_media_type_title": "Select media type",
|
||||
"search_filter_people_title": "Select people",
|
||||
"search_for": "البحث عن",
|
||||
"search_for_existing_person": "البحث عن شخص موجود",
|
||||
"search_no_more_result": "No more results",
|
||||
"search_no_people": "لا يوجد أشخاص",
|
||||
"search_no_people_named": "لا يوجد أشخاص بالاسم \"{name}\"",
|
||||
"search_no_result": "No results found, try a different search term or combination",
|
||||
"search_options": "خيارات البحث",
|
||||
"search_page_categories": "فئات",
|
||||
"search_page_motion_photos": "الصور المتحركه",
|
||||
"search_page_no_objects": "لا توجد معلومات عن أشياء متاحة",
|
||||
"search_page_no_places": "لا توجد معلومات متوفرة للأماكن",
|
||||
"search_page_screenshots": "لقطات الشاشة",
|
||||
"search_page_search_photos_videos": "Search for your photos and videos",
|
||||
"search_page_selfies": " صور ذاتيه",
|
||||
"search_page_things": "أشياء",
|
||||
"search_page_view_all_button": "عرض الكل",
|
||||
@@ -1430,6 +1554,7 @@
|
||||
"selected_count": "{count, plural, other {# محددة }}",
|
||||
"send_message": "إرسال رسالة",
|
||||
"send_welcome_email": "إرسال بريدًا إلكترونيًا ترحيبيًا",
|
||||
"server_endpoint": "Server Endpoint",
|
||||
"server_info_box_app_version": "نسخة التطبيق",
|
||||
"server_info_box_server_url": "عنوان URL الخادم",
|
||||
"server_offline": "الخادم غير متصل",
|
||||
@@ -1450,21 +1575,28 @@
|
||||
"setting_image_viewer_preview_title": "تحميل صورة معاينة",
|
||||
"setting_image_viewer_title": "الصور",
|
||||
"setting_languages_apply": "تغيير الإعدادات",
|
||||
"setting_languages_subtitle": "Change the app's language",
|
||||
"setting_languages_title": "اللغات",
|
||||
"setting_notifications_notify_failures_grace_period": "Notify background backup failures: {}",
|
||||
"setting_notifications_notify_hours": "{} hours",
|
||||
"setting_notifications_notify_immediately": "في الحال",
|
||||
"setting_notifications_notify_minutes": "{} minutes",
|
||||
"setting_notifications_notify_never": "أبداً",
|
||||
"setting_notifications_notify_seconds": "{} seconds",
|
||||
"setting_notifications_single_progress_subtitle": "معلومات التقدم التفصيلية تحميل لكل أصل",
|
||||
"setting_notifications_single_progress_title": "إظهار تقدم التفاصيل الاحتياطية الخلفية",
|
||||
"setting_notifications_subtitle": "اضبط تفضيلات الإخطار",
|
||||
"setting_notifications_total_progress_subtitle": "التقدم التحميل العام (تم القيام به/إجمالي الأصول)",
|
||||
"setting_notifications_total_progress_title": "إظهار النسخ الاحتياطي الخلفية التقدم المحرز",
|
||||
"setting_video_viewer_looping_title": "تكرار مقطع فيديو تلقائيًا",
|
||||
"setting_video_viewer_original_video_subtitle": "When streaming a video from the server, play the original even when a transcode is available. May lead to buffering. Videos available locally are played in original quality regardless of this setting.",
|
||||
"setting_video_viewer_original_video_title": "Force original video",
|
||||
"settings": "الإعدادات",
|
||||
"settings_require_restart": "يرجى إعادة تشغيل لتطبيق هذا الإعداد",
|
||||
"settings_saved": "تم حفظ الإعدادات",
|
||||
"setup_pin_code": "تحديد رقم سري",
|
||||
"share": "مشاركة",
|
||||
"share_add_photos": "إضافة الصور",
|
||||
"share_assets_selected": "{} selected",
|
||||
"share_dialog_preparing": "تحضير...",
|
||||
"shared": "مُشتَرك",
|
||||
"shared_album_activities_input_disable": "التعليق معطل",
|
||||
@@ -1478,22 +1610,40 @@
|
||||
"shared_by_user": "تمت المشاركة بواسطة {user}",
|
||||
"shared_by_you": "تمت مشاركته من قِبلك",
|
||||
"shared_from_partner": "صور من {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Uploaded",
|
||||
"shared_link_app_bar_title": "روابط مشتركة",
|
||||
"shared_link_clipboard_copied_massage": "نسخ إلى الحافظة",
|
||||
"shared_link_clipboard_text": "Link: {}\nPassword: {}",
|
||||
"shared_link_create_error": "خطأ أثناء إنشاء رابط مشترك",
|
||||
"shared_link_edit_description_hint": "أدخل وصف المشاركة",
|
||||
"shared_link_edit_expire_after_option_day": "يوم 1",
|
||||
"shared_link_edit_expire_after_option_days": "{} days",
|
||||
"shared_link_edit_expire_after_option_hour": "1 ساعة",
|
||||
"shared_link_edit_expire_after_option_hours": "{} hours",
|
||||
"shared_link_edit_expire_after_option_minute": "1 دقيقة",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutes",
|
||||
"shared_link_edit_expire_after_option_months": "{} months",
|
||||
"shared_link_edit_expire_after_option_year": "{} year",
|
||||
"shared_link_edit_password_hint": "أدخل كلمة مرور المشاركة",
|
||||
"shared_link_edit_submit_button": "تحديث الرابط",
|
||||
"shared_link_error_server_url_fetch": "لا يمكن جلب عنوان الخادم",
|
||||
"shared_link_expires_day": "Expires in {} day",
|
||||
"shared_link_expires_days": "Expires in {} days",
|
||||
"shared_link_expires_hour": "Expires in {} hour",
|
||||
"shared_link_expires_hours": "Expires in {} hours",
|
||||
"shared_link_expires_minute": "Expires in {} minute",
|
||||
"shared_link_expires_minutes": "Expires in {} minutes",
|
||||
"shared_link_expires_never": "تنتهي ∞",
|
||||
"shared_link_expires_second": "Expires in {} second",
|
||||
"shared_link_expires_seconds": "Expires in {} seconds",
|
||||
"shared_link_individual_shared": "Individual shared",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "إدارة الروابط المشتركة",
|
||||
"shared_link_options": "خيارات الرابط المشترك",
|
||||
"shared_links": "روابط مشتركة",
|
||||
"shared_links_description": "وصف الروابط المشتركة",
|
||||
"shared_photos_and_videos_count": "{assetCount, plural, other {# الصور ومقاطع الفيديو المُشارَكة.}}",
|
||||
"shared_with_me": "Shared with me",
|
||||
"shared_with_partner": "تمت المشاركة مع {partner}",
|
||||
"sharing": "مشاركة",
|
||||
"sharing_enter_password": "الرجاء إدخال كلمة المرور لعرض هذه الصفحة.",
|
||||
@@ -1569,6 +1719,9 @@
|
||||
"support_third_party_description": "تم حزم تثبيت immich الخاص بك بواسطة جهة خارجية. قد تكون المشكلات التي تواجهها ناجمة عن هذه الحزمة، لذا يرجى طرح المشكلات معهم في المقام الأول باستخدام الروابط أدناه.",
|
||||
"swap_merge_direction": "تبديل اتجاه الدمج",
|
||||
"sync": "مزامنة",
|
||||
"sync_albums": "Sync albums",
|
||||
"sync_albums_manual_subtitle": "Sync all uploaded videos and photos to the selected backup albums",
|
||||
"sync_upload_album_setting_subtitle": "Create and upload your photos and videos to the selected albums on Immich",
|
||||
"tag": "العلامة",
|
||||
"tag_assets": "أصول العلامة",
|
||||
"tag_created": "تم إنشاء العلامة: {tag}",
|
||||
@@ -1583,8 +1736,14 @@
|
||||
"theme_selection": "اختيار السمة",
|
||||
"theme_selection_description": "قم بتعيين السمة تلقائيًا على اللون الفاتح أو الداكن بناءً على تفضيلات نظام المتصفح الخاص بك",
|
||||
"theme_setting_asset_list_storage_indicator_title": "عرض مؤشر التخزين على بلاط الأصول",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Number of assets per row ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Apply primary color to background surfaces.",
|
||||
"theme_setting_colorful_interface_title": "Colorful interface",
|
||||
"theme_setting_image_viewer_quality_subtitle": "اضبط جودة عارض الصورة التفصيلية",
|
||||
"theme_setting_image_viewer_quality_title": "جودة عارض الصورة",
|
||||
"theme_setting_primary_color_subtitle": "Pick a color for primary actions and accents.",
|
||||
"theme_setting_primary_color_title": "Primary color",
|
||||
"theme_setting_system_primary_color_title": "Use system color",
|
||||
"theme_setting_system_theme_switch": "تلقائي (اتبع إعداد النظام)",
|
||||
"theme_setting_theme_subtitle": "اختر إعدادات مظهر التطبيق",
|
||||
"theme_setting_three_stage_loading_subtitle": "قد يزيد التحميل من ثلاث مراحل من أداء التحميل ولكنه يسبب تحميل شبكة أعلى بكثير",
|
||||
@@ -1608,16 +1767,17 @@
|
||||
"trash_all": "نقل الكل إلى سلة المهملات",
|
||||
"trash_count": "سلة المحملات {count, number}",
|
||||
"trash_delete_asset": "حذف/نقل المحتوى إلى سلة المهملات",
|
||||
"trash_emptied": "Emptied trash",
|
||||
"trash_no_results_message": "ستظهر هنا الصور ومقاطع الفيديو المحذوفة.",
|
||||
"trash_page_delete_all": "حذف الكل",
|
||||
"trash_page_empty_trash_dialog_content": "هل تريد تفريغ أصولك المهملة؟ ستتم إزالة هذه العناصر نهائيًا من التطبيق",
|
||||
"trash_page_info": "Trashed items will be permanently deleted after {} days",
|
||||
"trash_page_no_assets": "لا توجد اصول في سله المهملات",
|
||||
"trash_page_restore_all": "استعادة الكل",
|
||||
"trash_page_select_assets_btn": "اختر الأصول ",
|
||||
"trash_page_title": "Trash ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "سيتم حذفُ العناصر المحذوفة نِهائيًا بعد {days, plural, one {# يوم} other {# أيام }}.",
|
||||
"type": "النوع",
|
||||
"unable_to_change_pin_code": "تفيير الرقم السري غير ممكن",
|
||||
"unable_to_setup_pin_code": "انشاء الرقم السري غير ممكن",
|
||||
"unarchive": "أخرج من الأرشيف",
|
||||
"unarchived_count": "{count, plural, other {غير مؤرشفة #}}",
|
||||
"unfavorite": "أزل التفضيل",
|
||||
@@ -1653,14 +1813,15 @@
|
||||
"upload_status_errors": "الأخطاء",
|
||||
"upload_status_uploaded": "تم الرفع",
|
||||
"upload_success": "تم الرفع بنجاح، قم بتحديث الصفحة لرؤية المحتويات المرفوعة الجديدة.",
|
||||
"upload_to_immich": "Upload to Immich ({})",
|
||||
"uploading": "Uploading",
|
||||
"url": "عنوان URL",
|
||||
"usage": "الاستخدام",
|
||||
"use_current_connection": "use current connection",
|
||||
"use_custom_date_range": "استخدم النطاق الزمني المخصص بدلاً من ذلك",
|
||||
"user": "مستخدم",
|
||||
"user_id": "معرف المستخدم",
|
||||
"user_liked": "قام {user} بالإعجاب {type, select, photo {بهذه الصورة} video {بهذا الفيديو} asset {بهذا المحتوى} other {بها}}",
|
||||
"user_pin_code_settings": "الرقم السري",
|
||||
"user_pin_code_settings_description": "تغير الرقم السري",
|
||||
"user_purchase_settings": "الشراء",
|
||||
"user_purchase_settings_description": "إدارة عملية الشراء الخاصة بك",
|
||||
"user_role_set": "قم بتعيين {user} كـ {role}",
|
||||
@@ -1671,6 +1832,7 @@
|
||||
"users": "المستخدمين",
|
||||
"utilities": "أدوات",
|
||||
"validate": "تحقْق",
|
||||
"validate_endpoint_error": "Please enter a valid URL",
|
||||
"variables": "المتغيرات",
|
||||
"version": "الإصدار",
|
||||
"version_announcement_closing": "صديقك، أليكس",
|
||||
@@ -1678,6 +1840,7 @@
|
||||
"version_announcement_overlay_release_notes": "ملاحظات الإصدار",
|
||||
"version_announcement_overlay_text_1": "مرحبًا يا صديقي ، هناك إصدار جديد",
|
||||
"version_announcement_overlay_text_2": "من فضلك خذ وقتك لزيارة",
|
||||
"version_announcement_overlay_text_3": " and ensure your docker-compose and .env setup is up-to-date to prevent any misconfigurations, especially if you use WatchTower or any mechanism that handles updating your server application automatically.",
|
||||
"version_announcement_overlay_title": "نسخه جديده متاحه للخادم ",
|
||||
"version_history": "تاريخ الإصدار",
|
||||
"version_history_item": "تم تثبيت {version} في {date}",
|
||||
|
||||
@@ -76,6 +76,7 @@
|
||||
"library_watching_settings_description": "Dəyişdirilən faylları avtomatik olaraq yoxla",
|
||||
"logging_enable_description": "Jurnalı aktivləşdir",
|
||||
"logging_level_description": "Aktiv edildikdə hansı jurnal səviyyəsi istifadə olunur.",
|
||||
"logging_settings": "",
|
||||
"machine_learning_clip_model": "CLIP modeli",
|
||||
"machine_learning_clip_model_description": "<link>Burada</link>qeyd olunan CLIP modelinin adı. Modeli dəyişdirdikdən sonra bütün şəkillər üçün 'Ağıllı Axtarış' funksiyasını yenidən işə salmalısınız.",
|
||||
"machine_learning_duplicate_detection": "Dublikat Aşkarlama",
|
||||
|
||||
@@ -546,6 +546,7 @@
|
||||
"direction": "Посока",
|
||||
"disabled": "Изключено",
|
||||
"disallow_edits": "Забраняване на редакциите",
|
||||
"discord": "Discord",
|
||||
"discover": "Открий",
|
||||
"dismiss_all_errors": "Отхвърляне на всички грешки",
|
||||
"dismiss_error": "Отхвърляне на грешка",
|
||||
@@ -726,6 +727,7 @@
|
||||
"unable_to_update_user": "Неуспешно обновяване на потребителя",
|
||||
"unable_to_upload_file": "Неуспешно качване на файл"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exit_slideshow": "Изход от слайдшоуто",
|
||||
"expand_all": "Разшири всички",
|
||||
"expire_after": "Изтича след",
|
||||
@@ -917,6 +919,7 @@
|
||||
"notification_toggle_setting_description": "Активиране на имейл известия",
|
||||
"notifications": "Известия",
|
||||
"notifications_setting_description": "Управление на известията",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Официална информация за Immich",
|
||||
"offline": "Офлайн",
|
||||
"offline_paths": "Офлайн пътища",
|
||||
@@ -1003,7 +1006,7 @@
|
||||
"public_share": "Публично споделяне",
|
||||
"purchase_account_info": "Поддръжник",
|
||||
"purchase_activated_subtitle": "Благодарим ви, че подкрепяте Immich и софтуера с отворен код",
|
||||
"purchase_activated_time": "Активиран на {date}",
|
||||
"purchase_activated_time": "Активиран на {date, date}",
|
||||
"purchase_activated_title": "Вашият ключ беше успешно активиран",
|
||||
"purchase_button_activate": "Активирай",
|
||||
"purchase_button_buy": "Купи",
|
||||
@@ -1313,6 +1316,7 @@
|
||||
"upload_status_errors": "Грешки",
|
||||
"upload_status_uploaded": "Качено",
|
||||
"upload_success": "Качването е успешно, опреснете страницата, за да видите новите файлове.",
|
||||
"url": "URL",
|
||||
"usage": "Потребление",
|
||||
"use_custom_date_range": "Използвайте собствен диапазон от дати вместо това",
|
||||
"user": "Потребител",
|
||||
|
||||
844
i18n/bi.json
844
i18n/bi.json
@@ -3,6 +3,8 @@
|
||||
"account": "Akaont",
|
||||
"account_settings": "Seting blo Akaont",
|
||||
"acknowledge": "Akcept",
|
||||
"action": "",
|
||||
"actions": "",
|
||||
"active": "Stap Mekem",
|
||||
"activity": "Wanem hemi Mekem",
|
||||
"activity_changed": "WAnem hemi Mekem hemi",
|
||||
@@ -14,5 +16,845 @@
|
||||
"add_exclusion_pattern": "Putem wan paten wae hemi karem aot",
|
||||
"add_import_path": "Putem wan pat blo import",
|
||||
"add_location": "Putem wan place blo hem",
|
||||
"add_more_users": "Putem mor man"
|
||||
"add_more_users": "Putem mor man",
|
||||
"add_partner": "",
|
||||
"add_path": "",
|
||||
"add_photos": "",
|
||||
"add_to": "",
|
||||
"add_to_album": "",
|
||||
"add_to_shared_album": "",
|
||||
"admin": {
|
||||
"add_exclusion_pattern_description": "",
|
||||
"authentication_settings": "",
|
||||
"authentication_settings_description": "",
|
||||
"background_task_job": "",
|
||||
"check_all": "",
|
||||
"config_set_by_file": "",
|
||||
"confirm_delete_library": "",
|
||||
"confirm_delete_library_assets": "",
|
||||
"confirm_email_below": "",
|
||||
"confirm_reprocess_all_faces": "",
|
||||
"confirm_user_password_reset": "",
|
||||
"disable_login": "",
|
||||
"duplicate_detection_job_description": "",
|
||||
"exclusion_pattern_description": "",
|
||||
"external_library_created_at": "",
|
||||
"external_library_management": "",
|
||||
"face_detection": "",
|
||||
"face_detection_description": "",
|
||||
"facial_recognition_job_description": "",
|
||||
"force_delete_user_warning": "",
|
||||
"forcing_refresh_library_files": "",
|
||||
"image_format_description": "",
|
||||
"image_prefer_embedded_preview": "",
|
||||
"image_prefer_embedded_preview_setting_description": "",
|
||||
"image_prefer_wide_gamut": "",
|
||||
"image_prefer_wide_gamut_setting_description": "",
|
||||
"image_quality": "",
|
||||
"image_settings": "",
|
||||
"image_settings_description": "",
|
||||
"job_concurrency": "",
|
||||
"job_not_concurrency_safe": "",
|
||||
"job_settings": "",
|
||||
"job_settings_description": "",
|
||||
"job_status": "",
|
||||
"jobs_delayed": "",
|
||||
"jobs_failed": "",
|
||||
"library_created": "",
|
||||
"library_deleted": "",
|
||||
"library_import_path_description": "",
|
||||
"library_scanning": "",
|
||||
"library_scanning_description": "",
|
||||
"library_scanning_enable_description": "",
|
||||
"library_settings": "",
|
||||
"library_settings_description": "",
|
||||
"library_tasks_description": "",
|
||||
"library_watching_enable_description": "",
|
||||
"library_watching_settings": "",
|
||||
"library_watching_settings_description": "",
|
||||
"logging_enable_description": "",
|
||||
"logging_level_description": "",
|
||||
"logging_settings": "",
|
||||
"machine_learning_clip_model": "",
|
||||
"machine_learning_duplicate_detection": "",
|
||||
"machine_learning_duplicate_detection_enabled_description": "",
|
||||
"machine_learning_duplicate_detection_setting_description": "",
|
||||
"machine_learning_enabled_description": "",
|
||||
"machine_learning_facial_recognition": "",
|
||||
"machine_learning_facial_recognition_description": "",
|
||||
"machine_learning_facial_recognition_model": "",
|
||||
"machine_learning_facial_recognition_model_description": "",
|
||||
"machine_learning_facial_recognition_setting_description": "",
|
||||
"machine_learning_max_detection_distance": "",
|
||||
"machine_learning_max_detection_distance_description": "",
|
||||
"machine_learning_max_recognition_distance": "",
|
||||
"machine_learning_max_recognition_distance_description": "",
|
||||
"machine_learning_min_detection_score": "",
|
||||
"machine_learning_min_detection_score_description": "",
|
||||
"machine_learning_min_recognized_faces": "",
|
||||
"machine_learning_min_recognized_faces_description": "",
|
||||
"machine_learning_settings": "",
|
||||
"machine_learning_settings_description": "",
|
||||
"machine_learning_smart_search": "",
|
||||
"machine_learning_smart_search_description": "",
|
||||
"machine_learning_smart_search_enabled_description": "",
|
||||
"machine_learning_url_description": "",
|
||||
"manage_concurrency": "",
|
||||
"manage_log_settings": "",
|
||||
"map_dark_style": "",
|
||||
"map_enable_description": "",
|
||||
"map_light_style": "",
|
||||
"map_reverse_geocoding": "",
|
||||
"map_reverse_geocoding_enable_description": "",
|
||||
"map_reverse_geocoding_settings": "",
|
||||
"map_settings": "",
|
||||
"map_settings_description": "",
|
||||
"map_style_description": "",
|
||||
"metadata_extraction_job": "",
|
||||
"metadata_extraction_job_description": "",
|
||||
"migration_job": "",
|
||||
"migration_job_description": "",
|
||||
"no_paths_added": "",
|
||||
"no_pattern_added": "",
|
||||
"note_apply_storage_label_previous_assets": "",
|
||||
"note_cannot_be_changed_later": "",
|
||||
"notification_email_from_address": "",
|
||||
"notification_email_from_address_description": "",
|
||||
"notification_email_host_description": "",
|
||||
"notification_email_ignore_certificate_errors": "",
|
||||
"notification_email_ignore_certificate_errors_description": "",
|
||||
"notification_email_password_description": "",
|
||||
"notification_email_port_description": "",
|
||||
"notification_email_sent_test_email_button": "",
|
||||
"notification_email_setting_description": "",
|
||||
"notification_email_test_email_failed": "",
|
||||
"notification_email_test_email_sent": "",
|
||||
"notification_email_username_description": "",
|
||||
"notification_enable_email_notifications": "",
|
||||
"notification_settings": "",
|
||||
"notification_settings_description": "",
|
||||
"oauth_auto_launch": "",
|
||||
"oauth_auto_launch_description": "",
|
||||
"oauth_auto_register": "",
|
||||
"oauth_auto_register_description": "",
|
||||
"oauth_button_text": "",
|
||||
"oauth_enable_description": "",
|
||||
"oauth_mobile_redirect_uri": "",
|
||||
"oauth_mobile_redirect_uri_override": "",
|
||||
"oauth_mobile_redirect_uri_override_description": "",
|
||||
"oauth_settings": "",
|
||||
"oauth_settings_description": "",
|
||||
"oauth_storage_label_claim": "",
|
||||
"oauth_storage_label_claim_description": "",
|
||||
"oauth_storage_quota_claim": "",
|
||||
"oauth_storage_quota_claim_description": "",
|
||||
"oauth_storage_quota_default": "",
|
||||
"oauth_storage_quota_default_description": "",
|
||||
"offline_paths": "",
|
||||
"offline_paths_description": "",
|
||||
"password_enable_description": "",
|
||||
"password_settings": "",
|
||||
"password_settings_description": "",
|
||||
"paths_validated_successfully": "",
|
||||
"quota_size_gib": "",
|
||||
"refreshing_all_libraries": "",
|
||||
"repair_all": "",
|
||||
"repair_matched_items": "",
|
||||
"repaired_items": "",
|
||||
"require_password_change_on_login": "",
|
||||
"reset_settings_to_default": "",
|
||||
"reset_settings_to_recent_saved": "",
|
||||
"send_welcome_email": "",
|
||||
"server_external_domain_settings": "",
|
||||
"server_external_domain_settings_description": "",
|
||||
"server_settings": "",
|
||||
"server_settings_description": "",
|
||||
"server_welcome_message": "",
|
||||
"server_welcome_message_description": "",
|
||||
"sidecar_job": "",
|
||||
"sidecar_job_description": "",
|
||||
"slideshow_duration_description": "",
|
||||
"smart_search_job_description": "",
|
||||
"storage_template_enable_description": "",
|
||||
"storage_template_hash_verification_enabled": "",
|
||||
"storage_template_hash_verification_enabled_description": "",
|
||||
"storage_template_migration": "",
|
||||
"storage_template_migration_job": "",
|
||||
"storage_template_settings": "",
|
||||
"storage_template_settings_description": "",
|
||||
"system_settings": "",
|
||||
"theme_custom_css_settings": "",
|
||||
"theme_custom_css_settings_description": "",
|
||||
"theme_settings": "",
|
||||
"theme_settings_description": "",
|
||||
"these_files_matched_by_checksum": "",
|
||||
"thumbnail_generation_job": "",
|
||||
"thumbnail_generation_job_description": "",
|
||||
"transcoding_acceleration_api": "",
|
||||
"transcoding_acceleration_api_description": "",
|
||||
"transcoding_acceleration_nvenc": "",
|
||||
"transcoding_acceleration_qsv": "",
|
||||
"transcoding_acceleration_rkmpp": "",
|
||||
"transcoding_acceleration_vaapi": "",
|
||||
"transcoding_accepted_audio_codecs": "",
|
||||
"transcoding_accepted_audio_codecs_description": "",
|
||||
"transcoding_accepted_video_codecs": "",
|
||||
"transcoding_accepted_video_codecs_description": "",
|
||||
"transcoding_advanced_options_description": "",
|
||||
"transcoding_audio_codec": "",
|
||||
"transcoding_audio_codec_description": "",
|
||||
"transcoding_bitrate_description": "",
|
||||
"transcoding_constant_quality_mode": "",
|
||||
"transcoding_constant_quality_mode_description": "",
|
||||
"transcoding_constant_rate_factor": "",
|
||||
"transcoding_constant_rate_factor_description": "",
|
||||
"transcoding_disabled_description": "",
|
||||
"transcoding_hardware_acceleration": "",
|
||||
"transcoding_hardware_acceleration_description": "",
|
||||
"transcoding_hardware_decoding": "",
|
||||
"transcoding_hardware_decoding_setting_description": "",
|
||||
"transcoding_hevc_codec": "",
|
||||
"transcoding_max_b_frames": "",
|
||||
"transcoding_max_b_frames_description": "",
|
||||
"transcoding_max_bitrate": "",
|
||||
"transcoding_max_bitrate_description": "",
|
||||
"transcoding_max_keyframe_interval": "",
|
||||
"transcoding_max_keyframe_interval_description": "",
|
||||
"transcoding_optimal_description": "",
|
||||
"transcoding_preferred_hardware_device": "",
|
||||
"transcoding_preferred_hardware_device_description": "",
|
||||
"transcoding_preset_preset": "",
|
||||
"transcoding_preset_preset_description": "",
|
||||
"transcoding_reference_frames": "",
|
||||
"transcoding_reference_frames_description": "",
|
||||
"transcoding_required_description": "",
|
||||
"transcoding_settings": "",
|
||||
"transcoding_settings_description": "",
|
||||
"transcoding_target_resolution": "",
|
||||
"transcoding_target_resolution_description": "",
|
||||
"transcoding_temporal_aq": "",
|
||||
"transcoding_temporal_aq_description": "",
|
||||
"transcoding_threads": "",
|
||||
"transcoding_threads_description": "",
|
||||
"transcoding_tone_mapping": "",
|
||||
"transcoding_tone_mapping_description": "",
|
||||
"transcoding_transcode_policy": "",
|
||||
"transcoding_transcode_policy_description": "",
|
||||
"transcoding_two_pass_encoding": "",
|
||||
"transcoding_two_pass_encoding_setting_description": "",
|
||||
"transcoding_video_codec": "",
|
||||
"transcoding_video_codec_description": "",
|
||||
"trash_enabled_description": "",
|
||||
"trash_number_of_days": "",
|
||||
"trash_number_of_days_description": "",
|
||||
"trash_settings": "",
|
||||
"trash_settings_description": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_description": "",
|
||||
"user_delete_delay_settings": "",
|
||||
"user_delete_delay_settings_description": "",
|
||||
"user_management": "",
|
||||
"user_password_has_been_reset": "",
|
||||
"user_password_reset_description": "",
|
||||
"user_settings": "",
|
||||
"user_settings_description": "",
|
||||
"user_successfully_removed": "",
|
||||
"version_check_enabled_description": "",
|
||||
"version_check_settings": "",
|
||||
"version_check_settings_description": "",
|
||||
"video_conversion_job": "",
|
||||
"video_conversion_job_description": ""
|
||||
},
|
||||
"admin_email": "",
|
||||
"admin_password": "",
|
||||
"administration": "",
|
||||
"advanced": "",
|
||||
"album_added": "",
|
||||
"album_added_notification_setting_description": "",
|
||||
"album_cover_updated": "",
|
||||
"album_info_updated": "",
|
||||
"album_name": "",
|
||||
"album_options": "",
|
||||
"album_updated": "",
|
||||
"album_updated_setting_description": "",
|
||||
"albums": "",
|
||||
"albums_count": "",
|
||||
"all": "",
|
||||
"all_people": "",
|
||||
"allow_dark_mode": "",
|
||||
"allow_edits": "",
|
||||
"api_key": "",
|
||||
"api_keys": "",
|
||||
"app_settings": "",
|
||||
"appears_in": "",
|
||||
"archive": "",
|
||||
"archive_or_unarchive_photo": "",
|
||||
"asset_offline": "",
|
||||
"assets": "",
|
||||
"authorized_devices": "",
|
||||
"back": "",
|
||||
"backward": "",
|
||||
"blurred_background": "",
|
||||
"camera": "",
|
||||
"camera_brand": "",
|
||||
"camera_model": "",
|
||||
"cancel": "",
|
||||
"cancel_search": "",
|
||||
"cannot_merge_people": "",
|
||||
"cannot_update_the_description": "",
|
||||
"change_date": "",
|
||||
"change_expiration_time": "",
|
||||
"change_location": "",
|
||||
"change_name": "",
|
||||
"change_name_successfully": "",
|
||||
"change_password": "",
|
||||
"change_your_password": "",
|
||||
"changed_visibility_successfully": "",
|
||||
"check_all": "",
|
||||
"check_logs": "",
|
||||
"choose_matching_people_to_merge": "",
|
||||
"city": "",
|
||||
"clear": "",
|
||||
"clear_all": "",
|
||||
"clear_message": "",
|
||||
"clear_value": "",
|
||||
"close": "",
|
||||
"collapse_all": "",
|
||||
"color_theme": "",
|
||||
"comment_options": "",
|
||||
"comments_are_disabled": "",
|
||||
"confirm": "",
|
||||
"confirm_admin_password": "",
|
||||
"confirm_delete_shared_link": "",
|
||||
"confirm_password": "",
|
||||
"contain": "",
|
||||
"context": "",
|
||||
"continue": "",
|
||||
"copied_image_to_clipboard": "",
|
||||
"copied_to_clipboard": "",
|
||||
"copy_error": "",
|
||||
"copy_file_path": "",
|
||||
"copy_image": "",
|
||||
"copy_link": "",
|
||||
"copy_link_to_clipboard": "",
|
||||
"copy_password": "",
|
||||
"copy_to_clipboard": "",
|
||||
"country": "",
|
||||
"cover": "",
|
||||
"covers": "",
|
||||
"create": "",
|
||||
"create_album": "",
|
||||
"create_library": "",
|
||||
"create_link": "",
|
||||
"create_link_to_share": "",
|
||||
"create_new_person": "",
|
||||
"create_new_user": "",
|
||||
"create_user": "",
|
||||
"created": "",
|
||||
"current_device": "",
|
||||
"custom_locale": "",
|
||||
"custom_locale_description": "",
|
||||
"dark": "",
|
||||
"date_after": "",
|
||||
"date_and_time": "",
|
||||
"date_before": "",
|
||||
"date_range": "",
|
||||
"day": "",
|
||||
"default_locale": "",
|
||||
"default_locale_description": "",
|
||||
"delete": "",
|
||||
"delete_album": "",
|
||||
"delete_api_key_prompt": "",
|
||||
"delete_key": "",
|
||||
"delete_library": "",
|
||||
"delete_link": "",
|
||||
"delete_shared_link": "",
|
||||
"delete_user": "",
|
||||
"deleted_shared_link": "",
|
||||
"description": "",
|
||||
"details": "",
|
||||
"direction": "",
|
||||
"disabled": "",
|
||||
"disallow_edits": "",
|
||||
"discover": "",
|
||||
"dismiss_all_errors": "",
|
||||
"dismiss_error": "",
|
||||
"display_options": "",
|
||||
"display_order": "",
|
||||
"display_original_photos": "",
|
||||
"display_original_photos_setting_description": "",
|
||||
"done": "",
|
||||
"download": "",
|
||||
"downloading": "",
|
||||
"duration": "",
|
||||
"edit_album": "",
|
||||
"edit_avatar": "",
|
||||
"edit_date": "",
|
||||
"edit_date_and_time": "",
|
||||
"edit_exclusion_pattern": "",
|
||||
"edit_faces": "",
|
||||
"edit_import_path": "",
|
||||
"edit_import_paths": "",
|
||||
"edit_key": "",
|
||||
"edit_link": "",
|
||||
"edit_location": "",
|
||||
"edit_name": "",
|
||||
"edit_people": "",
|
||||
"edit_title": "",
|
||||
"edit_user": "",
|
||||
"edited": "",
|
||||
"editor": "",
|
||||
"email": "",
|
||||
"empty_trash": "",
|
||||
"enable": "",
|
||||
"enabled": "",
|
||||
"end_date": "",
|
||||
"error": "",
|
||||
"error_loading_image": "",
|
||||
"errors": {
|
||||
"cleared_jobs": "",
|
||||
"exclusion_pattern_already_exists": "",
|
||||
"failed_job_command": "",
|
||||
"import_path_already_exists": "",
|
||||
"paths_validation_failed": "",
|
||||
"quota_higher_than_disk_size": "",
|
||||
"repair_unable_to_check_items": "",
|
||||
"unable_to_add_album_users": "",
|
||||
"unable_to_add_comment": "",
|
||||
"unable_to_add_exclusion_pattern": "",
|
||||
"unable_to_add_import_path": "",
|
||||
"unable_to_add_partners": "",
|
||||
"unable_to_change_album_user_role": "",
|
||||
"unable_to_change_date": "",
|
||||
"unable_to_change_location": "",
|
||||
"unable_to_change_password": "",
|
||||
"unable_to_copy_to_clipboard": "",
|
||||
"unable_to_create_api_key": "",
|
||||
"unable_to_create_library": "",
|
||||
"unable_to_create_user": "",
|
||||
"unable_to_delete_album": "",
|
||||
"unable_to_delete_asset": "",
|
||||
"unable_to_delete_exclusion_pattern": "",
|
||||
"unable_to_delete_import_path": "",
|
||||
"unable_to_delete_shared_link": "",
|
||||
"unable_to_delete_user": "",
|
||||
"unable_to_edit_exclusion_pattern": "",
|
||||
"unable_to_edit_import_path": "",
|
||||
"unable_to_empty_trash": "",
|
||||
"unable_to_enter_fullscreen": "",
|
||||
"unable_to_exit_fullscreen": "",
|
||||
"unable_to_hide_person": "",
|
||||
"unable_to_link_oauth_account": "",
|
||||
"unable_to_load_album": "",
|
||||
"unable_to_load_asset_activity": "",
|
||||
"unable_to_load_items": "",
|
||||
"unable_to_load_liked_status": "",
|
||||
"unable_to_play_video": "",
|
||||
"unable_to_refresh_user": "",
|
||||
"unable_to_remove_album_users": "",
|
||||
"unable_to_remove_api_key": "",
|
||||
"unable_to_remove_deleted_assets": "",
|
||||
"unable_to_remove_library": "",
|
||||
"unable_to_remove_partner": "",
|
||||
"unable_to_remove_reaction": "",
|
||||
"unable_to_repair_items": "",
|
||||
"unable_to_reset_password": "",
|
||||
"unable_to_resolve_duplicate": "",
|
||||
"unable_to_restore_assets": "",
|
||||
"unable_to_restore_trash": "",
|
||||
"unable_to_restore_user": "",
|
||||
"unable_to_save_album": "",
|
||||
"unable_to_save_api_key": "",
|
||||
"unable_to_save_name": "",
|
||||
"unable_to_save_profile": "",
|
||||
"unable_to_save_settings": "",
|
||||
"unable_to_scan_libraries": "",
|
||||
"unable_to_scan_library": "",
|
||||
"unable_to_set_profile_picture": "",
|
||||
"unable_to_submit_job": "",
|
||||
"unable_to_trash_asset": "",
|
||||
"unable_to_unlink_account": "",
|
||||
"unable_to_update_library": "",
|
||||
"unable_to_update_location": "",
|
||||
"unable_to_update_settings": "",
|
||||
"unable_to_update_timeline_display_status": "",
|
||||
"unable_to_update_user": ""
|
||||
},
|
||||
"exit_slideshow": "",
|
||||
"expand_all": "",
|
||||
"expire_after": "",
|
||||
"expired": "",
|
||||
"explore": "",
|
||||
"export": "",
|
||||
"export_as_json": "",
|
||||
"extension": "",
|
||||
"external": "",
|
||||
"external_libraries": "",
|
||||
"favorite": "",
|
||||
"favorite_or_unfavorite_photo": "",
|
||||
"favorites": "",
|
||||
"feature_photo_updated": "",
|
||||
"file_name": "",
|
||||
"file_name_or_extension": "",
|
||||
"filename": "",
|
||||
"filetype": "",
|
||||
"filter_people": "",
|
||||
"find_them_fast": "",
|
||||
"fix_incorrect_match": "",
|
||||
"forward": "",
|
||||
"general": "",
|
||||
"get_help": "",
|
||||
"getting_started": "",
|
||||
"go_back": "",
|
||||
"go_to_search": "",
|
||||
"group_albums_by": "",
|
||||
"has_quota": "",
|
||||
"hide_gallery": "",
|
||||
"hide_password": "",
|
||||
"hide_person": "",
|
||||
"host": "",
|
||||
"hour": "",
|
||||
"image": "",
|
||||
"immich_logo": "",
|
||||
"import_from_json": "",
|
||||
"import_path": "",
|
||||
"in_archive": "",
|
||||
"include_archived": "",
|
||||
"include_shared_albums": "",
|
||||
"include_shared_partner_assets": "",
|
||||
"individual_share": "",
|
||||
"info": "",
|
||||
"interval": {
|
||||
"day_at_onepm": "",
|
||||
"hours": "",
|
||||
"night_at_midnight": "",
|
||||
"night_at_twoam": ""
|
||||
},
|
||||
"invite_people": "",
|
||||
"invite_to_album": "",
|
||||
"jobs": "",
|
||||
"keep": "",
|
||||
"keyboard_shortcuts": "",
|
||||
"language": "",
|
||||
"language_setting_description": "",
|
||||
"last_seen": "",
|
||||
"leave": "",
|
||||
"let_others_respond": "",
|
||||
"level": "",
|
||||
"library": "",
|
||||
"library_options": "",
|
||||
"light": "",
|
||||
"link_options": "",
|
||||
"link_to_oauth": "",
|
||||
"linked_oauth_account": "",
|
||||
"list": "",
|
||||
"loading": "",
|
||||
"loading_search_results_failed": "",
|
||||
"log_out": "",
|
||||
"log_out_all_devices": "",
|
||||
"login_has_been_disabled": "",
|
||||
"look": "",
|
||||
"loop_videos": "",
|
||||
"loop_videos_description": "",
|
||||
"make": "",
|
||||
"manage_shared_links": "",
|
||||
"manage_sharing_with_partners": "",
|
||||
"manage_the_app_settings": "",
|
||||
"manage_your_account": "",
|
||||
"manage_your_api_keys": "",
|
||||
"manage_your_devices": "",
|
||||
"manage_your_oauth_connection": "",
|
||||
"map": "",
|
||||
"map_marker_with_image": "",
|
||||
"map_settings": "",
|
||||
"matches": "",
|
||||
"media_type": "",
|
||||
"memories": "",
|
||||
"memories_setting_description": "",
|
||||
"menu": "",
|
||||
"merge": "",
|
||||
"merge_people": "",
|
||||
"merge_people_successfully": "",
|
||||
"minimize": "",
|
||||
"minute": "",
|
||||
"missing": "",
|
||||
"model": "",
|
||||
"month": "",
|
||||
"more": "",
|
||||
"moved_to_trash": "",
|
||||
"my_albums": "",
|
||||
"name": "",
|
||||
"name_or_nickname": "",
|
||||
"never": "",
|
||||
"new_api_key": "",
|
||||
"new_password": "",
|
||||
"new_person": "",
|
||||
"new_user_created": "",
|
||||
"newest_first": "",
|
||||
"next": "",
|
||||
"next_memory": "",
|
||||
"no": "",
|
||||
"no_albums_message": "",
|
||||
"no_archived_assets_message": "",
|
||||
"no_assets_message": "",
|
||||
"no_duplicates_found": "",
|
||||
"no_exif_info_available": "",
|
||||
"no_explore_results_message": "",
|
||||
"no_favorites_message": "",
|
||||
"no_libraries_message": "",
|
||||
"no_name": "",
|
||||
"no_places": "",
|
||||
"no_results": "",
|
||||
"no_shared_albums_message": "",
|
||||
"not_in_any_album": "",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "",
|
||||
"notes": "",
|
||||
"notification_toggle_setting_description": "",
|
||||
"notifications": "",
|
||||
"notifications_setting_description": "",
|
||||
"oauth": "",
|
||||
"offline": "",
|
||||
"offline_paths": "",
|
||||
"offline_paths_description": "",
|
||||
"ok": "",
|
||||
"oldest_first": "",
|
||||
"online": "",
|
||||
"only_favorites": "",
|
||||
"open_the_search_filters": "",
|
||||
"options": "",
|
||||
"organize_your_library": "",
|
||||
"other": "",
|
||||
"other_devices": "",
|
||||
"other_variables": "",
|
||||
"owned": "",
|
||||
"owner": "",
|
||||
"partner_can_access": "",
|
||||
"partner_can_access_assets": "",
|
||||
"partner_can_access_location": "",
|
||||
"partner_sharing": "",
|
||||
"partners": "",
|
||||
"password": "",
|
||||
"password_does_not_match": "",
|
||||
"password_required": "",
|
||||
"password_reset_success": "",
|
||||
"past_durations": {
|
||||
"days": "",
|
||||
"hours": "",
|
||||
"years": ""
|
||||
},
|
||||
"path": "",
|
||||
"pattern": "",
|
||||
"pause": "",
|
||||
"pause_memories": "",
|
||||
"paused": "",
|
||||
"pending": "",
|
||||
"people": "",
|
||||
"people_sidebar_description": "",
|
||||
"permanent_deletion_warning": "",
|
||||
"permanent_deletion_warning_setting_description": "",
|
||||
"permanently_delete": "",
|
||||
"permanently_deleted_asset": "",
|
||||
"photos": "",
|
||||
"photos_count": "",
|
||||
"photos_from_previous_years": "",
|
||||
"pick_a_location": "",
|
||||
"place": "",
|
||||
"places": "",
|
||||
"play": "",
|
||||
"play_memories": "",
|
||||
"play_motion_photo": "",
|
||||
"play_or_pause_video": "",
|
||||
"port": "",
|
||||
"preset": "",
|
||||
"preview": "",
|
||||
"previous": "",
|
||||
"previous_memory": "",
|
||||
"previous_or_next_photo": "",
|
||||
"primary": "",
|
||||
"profile_picture_set": "",
|
||||
"public_share": "",
|
||||
"reaction_options": "",
|
||||
"read_changelog": "",
|
||||
"recent": "",
|
||||
"recent_searches": "",
|
||||
"refresh": "",
|
||||
"refreshed": "",
|
||||
"refreshes_every_file": "",
|
||||
"remove": "",
|
||||
"remove_deleted_assets": "",
|
||||
"remove_from_album": "",
|
||||
"remove_from_favorites": "",
|
||||
"remove_from_shared_link": "",
|
||||
"removed_api_key": "",
|
||||
"rename": "",
|
||||
"repair": "",
|
||||
"repair_no_results_message": "",
|
||||
"replace_with_upload": "",
|
||||
"require_password": "",
|
||||
"require_user_to_change_password_on_first_login": "",
|
||||
"reset": "",
|
||||
"reset_password": "",
|
||||
"reset_people_visibility": "",
|
||||
"restore": "",
|
||||
"restore_all": "",
|
||||
"restore_user": "",
|
||||
"resume": "",
|
||||
"retry_upload": "",
|
||||
"review_duplicates": "",
|
||||
"role": "",
|
||||
"save": "",
|
||||
"saved_api_key": "",
|
||||
"saved_profile": "",
|
||||
"saved_settings": "",
|
||||
"say_something": "",
|
||||
"scan_all_libraries": "",
|
||||
"scan_settings": "",
|
||||
"search": "",
|
||||
"search_albums": "",
|
||||
"search_by_context": "",
|
||||
"search_camera_make": "",
|
||||
"search_camera_model": "",
|
||||
"search_city": "",
|
||||
"search_country": "",
|
||||
"search_for_existing_person": "",
|
||||
"search_people": "",
|
||||
"search_places": "",
|
||||
"search_state": "",
|
||||
"search_timezone": "",
|
||||
"search_type": "",
|
||||
"search_your_photos": "",
|
||||
"searching_locales": "",
|
||||
"second": "",
|
||||
"select_album_cover": "",
|
||||
"select_all": "",
|
||||
"select_avatar_color": "",
|
||||
"select_face": "",
|
||||
"select_featured_photo": "",
|
||||
"select_keep_all": "",
|
||||
"select_library_owner": "",
|
||||
"select_new_face": "",
|
||||
"select_photos": "",
|
||||
"select_trash_all": "",
|
||||
"selected": "",
|
||||
"send_message": "",
|
||||
"send_welcome_email": "",
|
||||
"server_stats": "",
|
||||
"set": "",
|
||||
"set_as_album_cover": "",
|
||||
"set_as_profile_picture": "",
|
||||
"set_date_of_birth": "",
|
||||
"set_profile_picture": "",
|
||||
"set_slideshow_to_fullscreen": "",
|
||||
"settings": "",
|
||||
"settings_saved": "",
|
||||
"share": "",
|
||||
"shared": "",
|
||||
"shared_by": "",
|
||||
"shared_by_you": "",
|
||||
"shared_from_partner": "",
|
||||
"shared_links": "",
|
||||
"shared_with_partner": "",
|
||||
"sharing": "",
|
||||
"sharing_sidebar_description": "",
|
||||
"show_album_options": "",
|
||||
"show_and_hide_people": "",
|
||||
"show_file_location": "",
|
||||
"show_gallery": "",
|
||||
"show_hidden_people": "",
|
||||
"show_in_timeline": "",
|
||||
"show_in_timeline_setting_description": "",
|
||||
"show_keyboard_shortcuts": "",
|
||||
"show_metadata": "",
|
||||
"show_or_hide_info": "",
|
||||
"show_password": "",
|
||||
"show_person_options": "",
|
||||
"show_progress_bar": "",
|
||||
"show_search_options": "",
|
||||
"shuffle": "",
|
||||
"sign_out": "",
|
||||
"sign_up": "",
|
||||
"size": "",
|
||||
"skip_to_content": "",
|
||||
"slideshow": "",
|
||||
"slideshow_settings": "",
|
||||
"sort_albums_by": "",
|
||||
"stack": "",
|
||||
"stack_selected_photos": "",
|
||||
"stacktrace": "",
|
||||
"start": "",
|
||||
"start_date": "",
|
||||
"state": "",
|
||||
"status": "",
|
||||
"stop_motion_photo": "",
|
||||
"stop_photo_sharing": "",
|
||||
"stop_photo_sharing_description": "",
|
||||
"stop_sharing_photos_with_user": "",
|
||||
"storage": "",
|
||||
"storage_label": "",
|
||||
"storage_usage": "",
|
||||
"submit": "",
|
||||
"suggestions": "",
|
||||
"sunrise_on_the_beach": "",
|
||||
"swap_merge_direction": "",
|
||||
"sync": "",
|
||||
"template": "",
|
||||
"theme": "",
|
||||
"theme_selection": "",
|
||||
"theme_selection_description": "",
|
||||
"time_based_memories": "",
|
||||
"timezone": "",
|
||||
"to_archive": "",
|
||||
"to_favorite": "",
|
||||
"toggle_settings": "",
|
||||
"toggle_theme": "",
|
||||
"total_usage": "",
|
||||
"trash": "",
|
||||
"trash_all": "",
|
||||
"trash_no_results_message": "",
|
||||
"trashed_items_will_be_permanently_deleted_after": "",
|
||||
"type": "",
|
||||
"unarchive": "",
|
||||
"unfavorite": "",
|
||||
"unhide_person": "",
|
||||
"unknown": "",
|
||||
"unknown_year": "",
|
||||
"unlimited": "",
|
||||
"unlink_oauth": "",
|
||||
"unlinked_oauth_account": "",
|
||||
"unselect_all": "",
|
||||
"unstack": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_decription": "",
|
||||
"up_next": "",
|
||||
"updated_password": "",
|
||||
"upload": "",
|
||||
"upload_concurrency": "",
|
||||
"url": "",
|
||||
"usage": "",
|
||||
"user": "",
|
||||
"user_id": "",
|
||||
"user_usage_detail": "",
|
||||
"username": "",
|
||||
"users": "",
|
||||
"utilities": "",
|
||||
"validate": "",
|
||||
"variables": "",
|
||||
"version": "",
|
||||
"video": "",
|
||||
"video_hover_setting": "",
|
||||
"video_hover_setting_description": "",
|
||||
"videos": "",
|
||||
"videos_count": "",
|
||||
"view_all": "",
|
||||
"view_all_users": "",
|
||||
"view_links": "",
|
||||
"view_next_asset": "",
|
||||
"view_previous_asset": "",
|
||||
"waiting": "",
|
||||
"week": "",
|
||||
"welcome_to_immich": "",
|
||||
"year": "",
|
||||
"yes": "",
|
||||
"you_dont_have_any_shared_links": "",
|
||||
"zoom_image": ""
|
||||
}
|
||||
|
||||
18
i18n/bn.json
18
i18n/bn.json
@@ -1,17 +1 @@
|
||||
{
|
||||
"about": "সম্পর্কে",
|
||||
"account": "অ্যাকাউন্ট",
|
||||
"account_settings": "অ্যাকাউন্ট সেটিংস",
|
||||
"acknowledge": "স্বীকৃতি",
|
||||
"action": "কার্য",
|
||||
"action_common_update": "আপডেট",
|
||||
"actions": "কর্ম",
|
||||
"active": "সচল",
|
||||
"activity": "কার্যকলাপ",
|
||||
"add": "যোগ করুন",
|
||||
"add_a_description": "একটি বিবরণ যোগ করুন",
|
||||
"add_a_location": "একটি অবস্থান যোগ করুন",
|
||||
"add_a_name": "একটি নাম যোগ করুন",
|
||||
"add_a_title": "একটি শিরোনাম যোগ করুন",
|
||||
"add_endpoint": "এন্ডপয়েন্ট যোগ করুন"
|
||||
}
|
||||
{}
|
||||
|
||||
233
i18n/ca.json
233
i18n/ca.json
@@ -39,11 +39,11 @@
|
||||
"authentication_settings_disable_all": "Estàs segur que vols desactivar tots els mètodes d'inici de sessió? L'inici de sessió quedarà completament desactivat.",
|
||||
"authentication_settings_reenable": "Per a tornar a habilitar, empra una <link>Comanda de Servidor</link>.",
|
||||
"background_task_job": "Tasques en segon pla",
|
||||
"backup_database": "Fer un bolcat de la base de dades",
|
||||
"backup_database_enable_description": "Habilitar bolcat de la base de dades",
|
||||
"backup_keep_last_amount": "Quantitat de bolcats anteriors per conservar",
|
||||
"backup_settings": "Configuració dels bolcats",
|
||||
"backup_settings_description": "Gestionar la configuració bolcats de la base de dades. Nota: els treballs no es monitoritzen ni es notifiquen les fallades.",
|
||||
"backup_database": "Còpia de la base de dades",
|
||||
"backup_database_enable_description": "Habilitar còpies de la base de dades",
|
||||
"backup_keep_last_amount": "Quantitat de còpies de seguretat anteriors per conservar",
|
||||
"backup_settings": "Ajustes de les còpies de seguretat",
|
||||
"backup_settings_description": "Gestionar la configuració de la còpia de seguretat de la base de dades",
|
||||
"check_all": "Marca-ho tot",
|
||||
"cleanup": "Neteja",
|
||||
"cleared_jobs": "Tasques esborrades per a: {job}",
|
||||
@@ -53,7 +53,6 @@
|
||||
"confirm_email_below": "Per a confirmar, escriviu \"{email}\" a sota",
|
||||
"confirm_reprocess_all_faces": "Esteu segur que voleu reprocessar totes les cares? Això també esborrarà la gent que heu anomenat.",
|
||||
"confirm_user_password_reset": "Esteu segur que voleu reinicialitzar la contrasenya de l'usuari {user}?",
|
||||
"confirm_user_pin_code_reset": "Esteu segur que voleu restablir el codi PIN de {user}?",
|
||||
"create_job": "Crear tasca",
|
||||
"cron_expression": "Expressió Cron",
|
||||
"cron_expression_description": "Estableix l'interval d'escaneig amb el format cron. Per obtenir més informació, consulteu, p.e <link>Crontab Guru</link>",
|
||||
@@ -193,7 +192,6 @@
|
||||
"oauth_auto_register": "Registre automàtic",
|
||||
"oauth_auto_register_description": "Registra nous usuaris automàticament després d'iniciar sessió amb OAuth",
|
||||
"oauth_button_text": "Text del botó",
|
||||
"oauth_client_secret_description": "Requerit si PKCE (Proof Key for Code Exchange) no està suportat pel proveïdor OAuth",
|
||||
"oauth_enable_description": "Iniciar sessió amb OAuth",
|
||||
"oauth_mobile_redirect_uri": "URI de redirecció mòbil",
|
||||
"oauth_mobile_redirect_uri_override": "Sobreescriu l'URI de redirecció mòbil",
|
||||
@@ -207,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "Estableix automàticament la quota d'emmagatzematge de l'usuari al valor d'aquest paràmetre.",
|
||||
"oauth_storage_quota_default": "Quota d'emmagatzematge predeterminada (GiB)",
|
||||
"oauth_storage_quota_default_description": "Quota disponible en GB quan no s'estableixi cap valor (Entreu 0 per a quota il·limitada).",
|
||||
"oauth_timeout": "Solicitud caducada",
|
||||
"oauth_timeout_description": "Timeout per a sol·licituds en mil·lisegons",
|
||||
"offline_paths": "Rutes sense connexió",
|
||||
"offline_paths_description": "Aquests resultats poden ser deguts a l'eliminació manual de fitxers que no formen part d'una llibreria externa.",
|
||||
"password_enable_description": "Inicia sessió amb correu electrònic i contrasenya",
|
||||
@@ -349,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "Nombre de dies després de la supressió per eliminar permanentment el compte i els elements d'un usuari. El treball de supressió d'usuaris s'executa a mitjanit per comprovar si hi ha usuaris preparats per eliminar. Els canvis en aquesta configuració s'avaluaran en la propera execució.",
|
||||
"user_delete_immediately": "El compte i els recursos de <b>{user}</b> es posaran a la cua per suprimir-los permanentment <b>immediatament</b>.",
|
||||
"user_delete_immediately_checkbox": "Posa en cua l'usuari i els recursos per suprimir-los immediatament",
|
||||
"user_details": "Detalls d'usuari",
|
||||
"user_management": "Gestió d'usuaris",
|
||||
"user_password_has_been_reset": "La contrasenya de l'usuari ha estat restablida:",
|
||||
"user_password_reset_description": "Si us plau, proporcioneu la contrasenya temporal a l'usuari i informeu-los que haurà de canviar la contrasenya en el proper inici de sessió.",
|
||||
@@ -369,17 +364,13 @@
|
||||
"admin_password": "Contrasenya de l'administrador",
|
||||
"administration": "Administrador",
|
||||
"advanced": "Avançat",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Feu servir aquesta opció per filtrar els continguts multimèdia durant la sincronització segons criteris alternatius. Només proveu-ho si teniu problemes amb l'aplicació per detectar tots els àlbums.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "Utilitza el filtre de sincronització d'àlbums de dispositius alternatius",
|
||||
"advanced_settings_log_level_title": "Nivell de registre: {level}",
|
||||
"advanced_settings_log_level_title": "Nivell de registre: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Alguns dispositius són molt lents en carregar miniatures dels elements del dispositiu. Activeu aquest paràmetre per carregar imatges remotes en el seu lloc.",
|
||||
"advanced_settings_prefer_remote_title": "Prefereix imatges remotes",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definiu les capçaleres de proxy que Immich per enviar amb cada sol·licitud de xarxa",
|
||||
"advanced_settings_proxy_headers_title": "Capçaleres de proxy",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Omet la verificació del certificat SSL del servidor. Requerit per a certificats autosignats.",
|
||||
"advanced_settings_self_signed_ssl_title": "Permet certificats SSL autosignats",
|
||||
"advanced_settings_sync_remote_deletions_subtitle": "Suprimeix o restaura automàticament un actiu en aquest dispositiu quan es realitzi aquesta acció al web",
|
||||
"advanced_settings_sync_remote_deletions_title": "Sincronitza les eliminacions remotes",
|
||||
"advanced_settings_tile_subtitle": "Configuració avançada de l'usuari",
|
||||
"advanced_settings_troubleshooting_subtitle": "Habilita funcions addicionals per a la resolució de problemes",
|
||||
"advanced_settings_troubleshooting_title": "Resolució de problemes",
|
||||
@@ -402,9 +393,9 @@
|
||||
"album_remove_user_confirmation": "Esteu segurs que voleu eliminar {user}?",
|
||||
"album_share_no_users": "Sembla que has compartit aquest àlbum amb tots els usuaris o no tens cap usuari amb qui compartir-ho.",
|
||||
"album_thumbnail_card_item": "1 element",
|
||||
"album_thumbnail_card_items": "{count} elements",
|
||||
"album_thumbnail_card_items": "{} elements",
|
||||
"album_thumbnail_card_shared": " · Compartit",
|
||||
"album_thumbnail_shared_by": "Compartit per {user}",
|
||||
"album_thumbnail_shared_by": "Compartit per {}",
|
||||
"album_updated": "Àlbum actualitzat",
|
||||
"album_updated_setting_description": "Rep una notificació per correu electrònic quan un àlbum compartit tingui recursos nous",
|
||||
"album_user_left": "Surt de {album}",
|
||||
@@ -442,7 +433,7 @@
|
||||
"archive": "Arxiu",
|
||||
"archive_or_unarchive_photo": "Arxivar o desarxivar fotografia",
|
||||
"archive_page_no_archived_assets": "No s'ha trobat res arxivat",
|
||||
"archive_page_title": "Arxiu({count})",
|
||||
"archive_page_title": "Arxiu({})",
|
||||
"archive_size": "Mida de l'arxiu",
|
||||
"archive_size_description": "Configureu la mida de l'arxiu de les descàrregues (en GiB)",
|
||||
"archived": "Arxivat",
|
||||
@@ -479,18 +470,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {Afegit un element} other {Afegits # elements}} a l'àlbum",
|
||||
"assets_added_to_name_count": "{count, plural, one {S'ha afegit # recurs} other {S'han afegit # recursos}} a {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_count": "{count, plural, one {# recurs} other {# recursos}}",
|
||||
"assets_deleted_permanently": "{count} element(s) esborrats permanentment",
|
||||
"assets_deleted_permanently_from_server": "{count} element(s) esborrats permanentment del servidor d'Immich",
|
||||
"assets_deleted_permanently": "{} element(s) esborrats permanentment",
|
||||
"assets_deleted_permanently_from_server": "{} element(s) esborrats permanentment del servidor d'Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# recurs mogut} other {# recursos moguts}} a la paperera",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# recurs esborrat} other {# recursos esborrats}} permanentment",
|
||||
"assets_removed_count": "{count, plural, one {# element eliminat} other {# elements eliminats}}",
|
||||
"assets_removed_permanently_from_device": "{count} element(s) esborrat permanentment del dispositiu",
|
||||
"assets_removed_permanently_from_device": "{} element(s) esborrat permanentment del dispositiu",
|
||||
"assets_restore_confirmation": "Esteu segurs que voleu restaurar tots els teus actius? Aquesta acció no es pot desfer! Tingueu en compte que els recursos fora de línia no es poden restaurar d'aquesta manera.",
|
||||
"assets_restored_count": "{count, plural, one {# element restaurat} other {# elements restaurats}}",
|
||||
"assets_restored_successfully": "{count} element(s) recuperats correctament",
|
||||
"assets_trashed": "{count} element(s) enviat a la paperera",
|
||||
"assets_restored_successfully": "{} element(s) recuperats correctament",
|
||||
"assets_trashed": "{} element(s) enviat a la paperera",
|
||||
"assets_trashed_count": "{count, plural, one {# element enviat} other {# elements enviats}} a la paperera",
|
||||
"assets_trashed_from_server": "{count} element(s) enviat a la paperera del servidor d'Immich",
|
||||
"assets_trashed_from_server": "{} element(s) enviat a la paperera del servidor d'Immich",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {L'element ja és} other {Els elements ja són}} part de l'àlbum",
|
||||
"authorized_devices": "Dispositius autoritzats",
|
||||
"automatic_endpoint_switching_subtitle": "Connecteu-vos localment a través de la Wi-Fi designada quan estigui disponible i utilitzeu connexions alternatives en altres llocs",
|
||||
@@ -499,7 +490,7 @@
|
||||
"back_close_deselect": "Tornar, tancar o anul·lar la selecció",
|
||||
"background_location_permission": "Permís d'ubicació en segon pla",
|
||||
"background_location_permission_content": "Per canviar de xarxa quan s'executa en segon pla, Immich ha de *sempre* tenir accés a la ubicació precisa perquè l'aplicació pugui llegir el nom de la xarxa Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Àlbums al dispositiu ({count})",
|
||||
"backup_album_selection_page_albums_device": "Àlbums al dispositiu ({})",
|
||||
"backup_album_selection_page_albums_tap": "Un toc per incloure, doble toc per excloure",
|
||||
"backup_album_selection_page_assets_scatter": "Els elements poden dispersar-se en diversos àlbums. Per tant, els àlbums es poden incloure o excloure durant el procés de còpia de seguretat.",
|
||||
"backup_album_selection_page_select_albums": "Selecciona àlbums",
|
||||
@@ -508,36 +499,37 @@
|
||||
"backup_all": "Tots",
|
||||
"backup_background_service_backup_failed_message": "No s'ha pogut copiar els elements. Tornant a intentar…",
|
||||
"backup_background_service_connection_failed_message": "No s'ha pogut connectar al servidor. Tornant a intentar…",
|
||||
"backup_background_service_current_upload_notification": "Pujant {filename}",
|
||||
"backup_background_service_default_notification": "Cercant nous elements…",
|
||||
"backup_background_service_current_upload_notification": "Pujant {}",
|
||||
"backup_background_service_default_notification": "Cercant nous elements...",
|
||||
"backup_background_service_error_title": "Error copiant",
|
||||
"backup_background_service_in_progress_notification": "Copiant els teus elements…",
|
||||
"backup_background_service_upload_failure_notification": "Error en pujar {filename}",
|
||||
"backup_background_service_in_progress_notification": "Copiant els teus elements",
|
||||
"backup_background_service_upload_failure_notification": "Error al pujar {}",
|
||||
"backup_controller_page_albums": "Copia els àlbums",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Activa l'actualització en segon pla de l'aplicació a Configuració > General > Actualització en segon pla per utilitzar la copia de seguretat en segon pla.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Actualització en segon pla desactivada",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Vés a configuració",
|
||||
"backup_controller_page_background_battery_info_link": "Mostra'm com",
|
||||
"backup_controller_page_background_battery_info_message": "Per obtenir la millor experiència de còpia de seguretat en segon pla, desactiveu qualsevol optimització de bateria que restringeixi l'activitat en segon pla per a Immich.\n\nAtès que això és específic del dispositiu, busqueu la informació necessària per al fabricant del vostre dispositiu.",
|
||||
"backup_controller_page_background_battery_info_message": "Per obtenir la millor experiència de copia de seguretat en segon pla, desactiveu qualsevol optimització de bateria que restringeixi l'activitat en segon pla per a Immich.\n\nAtès que això és específic del dispositiu, busqueu la informació necessària per al fabricant del vostre dispositiu",
|
||||
"backup_controller_page_background_battery_info_ok": "D'acord",
|
||||
"backup_controller_page_background_battery_info_title": "Optimitzacions de bateria",
|
||||
"backup_controller_page_background_charging": "Només mentre es carrega",
|
||||
"backup_controller_page_background_configure_error": "No s'ha pogut configurar el servei en segon pla",
|
||||
"backup_controller_page_background_delay": "Retard en la còpia de seguretat de nous elements: {duration}",
|
||||
"backup_controller_page_background_description": "Activeu el servei en segon pla per copiar automàticament tots els nous elements sense haver d'obrir l'aplicació",
|
||||
"backup_controller_page_background_delay": "Retard en la copia de seguretat de nous elements: {}",
|
||||
"backup_controller_page_background_description": "Activeu el servei en segon pla per copiar automàticament tots els nous elements sense haver d'obrir l'aplicació.",
|
||||
"backup_controller_page_background_is_off": "La còpia automàtica en segon pla està desactivada",
|
||||
"backup_controller_page_background_is_on": "La còpia automàtica en segon pla està activada",
|
||||
"backup_controller_page_background_turn_off": "Desactiva el servei en segon pla",
|
||||
"backup_controller_page_background_turn_on": "Activa el servei en segon pla",
|
||||
"backup_controller_page_background_wifi": "Només amb Wi-Fi",
|
||||
"backup_controller_page_background_wifi": "Només amb WiFi",
|
||||
"backup_controller_page_backup": "Còpia",
|
||||
"backup_controller_page_backup_selected": "Seleccionat: ",
|
||||
"backup_controller_page_backup_sub": "Fotografies i vídeos copiats",
|
||||
"backup_controller_page_created": "Creat el: {date}",
|
||||
"backup_controller_page_created": "Creat el: {}",
|
||||
"backup_controller_page_desc_backup": "Activeu la còpia de seguretat per pujar automàticament els nous elements al servidor en obrir l'aplicació.",
|
||||
"backup_controller_page_excluded": "Exclosos: ",
|
||||
"backup_controller_page_failed": "Fallats ({count})",
|
||||
"backup_controller_page_filename": "Nom de l'arxiu: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Fallats ({})",
|
||||
"backup_controller_page_filename": "Nom de l'arxiu: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informació de la còpia",
|
||||
"backup_controller_page_none_selected": "Cap seleccionat",
|
||||
"backup_controller_page_remainder": "Restant",
|
||||
@@ -546,7 +538,7 @@
|
||||
"backup_controller_page_start_backup": "Inicia la còpia",
|
||||
"backup_controller_page_status_off": "La copia de seguretat està desactivada",
|
||||
"backup_controller_page_status_on": "La copia de seguretat està activada",
|
||||
"backup_controller_page_storage_format": "{used} de {total} utilitzats",
|
||||
"backup_controller_page_storage_format": "{} de {} utilitzats",
|
||||
"backup_controller_page_to_backup": "Àlbums a copiar",
|
||||
"backup_controller_page_total_sub": "Totes les fotografies i vídeos dels àlbums seleccionats",
|
||||
"backup_controller_page_turn_off": "Desactiva la còpia de seguretat",
|
||||
@@ -571,21 +563,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Esteu segur que voleu mantenir {count, plural, one {# recurs duplicat} other {# recursos duplicats}}? Això resoldrà tots els grups duplicats sense eliminar res.",
|
||||
"bulk_trash_duplicates_confirmation": "Esteu segur que voleu enviar a les escombraries {count, plural, one {# recurs duplicat} other {# recursos duplicats}}? Això mantindrà el recurs més gran de cada grup i eliminarà la resta de duplicats.",
|
||||
"buy": "Comprar Immich",
|
||||
"cache_settings_album_thumbnails": "Miniatures de la pàgina de la biblioteca ({count} elements)",
|
||||
"cache_settings_album_thumbnails": "Miniatures de la pàgina de la biblioteca ({} elements)",
|
||||
"cache_settings_clear_cache_button": "Neteja la memòria cau",
|
||||
"cache_settings_clear_cache_button_title": "Neteja la memòria cau de l'aplicació. Això impactarà significativament el rendiment fins que la memòria cau es torni a reconstruir.",
|
||||
"cache_settings_duplicated_assets_clear_button": "NETEJA",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos i vídeos que estan a la llista negra de l'aplicació",
|
||||
"cache_settings_duplicated_assets_title": "Elements duplicats ({count})",
|
||||
"cache_settings_image_cache_size": "Mida de la memòria cau d'imatges ({count} elements)",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos i vídeos que estan a la llista negra de l'aplicació.",
|
||||
"cache_settings_duplicated_assets_title": "Elements duplicats ({})",
|
||||
"cache_settings_image_cache_size": "Mida de la memòria cau de imatges ({} elements)",
|
||||
"cache_settings_statistics_album": "Miniatures de la biblioteca",
|
||||
"cache_settings_statistics_assets": "{count} elements ({size})",
|
||||
"cache_settings_statistics_assets": "{} elements ({})",
|
||||
"cache_settings_statistics_full": "Imatges completes",
|
||||
"cache_settings_statistics_shared": "Miniatures d'àlbums compartits",
|
||||
"cache_settings_statistics_thumbnail": "Miniatures",
|
||||
"cache_settings_statistics_title": "Ús de memòria cau",
|
||||
"cache_settings_subtitle": "Controla el comportament de la memòria cau de l'aplicació mòbil Immich",
|
||||
"cache_settings_thumbnail_size": "Mida de la memòria cau de les miniatures ({count} elements)",
|
||||
"cache_settings_thumbnail_size": "Mida de la memòria cau de les miniatures ({} elements)",
|
||||
"cache_settings_tile_subtitle": "Controla el comportament de l'emmagatzematge local",
|
||||
"cache_settings_tile_title": "Emmagatzematge local",
|
||||
"cache_settings_title": "Configuració de la memòria cau",
|
||||
@@ -611,7 +603,6 @@
|
||||
"change_password_form_new_password": "Nova contrasenya",
|
||||
"change_password_form_password_mismatch": "Les contrasenyes no coincideixen",
|
||||
"change_password_form_reenter_new_password": "Torna a introduir la nova contrasenya",
|
||||
"change_pin_code": "Canviar el codi PIN",
|
||||
"change_your_password": "Canvia la teva contrasenya",
|
||||
"changed_visibility_successfully": "Visibilitat canviada amb èxit",
|
||||
"check_all": "Marqueu-ho tot",
|
||||
@@ -626,6 +617,7 @@
|
||||
"clear_all_recent_searches": "Esborra totes les cerques recents",
|
||||
"clear_message": "Neteja el missatge",
|
||||
"clear_value": "Neteja el valor",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Introdueix la contrasenya",
|
||||
"client_cert_import": "Importar",
|
||||
"client_cert_import_success_msg": "S'ha importat el certificat del client",
|
||||
@@ -637,6 +629,7 @@
|
||||
"close": "Tanca",
|
||||
"collapse": "Tanca",
|
||||
"collapse_all": "Redueix-ho tot",
|
||||
"color": "Color",
|
||||
"color_theme": "Tema de color",
|
||||
"comment_deleted": "Comentari esborrat",
|
||||
"comment_options": "Opcions de comentari",
|
||||
@@ -650,11 +643,11 @@
|
||||
"confirm_delete_face": "Estàs segur que vols eliminar la cara de {name} de les cares reconegudes?",
|
||||
"confirm_delete_shared_link": "Esteu segurs que voleu eliminar aquest enllaç compartit?",
|
||||
"confirm_keep_this_delete_others": "Excepte aquest element, tots els altres de la pila se suprimiran. Esteu segur que voleu continuar?",
|
||||
"confirm_new_pin_code": "Confirma el nou codi PIN",
|
||||
"confirm_password": "Confirmació de contrasenya",
|
||||
"contain": "Contingut",
|
||||
"context": "Context",
|
||||
"continue": "Continuar",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} elements - Compartits",
|
||||
"control_bottom_app_bar_album_info_shared": "{} elements - Compartits",
|
||||
"control_bottom_app_bar_create_new_album": "Crea un àlbum nou",
|
||||
"control_bottom_app_bar_delete_from_immich": "Suprimeix del Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Suprimeix del dispositiu",
|
||||
@@ -692,11 +685,9 @@
|
||||
"create_tag_description": "Crear una nova etiqueta. Per les etiquetes aniuades, escriu la ruta comperta de l'etiqueta, incloses les barres diagonals.",
|
||||
"create_user": "Crea un usuari",
|
||||
"created": "Creat",
|
||||
"created_at": "Creat",
|
||||
"crop": "Retalla",
|
||||
"curated_object_page_title": "Coses",
|
||||
"current_device": "Dispositiu actual",
|
||||
"current_pin_code": "Codi PIN actual",
|
||||
"current_server_address": "Adreça actual del servidor",
|
||||
"custom_locale": "Localització personalitzada",
|
||||
"custom_locale_description": "Format de dates i números segons la llengua i regió",
|
||||
@@ -720,7 +711,7 @@
|
||||
"delete": "Esborra",
|
||||
"delete_album": "Esborra l'àlbum",
|
||||
"delete_api_key_prompt": "Esteu segurs que voleu eliminar aquesta clau API?",
|
||||
"delete_dialog_alert": "Aquests elements seran eliminats de manera permanent d'Immich i del vostre dispositiu",
|
||||
"delete_dialog_alert": "Aquests elements seran eliminats de manera permanent d'Immich i del vostre dispositiu.",
|
||||
"delete_dialog_alert_local": "Aquests elements s'eliminaran permanentment del vostre dispositiu, però encara estaran disponibles al servidor Immich",
|
||||
"delete_dialog_alert_local_non_backed_up": "Alguns dels elements no tenen còpia de seguretat a Immich i s'eliminaran permanentment del dispositiu",
|
||||
"delete_dialog_alert_remote": "Aquests elements s'eliminaran permanentment del servidor Immich",
|
||||
@@ -748,6 +739,7 @@
|
||||
"direction": "Direcció",
|
||||
"disabled": "Desactivat",
|
||||
"disallow_edits": "No permetre les edicions",
|
||||
"discord": "Discord",
|
||||
"discover": "Descobreix",
|
||||
"dismiss_all_errors": "Descarta tots els errors",
|
||||
"dismiss_error": "Descarta l'error",
|
||||
@@ -764,7 +756,7 @@
|
||||
"download_enqueue": "Descàrrega en cua",
|
||||
"download_error": "Error de descàrrega",
|
||||
"download_failed": "Descàrrega ha fallat",
|
||||
"download_filename": "arxiu: {filename}",
|
||||
"download_filename": "arxiu: {}",
|
||||
"download_finished": "Descàrrega acabada",
|
||||
"download_include_embedded_motion_videos": "Vídeos incrustats",
|
||||
"download_include_embedded_motion_videos_description": "Incloure vídeos incrustats en fotografies en moviment com un arxiu separat",
|
||||
@@ -802,12 +794,12 @@
|
||||
"edit_title": "Edita títol",
|
||||
"edit_user": "Edita l'usuari",
|
||||
"edited": "Editat",
|
||||
"editor": "Editor",
|
||||
"editor_close_without_save_prompt": "No es desaran els canvis",
|
||||
"editor_close_without_save_title": "Tancar l'editor?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Relació d'aspecte",
|
||||
"editor_crop_tool_h2_rotation": "Rotació",
|
||||
"email": "Correu electrònic",
|
||||
"email_notifications": "Correu electrònic de notificacions",
|
||||
"empty_folder": "Aquesta carpeta és buida",
|
||||
"empty_trash": "Buidar la paperera",
|
||||
"empty_trash_confirmation": "Esteu segur que voleu buidar la paperera? Això eliminarà tots els recursos a la paperera permanentment d'Immich.\nNo podeu desfer aquesta acció!",
|
||||
@@ -815,10 +807,12 @@
|
||||
"enabled": "Activat",
|
||||
"end_date": "Data final",
|
||||
"enqueued": "En cua",
|
||||
"enter_wifi_name": "Introdueix el nom de Wi-Fi",
|
||||
"enter_wifi_name": "Introdueix el nom de WiFi",
|
||||
"error": "Error",
|
||||
"error_change_sort_album": "No s'ha pogut canviar l'ordre d'ordenació dels àlbums",
|
||||
"error_delete_face": "Error esborrant cara de les cares reconegudes",
|
||||
"error_loading_image": "Error carregant la imatge",
|
||||
"error_saving_image": "Error: {}",
|
||||
"error_title": "Error - Quelcom ha anat malament",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "No es pot navegar a l'element següent",
|
||||
@@ -848,12 +842,10 @@
|
||||
"failed_to_keep_this_delete_others": "No s'ha pogut conservar aquest element i suprimir els altres",
|
||||
"failed_to_load_asset": "No s'ha pogut carregar l'element",
|
||||
"failed_to_load_assets": "No s'han pogut carregar els elements",
|
||||
"failed_to_load_notifications": "Error en carregar les notificacions",
|
||||
"failed_to_load_people": "No s'han pogut carregar les persones",
|
||||
"failed_to_remove_product_key": "No s'ha pogut eliminar la clau del producte",
|
||||
"failed_to_stack_assets": "No s'han pogut apilar els elements",
|
||||
"failed_to_unstack_assets": "No s'han pogut desapilar els elements",
|
||||
"failed_to_update_notification_status": "Error en actualitzar l'estat de les notificacions",
|
||||
"import_path_already_exists": "Aquesta ruta d'importació ja existeix.",
|
||||
"incorrect_email_or_password": "Correu electrònic o contrasenya incorrectes",
|
||||
"paths_validation_failed": "{paths, plural, one {# ruta} other {# rutes}} no ha pogut validar",
|
||||
@@ -921,7 +913,6 @@
|
||||
"unable_to_remove_reaction": "No es pot eliminar la reacció",
|
||||
"unable_to_repair_items": "No es poden reparar els elements",
|
||||
"unable_to_reset_password": "No es pot restablir la contrasenya",
|
||||
"unable_to_reset_pin_code": "No es pot restablir el codi PIN",
|
||||
"unable_to_resolve_duplicate": "No es pot resoldre el duplicat",
|
||||
"unable_to_restore_assets": "No es poden restaurar els recursos",
|
||||
"unable_to_restore_trash": "No es pot restaurar la paperera",
|
||||
@@ -949,20 +940,22 @@
|
||||
"unable_to_update_user": "No es pot actualitzar l'usuari",
|
||||
"unable_to_upload_file": "No es pot carregar el fitxer"
|
||||
},
|
||||
"exif_bottom_sheet_description": "Afegeix descripció...",
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Afegeix descripció",
|
||||
"exif_bottom_sheet_details": "DETALLS",
|
||||
"exif_bottom_sheet_location": "UBICACIÓ",
|
||||
"exif_bottom_sheet_people": "PERSONES",
|
||||
"exif_bottom_sheet_person_add_person": "Afegir nom",
|
||||
"exif_bottom_sheet_person_age": "Edat {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Edat {months} mesos",
|
||||
"exif_bottom_sheet_person_age_year_months": "Edat 1 any, {months} mesos",
|
||||
"exif_bottom_sheet_person_age_years": "Edat {years}",
|
||||
"exif_bottom_sheet_person_age": "Edat {}",
|
||||
"exif_bottom_sheet_person_age_months": "Edat {} mesos",
|
||||
"exif_bottom_sheet_person_age_year_months": "Edat 1 any, {} mesos",
|
||||
"exif_bottom_sheet_person_age_years": "Edat {}",
|
||||
"exit_slideshow": "Surt de la presentació de diapositives",
|
||||
"expand_all": "Ampliar-ho tot",
|
||||
"experimental_settings_new_asset_list_subtitle": "Treball en curs",
|
||||
"experimental_settings_new_asset_list_title": "Habilita la graella de fotos experimental",
|
||||
"experimental_settings_subtitle": "Utilitzeu-ho sota la vostra responsabilitat!",
|
||||
"experimental_settings_title": "Experimental",
|
||||
"expire_after": "Caduca després de",
|
||||
"expired": "Caducat",
|
||||
"expires_date": "Caduca el {date}",
|
||||
@@ -974,7 +967,7 @@
|
||||
"external": "Extern",
|
||||
"external_libraries": "Llibreries externes",
|
||||
"external_network": "Xarxa externa",
|
||||
"external_network_sheet_info": "Quan no estigui a la xarxa Wi-Fi preferida, l'aplicació es connectarà al servidor mitjançant el primer dels URL següents a què pot arribar, començant de dalt a baix",
|
||||
"external_network_sheet_info": "Quan no estigui a la xarxa WiFi preferida, l'aplicació es connectarà al servidor mitjançant el primer dels URL següents a què pot arribar, començant de dalt a baix.",
|
||||
"face_unassigned": "Sense assignar",
|
||||
"failed": "Fallat",
|
||||
"failed_to_load_assets": "Error carregant recursos",
|
||||
@@ -992,7 +985,6 @@
|
||||
"filetype": "Tipus d'arxiu",
|
||||
"filter": "Filtrar",
|
||||
"filter_people": "Filtra persones",
|
||||
"filter_places": "Filtrar per llocs",
|
||||
"find_them_fast": "Trobeu-los ràpidament pel nom amb la cerca",
|
||||
"fix_incorrect_match": "Corregiu la coincidència incorrecta",
|
||||
"folder": "Carpeta",
|
||||
@@ -1000,6 +992,7 @@
|
||||
"folders": "Carpetes",
|
||||
"folders_feature_description": "Explorar la vista de carpetes per les fotos i vídeos del sistema d'arxius",
|
||||
"forward": "Endavant",
|
||||
"general": "General",
|
||||
"get_help": "Aconseguir ajuda",
|
||||
"get_wifiname_error": "No s'ha pogut obtenir el nom de la Wi-Fi. Assegureu-vos que heu concedit els permisos necessaris i que esteu connectat a una xarxa Wi-Fi",
|
||||
"getting_started": "Començant",
|
||||
@@ -1040,7 +1033,7 @@
|
||||
"home_page_delete_remote_err_local": "Elements locals a la selecció d'eliminació remota, ometent",
|
||||
"home_page_favorite_err_local": "Encara no es pot afegir a preferits elements locals, ometent",
|
||||
"home_page_favorite_err_partner": "Encara no es pot afegir a preferits elements de companys, ometent",
|
||||
"home_page_first_time_notice": "Si és la primera vegada que utilitzes l'app, si us plau, assegura't d'escollir un àlbum de còpia de seguretat perquè la línia de temps pugui carregar fotos i vídeos als àlbums",
|
||||
"home_page_first_time_notice": "Si és la primera vegada que utilitzes l'app, si us plau, assegura't d'escollir un àlbum de còpia de seguretat perquè la línia de temps pugui carregar fotos i vídeos als àlbums.",
|
||||
"home_page_share_err_local": "No es poden compartir els elements locals a través d'un enllaç, ometent",
|
||||
"home_page_upload_err_limit": "Només es poden pujar un màxim de 30 elements alhora, ometent",
|
||||
"host": "Amfitrió",
|
||||
@@ -1120,7 +1113,7 @@
|
||||
"local_network": "Xarxa local",
|
||||
"local_network_sheet_info": "L'aplicació es connectarà al servidor mitjançant aquest URL quan utilitzeu la xarxa Wi-Fi especificada",
|
||||
"location_permission": "Permís d'ubicació",
|
||||
"location_permission_content": "Per utilitzar la funció de canvi automàtic, Immich necessita un permís d'ubicació precisa perquè pugui llegir el nom de la xarxa Wi-Fi actual",
|
||||
"location_permission_content": "Per utilitzar la funció de canvi automàtic, Immich necessita un permís de ubicació precisa perquè pugui llegir el nom de la xarxa WiFi actual",
|
||||
"location_picker_choose_on_map": "Escollir en el mapa",
|
||||
"location_picker_latitude_error": "Introdueix una latitud vàlida",
|
||||
"location_picker_latitude_hint": "Introdueix aquí la latitud",
|
||||
@@ -1144,7 +1137,7 @@
|
||||
"login_form_err_trailing_whitespace": "Espai en blanc al final",
|
||||
"login_form_failed_get_oauth_server_config": "Error en iniciar sessió amb OAuth, comprova l'URL del servidor",
|
||||
"login_form_failed_get_oauth_server_disable": "La funcionalitat OAuth no està disponible en aquest servidor",
|
||||
"login_form_failed_login": "Error en iniciar sessió, comprova l'URL del servidor, el correu electrònic i la contrasenya",
|
||||
"login_form_failed_login": "Error en iniciar sessió, comprova l'URL del servidor, el correu electrònic i la contrasenya.",
|
||||
"login_form_handshake_exception": "S'ha produït una excepció de handshake amb el servidor. Activa el suport per certificats autofirmats a la configuració si estàs fent servir un certificat autofirmat.",
|
||||
"login_form_password_hint": "contrasenya",
|
||||
"login_form_save_login": "Mantingues identificat",
|
||||
@@ -1170,8 +1163,8 @@
|
||||
"manage_your_devices": "Gestioneu els vostres dispositius connectats",
|
||||
"manage_your_oauth_connection": "Gestioneu la vostra connexió OAuth",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} fotos",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} fotos",
|
||||
"map_cannot_get_user_location": "No es pot obtenir la ubicació de l'usuari",
|
||||
"map_location_dialog_yes": "Sí",
|
||||
"map_location_picker_page_use_location": "Utilitzar aquesta ubicació",
|
||||
@@ -1185,18 +1178,15 @@
|
||||
"map_settings": "Paràmetres de mapa",
|
||||
"map_settings_dark_mode": "Mode fosc",
|
||||
"map_settings_date_range_option_day": "Últimes 24 hores",
|
||||
"map_settings_date_range_option_days": "Darrers {days} dies",
|
||||
"map_settings_date_range_option_days": "Darrers {} dies",
|
||||
"map_settings_date_range_option_year": "Any passat",
|
||||
"map_settings_date_range_option_years": "Darrers {years} anys",
|
||||
"map_settings_date_range_option_years": "Darrers {} anys",
|
||||
"map_settings_dialog_title": "Configuració del mapa",
|
||||
"map_settings_include_show_archived": "Incloure arxivats",
|
||||
"map_settings_include_show_partners": "Incloure companys",
|
||||
"map_settings_only_show_favorites": "Mostra només preferits",
|
||||
"map_settings_theme_settings": "Tema del Mapa",
|
||||
"map_zoom_to_see_photos": "Allunya per veure fotos",
|
||||
"mark_all_as_read": "Marcar-ho tot com a llegit",
|
||||
"mark_as_read": "Marcar com ha llegit",
|
||||
"marked_all_as_read": "Marcat tot com a llegit",
|
||||
"matches": "Coincidències",
|
||||
"media_type": "Tipus de mitjà",
|
||||
"memories": "Records",
|
||||
@@ -1205,6 +1195,8 @@
|
||||
"memories_setting_description": "Gestiona el que veus als teus records",
|
||||
"memories_start_over": "Torna a començar",
|
||||
"memories_swipe_to_close": "Llisca per tancar",
|
||||
"memories_year_ago": "Fa un any",
|
||||
"memories_years_ago": "Fa {} anys",
|
||||
"memory": "Record",
|
||||
"memory_lane_title": "Línia de records {title}",
|
||||
"menu": "Menú",
|
||||
@@ -1217,13 +1209,13 @@
|
||||
"minimize": "Minimitza",
|
||||
"minute": "Minut",
|
||||
"missing": "Restants",
|
||||
"model": "Model",
|
||||
"month": "Mes",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Més",
|
||||
"moved_to_archive": "S'han mogut {count, plural, one {# asset} other {# assets}} a l'arxiu",
|
||||
"moved_to_library": "S'ha mogut {count, plural, one {# asset} other {# assets}} a la llibreria",
|
||||
"moved_to_trash": "S'ha mogut a la paperera",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "No es pot canviar la data del fitxer(s) de només lectura, ometent",
|
||||
"multiselect_grid_edit_gps_err_read_only": "No es pot canviar la localització de fitxers de només lectura, saltant",
|
||||
"multiselect_grid_edit_gps_err_read_only": "No es pot canviar la localització de fitxers de només lectura. Saltant.",
|
||||
"mute_memories": "Silenciar records",
|
||||
"my_albums": "Els meus àlbums",
|
||||
"name": "Nom",
|
||||
@@ -1235,12 +1227,12 @@
|
||||
"new_api_key": "Nova clau de l'API",
|
||||
"new_password": "Nova contrasenya",
|
||||
"new_person": "Persona nova",
|
||||
"new_pin_code": "Nou codi PIN",
|
||||
"new_user_created": "Nou usuari creat",
|
||||
"new_version_available": "NOVA VERSIÓ DISPONIBLE",
|
||||
"newest_first": "El més nou primer",
|
||||
"next": "Següent",
|
||||
"next_memory": "Següent record",
|
||||
"no": "No",
|
||||
"no_albums_message": "Creeu un àlbum per organitzar les vostres fotos i vídeos",
|
||||
"no_albums_with_name_yet": "Sembla que encara no tens cap àlbum amb aquest nom.",
|
||||
"no_albums_yet": "Sembla que encara no tens cap àlbum.",
|
||||
@@ -1253,8 +1245,6 @@
|
||||
"no_favorites_message": "Afegiu preferits per trobar les millors fotos i vídeos a l'instant",
|
||||
"no_libraries_message": "Creeu una llibreria externa per veure les vostres fotos i vídeos",
|
||||
"no_name": "Sense nom",
|
||||
"no_notifications": "No hi ha notificacions",
|
||||
"no_people_found": "No s'han trobat coincidències de persones",
|
||||
"no_places": "No hi ha llocs",
|
||||
"no_results": "Sense resultats",
|
||||
"no_results_description": "Proveu un sinònim o una paraula clau més general",
|
||||
@@ -1262,6 +1252,7 @@
|
||||
"not_in_any_album": "En cap àlbum",
|
||||
"not_selected": "No seleccionat",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Nota: per aplicar l'etiqueta d'emmagatzematge als actius penjats anteriorment, executeu el",
|
||||
"notes": "Notes",
|
||||
"notification_permission_dialog_content": "Per activar les notificacions, aneu a Configuració i seleccioneu permet.",
|
||||
"notification_permission_list_tile_content": "Atorga permís per a activar les notificacions.",
|
||||
"notification_permission_list_tile_enable_button": "Activa les notificacions",
|
||||
@@ -1269,6 +1260,7 @@
|
||||
"notification_toggle_setting_description": "Activa les notificacions per correu electrònic",
|
||||
"notifications": "Notificacions",
|
||||
"notifications_setting_description": "Gestiona les notificacions",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Recursos oficials d'Immich",
|
||||
"offline": "Fora de línia",
|
||||
"offline_paths": "Rutes fora de línia",
|
||||
@@ -1283,13 +1275,13 @@
|
||||
"onboarding_welcome_user": "Benvingut, {user}",
|
||||
"online": "En línia",
|
||||
"only_favorites": "Només preferits",
|
||||
"open": "Obrir",
|
||||
"open_in_map_view": "Obrir a la vista del mapa",
|
||||
"open_in_openstreetmap": "Obre a OpenStreetMap",
|
||||
"open_the_search_filters": "Obriu els filtres de cerca",
|
||||
"options": "Opcions",
|
||||
"or": "o",
|
||||
"organize_your_library": "Organitzeu la llibreria",
|
||||
"original": "original",
|
||||
"other": "Altres",
|
||||
"other_devices": "Altres dispositius",
|
||||
"other_variables": "Altres variables",
|
||||
@@ -1306,7 +1298,7 @@
|
||||
"partner_page_partner_add_failed": "No s'ha pogut afegir el company",
|
||||
"partner_page_select_partner": "Escull company",
|
||||
"partner_page_shared_to_title": "Compartit amb",
|
||||
"partner_page_stop_sharing_content": "{partner} ja no podrà accedir a les teves fotos.",
|
||||
"partner_page_stop_sharing_content": "{} ja no podrà accedir a les teves fotos.",
|
||||
"partner_sharing": "Compartició amb companys",
|
||||
"partners": "Companys",
|
||||
"password": "Contrasenya",
|
||||
@@ -1352,9 +1344,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Foto} other {{count, number} Fotos}}",
|
||||
"photos_from_previous_years": "Fotos d'anys anteriors",
|
||||
"pick_a_location": "Triar una ubicació",
|
||||
"pin_code_changed_successfully": "Codi PIN canviat correctament",
|
||||
"pin_code_reset_successfully": "S'ha restablert correctament el codi PIN",
|
||||
"pin_code_setup_successfully": "S'ha configurat correctament un codi PIN",
|
||||
"place": "Lloc",
|
||||
"places": "Llocs",
|
||||
"places_count": "{count, plural, one {{count, number} Lloc} other {{count, number} Llocs}}",
|
||||
@@ -1362,6 +1351,7 @@
|
||||
"play_memories": "Reproduir records",
|
||||
"play_motion_photo": "Reproduir Fotos en Moviment",
|
||||
"play_or_pause_video": "Reproduir o posar en pausa el vídeo",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Gestiona les preferències de l'aplicació",
|
||||
"preferences_settings_title": "Preferències",
|
||||
"preset": "Preestablert",
|
||||
@@ -1371,11 +1361,11 @@
|
||||
"previous_or_next_photo": "Foto anterior o següent",
|
||||
"primary": "Primària",
|
||||
"privacy": "Privacitat",
|
||||
"profile": "Perfil",
|
||||
"profile_drawer_app_logs": "Registres",
|
||||
"profile_drawer_client_out_of_date_major": "L'aplicació mòbil està desactualitzada. Si us plau, actualitzeu a l'última versió major.",
|
||||
"profile_drawer_client_out_of_date_minor": "L'aplicació mòbil està desactualitzada. Si us plau, actualitzeu a l'última versió menor.",
|
||||
"profile_drawer_client_server_up_to_date": "El Client i el Servidor estan actualitzats",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "L'aplicació mòbil està desactualitzada. Si us plau, actualitzeu a l'última versió major.",
|
||||
"profile_drawer_server_out_of_date_minor": "L'aplicació mòbil està desactualitzada. Si us plau, actualitzeu a l'última versió menor.",
|
||||
"profile_image_of_user": "Imatge de perfil de {user}",
|
||||
@@ -1384,7 +1374,7 @@
|
||||
"public_share": "Compartit públicament",
|
||||
"purchase_account_info": "Contribuent",
|
||||
"purchase_activated_subtitle": "Gràcies per donar suport a Immich i al programari de codi obert",
|
||||
"purchase_activated_time": "Activat el {date}",
|
||||
"purchase_activated_time": "Activat el {date, date}",
|
||||
"purchase_activated_title": "La teva clau s'ha activat correctament",
|
||||
"purchase_button_activate": "Activar",
|
||||
"purchase_button_buy": "Comprar",
|
||||
@@ -1396,6 +1386,7 @@
|
||||
"purchase_failed_activation": "No s'ha pogut activar! Si us plau, comproveu el vostre correu electrònic per trobar la clau de producte correcta!",
|
||||
"purchase_individual_description_1": "Per a un particular",
|
||||
"purchase_individual_description_2": "Estat de la contribució",
|
||||
"purchase_individual_title": "Individual",
|
||||
"purchase_input_suggestion": "Tens una clau de producte? Introduïu la clau a continuació",
|
||||
"purchase_license_subtitle": "Compra Immich per donar suport al desenvolupament continuat del servei",
|
||||
"purchase_lifetime_description": "Compra de per vida",
|
||||
@@ -1423,12 +1414,11 @@
|
||||
"reassigned_assets_to_existing_person": "{count, plural, one {S'ha reassignat # recurs} other {S'han reassignat # recursos}} a {name, select, null {una persona existent} other {{name}}}",
|
||||
"reassigned_assets_to_new_person": "{count, plural, one {S'ha reassignat # recurs} other {S'han reassignat # recursos}} a una persona nova",
|
||||
"reassing_hint": "Assignar els elements seleccionats a una persona existent",
|
||||
"recent": "Recent",
|
||||
"recent-albums": "Àlbums recents",
|
||||
"recent_searches": "Cerques recents",
|
||||
"recently_added": "Afegit recentment",
|
||||
"recently_added_page_title": "Afegit recentment",
|
||||
"recently_taken": "Fet recentment",
|
||||
"recently_taken_page_title": "Fet recentment",
|
||||
"refresh": "Actualitzar",
|
||||
"refresh_encoded_videos": "Actualitza vídeos codificats",
|
||||
"refresh_faces": "Actualitzar cares",
|
||||
@@ -1471,7 +1461,6 @@
|
||||
"reset": "Restablir",
|
||||
"reset_password": "Restablir contrasenya",
|
||||
"reset_people_visibility": "Restablir la visibilitat de les persones",
|
||||
"reset_pin_code": "Restablir el codi PIN",
|
||||
"reset_to_default": "Restableix els valors predeterminats",
|
||||
"resolve_duplicates": "Resoldre duplicats",
|
||||
"resolved_all_duplicates": "Tots els duplicats resolts",
|
||||
@@ -1483,6 +1472,7 @@
|
||||
"retry_upload": "Torna a provar de pujar",
|
||||
"review_duplicates": "Revisar duplicats",
|
||||
"role": "Rol",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visor",
|
||||
"save": "Desa",
|
||||
"save_to_gallery": "Desa a galeria",
|
||||
@@ -1526,6 +1516,7 @@
|
||||
"search_no_people_named": "Cap persona anomenada \"{name}\"",
|
||||
"search_no_result": "No s'han trobat resultats, proveu un terme de cerca o una combinació diferents",
|
||||
"search_options": "Opcions de cerca",
|
||||
"search_page_categories": "Categories",
|
||||
"search_page_motion_photos": "Fotografies animades",
|
||||
"search_page_no_objects": "No hi ha informació d'objectes disponibles",
|
||||
"search_page_no_places": "No hi ha informació de llocs disponibles",
|
||||
@@ -1562,7 +1553,6 @@
|
||||
"select_keep_all": "Mantén tota la selecció",
|
||||
"select_library_owner": "Selecciona el propietari de la bilbioteca",
|
||||
"select_new_face": "Selecciona nova cara",
|
||||
"select_person_to_tag": "Selecciona una persona per etiquetar",
|
||||
"select_photos": "Tria fotografies",
|
||||
"select_trash_all": "Envia la selecció a la paperera",
|
||||
"select_user_for_sharing_page_err_album": "Error al crear l'àlbum",
|
||||
@@ -1593,12 +1583,12 @@
|
||||
"setting_languages_apply": "Aplicar",
|
||||
"setting_languages_subtitle": "Canvia el llenguatge de l'aplicació",
|
||||
"setting_languages_title": "Idiomes",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifica les fallades de la còpia de seguretat en segon pla: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} hores",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifica les fallades de la còpia de seguretat en segon pla: {}",
|
||||
"setting_notifications_notify_hours": "{} hores",
|
||||
"setting_notifications_notify_immediately": "immediatament",
|
||||
"setting_notifications_notify_minutes": "{count} minuts",
|
||||
"setting_notifications_notify_minutes": "{} minuts",
|
||||
"setting_notifications_notify_never": "mai",
|
||||
"setting_notifications_notify_seconds": "{count} segons",
|
||||
"setting_notifications_notify_seconds": "{} segons",
|
||||
"setting_notifications_single_progress_subtitle": "Informació detallada del progrés de la pujada de cada fitxer",
|
||||
"setting_notifications_single_progress_title": "Mostra el progrés detallat de la còpia de seguretat en segon pla",
|
||||
"setting_notifications_subtitle": "Ajusta les preferències de notificació",
|
||||
@@ -1610,10 +1600,9 @@
|
||||
"settings": "Configuració",
|
||||
"settings_require_restart": "Si us plau, reinicieu Immich per a aplicar aquest canvi",
|
||||
"settings_saved": "Configuració desada",
|
||||
"setup_pin_code": "Configurar un codi PIN",
|
||||
"share": "Comparteix",
|
||||
"share_add_photos": "Afegeix fotografies",
|
||||
"share_assets_selected": "{count} seleccionats",
|
||||
"share_assets_selected": "{} seleccionats",
|
||||
"share_dialog_preparing": "S'està preparant...",
|
||||
"shared": "Compartit",
|
||||
"shared_album_activities_input_disable": "Els comentaris estan desactivats",
|
||||
@@ -1627,33 +1616,34 @@
|
||||
"shared_by_user": "Compartit per {user}",
|
||||
"shared_by_you": "Compartit per tu",
|
||||
"shared_from_partner": "Fotos de {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Pujat",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Pujat",
|
||||
"shared_link_app_bar_title": "Enllaços compartits",
|
||||
"shared_link_clipboard_copied_massage": "S'ha copiat al porta-retalls",
|
||||
"shared_link_clipboard_text": "Enllaç: {link}\nContrasenya: {password}",
|
||||
"shared_link_clipboard_text": "Enllaç: {}\nContrasenya: {}",
|
||||
"shared_link_create_error": "S'ha produït un error en crear l'enllaç compartit",
|
||||
"shared_link_edit_description_hint": "Introduïu la descripció de compartició",
|
||||
"shared_link_edit_expire_after_option_day": "1 dia",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dies",
|
||||
"shared_link_edit_expire_after_option_days": "{} dies",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hora",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} hores",
|
||||
"shared_link_edit_expire_after_option_hours": "{} hores",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minut",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minuts",
|
||||
"shared_link_edit_expire_after_option_months": "{count} mesos",
|
||||
"shared_link_edit_expire_after_option_year": "any {count}",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minuts",
|
||||
"shared_link_edit_expire_after_option_months": "{} mesos",
|
||||
"shared_link_edit_expire_after_option_year": "any {}",
|
||||
"shared_link_edit_password_hint": "Introduïu la contrasenya de compartició",
|
||||
"shared_link_edit_submit_button": "Actualitza l'enllaç",
|
||||
"shared_link_error_server_url_fetch": "No s'ha pogut obtenir l'URL del servidor",
|
||||
"shared_link_expires_day": "Caduca d'aquí a {count} dia",
|
||||
"shared_link_expires_days": "Caduca d'aquí a {count} dies",
|
||||
"shared_link_expires_hour": "Caduca d'aquí a {count} hora",
|
||||
"shared_link_expires_hours": "Caduca d'aquí a {count} hores",
|
||||
"shared_link_expires_minute": "Caduca d'aquí a {count} minut",
|
||||
"shared_link_expires_minutes": "Caduca d'aquí a {count} minuts",
|
||||
"shared_link_expires_day": "Caduca d'aquí a {} dia",
|
||||
"shared_link_expires_days": "Caduca d'aquí a {} dies",
|
||||
"shared_link_expires_hour": "Caduca d'aquí a {} hora",
|
||||
"shared_link_expires_hours": "Caduca d'aquí a {} hores",
|
||||
"shared_link_expires_minute": "Caduca d'aquí a {} minut",
|
||||
"shared_link_expires_minutes": "Caduca d'aquí a {} minuts",
|
||||
"shared_link_expires_never": "Caduca ∞",
|
||||
"shared_link_expires_second": "Caduca d'aquí a {count} segon",
|
||||
"shared_link_expires_seconds": "Caduca d'aquí a {count} segons",
|
||||
"shared_link_expires_second": "Caduca d'aquí a {} segon",
|
||||
"shared_link_expires_seconds": "Caduca d'aquí a {} segons",
|
||||
"shared_link_individual_shared": "Individual compartit",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Gestiona els enllaços compartits",
|
||||
"shared_link_options": "Opcions d'enllaços compartits",
|
||||
"shared_links": "Enllaços compartits",
|
||||
@@ -1726,7 +1716,6 @@
|
||||
"stop_sharing_photos_with_user": "Deixa de compartir les fotos amb aquest usuari",
|
||||
"storage": "Emmagatzematge",
|
||||
"storage_label": "Etiquetatge d'emmagatzematge",
|
||||
"storage_quota": "Quota d'emmagatzematge",
|
||||
"storage_usage": "{used} de {available} en ús",
|
||||
"submit": "Envia",
|
||||
"suggestions": "Suggeriments",
|
||||
@@ -1753,7 +1742,7 @@
|
||||
"theme_selection": "Selecció de tema",
|
||||
"theme_selection_description": "Activa automàticament el tema fosc o clar en funció de les preferències del sistema del navegador",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Mostra l'indicador d'emmagatzematge als títols dels elements",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Nombre d'elements per fila ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Nombre d'elements per fila ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Apliqueu color primari a les superfícies de fons.",
|
||||
"theme_setting_colorful_interface_title": "Interfície colorida",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Ajusta la qualitat del visor de detalls d'imatges",
|
||||
@@ -1778,6 +1767,7 @@
|
||||
"to_trash": "Paperera",
|
||||
"toggle_settings": "Canvia configuració",
|
||||
"toggle_theme": "Alternar tema",
|
||||
"total": "Total",
|
||||
"total_usage": "Ús total",
|
||||
"trash": "Paperera",
|
||||
"trash_all": "Envia-ho tot a la paperera",
|
||||
@@ -1787,15 +1777,13 @@
|
||||
"trash_no_results_message": "Les imatges i vídeos que s'enviïn a la paperera es mostraran aquí.",
|
||||
"trash_page_delete_all": "Eliminar-ho tot",
|
||||
"trash_page_empty_trash_dialog_content": "Segur que voleu eliminar els elements? Aquests elements seran eliminats permanentment de Immich",
|
||||
"trash_page_info": "Els elements que s'enviïn a la paperera s'eliminaran permanentment després de {days} dies",
|
||||
"trash_page_info": "Els elements que s'enviïn a la paperera s'eliminaran permanentment després de {} dies",
|
||||
"trash_page_no_assets": "No hi ha elements a la paperera",
|
||||
"trash_page_restore_all": "Restaura-ho tot",
|
||||
"trash_page_select_assets_btn": "Selecciona elements",
|
||||
"trash_page_title": "Paperera ({count})",
|
||||
"trash_page_title": "Paperera ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Els elements que s'enviïn a la paperera s'eliminaran permanentment després de {days, plural, one {# dia} other {# dies}}.",
|
||||
"type": "Tipus",
|
||||
"unable_to_change_pin_code": "No es pot canviar el codi PIN",
|
||||
"unable_to_setup_pin_code": "No s'ha pogut configurar el codi PIN",
|
||||
"unarchive": "Desarxivar",
|
||||
"unarchived_count": "{count, plural, other {# elements desarxivats}}",
|
||||
"unfavorite": "Reverteix preferit",
|
||||
@@ -1819,7 +1807,6 @@
|
||||
"untracked_files": "Fitxers no monitoritzats",
|
||||
"untracked_files_decription": "Aquests fitxers no estan monitoritzats per l'aplicació. Poden ser el resultat de moviments errats, descàrregues interrompudes o deixats enrere per error",
|
||||
"up_next": "Pròxim",
|
||||
"updated_at": "Actualitzat",
|
||||
"updated_password": "Contrasenya actualitzada",
|
||||
"upload": "Pujar",
|
||||
"upload_concurrency": "Concurrència de pujades",
|
||||
@@ -1829,19 +1816,18 @@
|
||||
"upload_progress": "Restant {remaining, number} - Processat {processed, number}/{total, number}",
|
||||
"upload_skipped_duplicates": "{count, plural, one {S'ha omès # recurs duplicat} other {S'han omès # recursos duplicats}}",
|
||||
"upload_status_duplicates": "Duplicats",
|
||||
"upload_status_errors": "Errors",
|
||||
"upload_status_uploaded": "Carregat",
|
||||
"upload_success": "Pujada correcta, actualitza la pàgina per veure nous recursos de pujada.",
|
||||
"upload_to_immich": "Puja a Immich ({count})",
|
||||
"upload_to_immich": "Puja a Immich ({})",
|
||||
"uploading": "Pujant",
|
||||
"url": "URL",
|
||||
"usage": "Ús",
|
||||
"use_current_connection": "utilitzar la connexió actual",
|
||||
"use_custom_date_range": "Fes servir un rang de dates personalitzat",
|
||||
"user": "Usuari",
|
||||
"user_has_been_deleted": "Aquest usuari ha sigut eliminat.",
|
||||
"user_id": "ID d'usuari",
|
||||
"user_liked": "A {user} li ha agradat {type, select, photo {aquesta foto} video {aquest vídeo} asset {aquest recurs} other {}}",
|
||||
"user_pin_code_settings": "Codi PIN",
|
||||
"user_pin_code_settings_description": "Gestiona el teu codi PIN",
|
||||
"user_purchase_settings": "Compra",
|
||||
"user_purchase_settings_description": "Gestiona la teva compra",
|
||||
"user_role_set": "Establir {user} com a {role}",
|
||||
@@ -1853,6 +1839,7 @@
|
||||
"utilities": "Utilitats",
|
||||
"validate": "Valida",
|
||||
"validate_endpoint_error": "Per favor introdueix un URL vàlid",
|
||||
"variables": "Variables",
|
||||
"version": "Versió",
|
||||
"version_announcement_closing": "El teu amic Alex",
|
||||
"version_announcement_message": "Hola! Hi ha una nova versió d'Immich, si us plau, preneu-vos una estona per llegir les <link>notes de llançament</link> per assegurar que la teva configuració estigui actualitzada per evitar qualsevol error de configuració, especialment si utilitzeu WatchTower o qualsevol mecanisme que gestioni l'actualització automàtica de la vostra instància Immich.",
|
||||
@@ -1889,11 +1876,11 @@
|
||||
"week": "Setmana",
|
||||
"welcome": "Benvingut",
|
||||
"welcome_to_immich": "Benvingut a immich",
|
||||
"wifi_name": "Nom Wi-Fi",
|
||||
"wifi_name": "Nom WiFi",
|
||||
"year": "Any",
|
||||
"years_ago": "Fa {years, plural, one {# any} other {# anys}}",
|
||||
"yes": "Sí",
|
||||
"you_dont_have_any_shared_links": "No tens cap enllaç compartit",
|
||||
"your_wifi_name": "Nom del teu Wi-Fi",
|
||||
"your_wifi_name": "El teu nom WiFi",
|
||||
"zoom_image": "Ampliar Imatge"
|
||||
}
|
||||
|
||||
207
i18n/cs.json
207
i18n/cs.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Přidat do alba",
|
||||
"add_to_album_bottom_sheet_added": "Přidáno do {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Je již v {album}",
|
||||
"add_to_locked_folder": "Přidat do uzamčené složky",
|
||||
"add_to_shared_album": "Přidat do sdíleného alba",
|
||||
"add_url": "Přidat URL",
|
||||
"added_to_archive": "Přidáno do archivu",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Pro potvrzení zadejte níže \"{email}\"",
|
||||
"confirm_reprocess_all_faces": "Opravdu chcete znovu zpracovat všechny obličeje? Tím se vymažou i pojmenované osoby.",
|
||||
"confirm_user_password_reset": "Opravdu chcete obnovit heslo uživatele {user}?",
|
||||
"confirm_user_pin_code_reset": "Opravdu chcete resetovat PIN kód uživatele {user}?",
|
||||
"create_job": "Vytvořit úlohu",
|
||||
"cron_expression": "Výraz cron",
|
||||
"cron_expression_description": "Nastavte interval prohledávání pomocí cron formátu. Další informace naleznete např. v <link>Crontab Guru</link>",
|
||||
@@ -350,7 +348,6 @@
|
||||
"user_delete_delay_settings_description": "Počet dní po odstranění, po kterých bude odstraněn účet a položky uživatele. Úloha odstraňování uživatelů se spouští o půlnoci a kontroluje uživatele, kteří jsou připraveni k odstranění. Změny tohoto nastavení se vyhodnotí při dalším spuštění.",
|
||||
"user_delete_immediately": "Účet a položky uživatele <b>{user}</b> budou zařazeny do fronty k trvalému smazání <b>okamžitě</b>.",
|
||||
"user_delete_immediately_checkbox": "Uživatele a položky zařadit do fronty k okamžitému smazání",
|
||||
"user_details": "Podrobnosti o uživateli",
|
||||
"user_management": "Správa uživatelů",
|
||||
"user_password_has_been_reset": "Heslo uživatele bylo obnoveno:",
|
||||
"user_password_reset_description": "Poskytněte uživateli dočasné heslo a informujte ho, že si ho bude muset při příštím přihlášení změnit.",
|
||||
@@ -372,7 +369,7 @@
|
||||
"advanced": "Pokročilé",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Tuto možnost použijte k filtrování médií během synchronizace na základě alternativních kritérií. Tuto možnost vyzkoušejte pouze v případě, že máte problémy s detekcí všech alb v aplikaci.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTÁLNÍ] Použít alternativní filtr pro synchronizaci alb zařízení",
|
||||
"advanced_settings_log_level_title": "Úroveň protokolování: {level}",
|
||||
"advanced_settings_log_level_title": "Úroveň protokolování: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "U některých zařízení je načítání miniatur z prostředků v zařízení velmi pomalé. Aktivujte toto nastavení, aby se místo toho načítaly vzdálené obrázky.",
|
||||
"advanced_settings_prefer_remote_title": "Preferovat vzdálené obrázky",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definice hlaviček proxy serveru, které by měl Immich odesílat s každým síťovým požadavkem",
|
||||
@@ -384,8 +381,8 @@
|
||||
"advanced_settings_tile_subtitle": "Pokročilé uživatelské nastavení",
|
||||
"advanced_settings_troubleshooting_subtitle": "Zobrazit dodatečné vlastnosti pro řešení problémů",
|
||||
"advanced_settings_troubleshooting_title": "Řešení problémů",
|
||||
"age_months": "Věk {months, plural, one {# měsíc} few {# měsíce} other {# měsíců}}",
|
||||
"age_year_months": "Věk 1 rok, {months, plural, one {# měsíc} other {# měsíce}}",
|
||||
"age_months": "{months, plural, one {# měsíc} few {# měsíce} other {# měsíců}}",
|
||||
"age_year_months": "1 rok a {months, plural, one {# měsíc} few {# měsíce} other {# měsíců}}",
|
||||
"age_years": "{years, plural, one {# rok} few {# roky} other {# let}}",
|
||||
"album_added": "Přidáno album",
|
||||
"album_added_notification_setting_description": "Dostávat e-mailové oznámení, když jste přidáni do sdíleného alba",
|
||||
@@ -403,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "Opravdu chcete odebrat uživatele {user}?",
|
||||
"album_share_no_users": "Zřejmě jste toto album sdíleli se všemi uživateli, nebo nemáte žádného uživatele, se kterým byste ho mohli sdílet.",
|
||||
"album_thumbnail_card_item": "1 položka",
|
||||
"album_thumbnail_card_items": "{count} položek",
|
||||
"album_thumbnail_card_items": "{} položek",
|
||||
"album_thumbnail_card_shared": " · Sdíleno",
|
||||
"album_thumbnail_shared_by": "Sdílel(a) {user}",
|
||||
"album_thumbnail_shared_by": "Sdílel(a) {}",
|
||||
"album_updated": "Album aktualizováno",
|
||||
"album_updated_setting_description": "Dostávat e-mailová oznámení o nových položkách sdíleného alba",
|
||||
"album_user_left": "Opustil {album}",
|
||||
@@ -443,7 +440,7 @@
|
||||
"archive": "Archiv",
|
||||
"archive_or_unarchive_photo": "Archivovat nebo odarchivovat fotku",
|
||||
"archive_page_no_archived_assets": "Nebyla nalezena žádná archivovaná média",
|
||||
"archive_page_title": "Archiv ({count})",
|
||||
"archive_page_title": "Archiv ({})",
|
||||
"archive_size": "Velikost archivu",
|
||||
"archive_size_description": "Nastavte velikost archivu pro stahování (v GiB)",
|
||||
"archived": "Archiv",
|
||||
@@ -480,18 +477,18 @@
|
||||
"assets_added_to_album_count": "Do alba {count, plural, one {byla přidána # položka} few {byly přidány # položky} other {bylo přidáno # položek}}",
|
||||
"assets_added_to_name_count": "{count, plural, one {Přidána # položka} few {Přidány # položky} other {Přidáno # položek}} do {hasName, select, true {alba <b>{name}</b>} other {nového alba}}",
|
||||
"assets_count": "{count, plural, one {# položka} few {# položky} other {# položek}}",
|
||||
"assets_deleted_permanently": "{count} položek trvale odstraněno",
|
||||
"assets_deleted_permanently_from_server": "{count} položek trvale odstraněno z Immich serveru",
|
||||
"assets_deleted_permanently": "{} položek trvale odstraněno",
|
||||
"assets_deleted_permanently_from_server": "{} položek trvale odstraněno z Immich serveru",
|
||||
"assets_moved_to_trash_count": "Do koše {count, plural, one {přesunuta # položka} few {přesunuty # položky} other {přesunuto # položek}}",
|
||||
"assets_permanently_deleted_count": "Trvale {count, plural, one {smazána # položka} few {smazány # položky} other {smazáno # položek}}",
|
||||
"assets_removed_count": "{count, plural, one {Odstraněna # položka} few {Odstraněny # položky} other {Odstraněno # položek}}",
|
||||
"assets_removed_permanently_from_device": "{count} položek trvale odstraněno z vašeho zařízení",
|
||||
"assets_removed_permanently_from_device": "{} položek trvale odstraněno z vašeho zařízení",
|
||||
"assets_restore_confirmation": "Opravdu chcete obnovit všechny vyhozené položky? Tuto akci nelze vrátit zpět! Upozorňujeme, že tímto způsobem nelze obnovit žádné offline položky.",
|
||||
"assets_restored_count": "{count, plural, one {Obnovena # položka} few {Obnoveny # položky} other {Obnoveno # položek}}",
|
||||
"assets_restored_successfully": "{count} položek úspěšně obnoveno",
|
||||
"assets_trashed": "{count} položek vyhozeno do koše",
|
||||
"assets_restored_successfully": "{} položek úspěšně obnoveno",
|
||||
"assets_trashed": "{} položek vyhozeno do koše",
|
||||
"assets_trashed_count": "{count, plural, one {Vyhozena # položka} few {Vyhozeny # položky} other {Vyhozeno # položek}}",
|
||||
"assets_trashed_from_server": "{count} položek vyhozeno do koše na Immich serveru",
|
||||
"assets_trashed_from_server": "{} položek vyhozeno do koše na Immich serveru",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Položka byla} other {Položky byly}} součástí alba",
|
||||
"authorized_devices": "Autorizovaná zařízení",
|
||||
"automatic_endpoint_switching_subtitle": "Připojit se místně přes určenou Wi-Fi, pokud je k dispozici, a používat alternativní připojení jinde",
|
||||
@@ -500,7 +497,7 @@
|
||||
"back_close_deselect": "Zpět, zavřít nebo zrušit výběr",
|
||||
"background_location_permission": "Povolení polohy na pozadí",
|
||||
"background_location_permission_content": "Aby bylo možné přepínat sítě při běhu na pozadí, musí mít Immich *vždy* přístup k přesné poloze, aby mohl zjistit název Wi-Fi sítě",
|
||||
"backup_album_selection_page_albums_device": "Alba v zařízení ({count})",
|
||||
"backup_album_selection_page_albums_device": "Alba v zařízení ({})",
|
||||
"backup_album_selection_page_albums_tap": "Klepnutím na položku ji zahrnete, opětovným klepnutím ji vyloučíte",
|
||||
"backup_album_selection_page_assets_scatter": "Položky mohou být roztroušeny ve více albech. To umožňuje zahrnout nebo vyloučit alba během procesu zálohování.",
|
||||
"backup_album_selection_page_select_albums": "Vybraná alba",
|
||||
@@ -509,21 +506,22 @@
|
||||
"backup_all": "Vše",
|
||||
"backup_background_service_backup_failed_message": "Zálohování médií selhalo. Zkouším to znovu…",
|
||||
"backup_background_service_connection_failed_message": "Nepodařilo se připojit k serveru. Zkouším to znovu…",
|
||||
"backup_background_service_current_upload_notification": "Nahrávání {filename}",
|
||||
"backup_background_service_current_upload_notification": "Nahrávání {}",
|
||||
"backup_background_service_default_notification": "Kontrola nových médií…",
|
||||
"backup_background_service_error_title": "Chyba zálohování",
|
||||
"backup_background_service_in_progress_notification": "Zálohování vašich médií…",
|
||||
"backup_background_service_upload_failure_notification": "Nepodařilo se nahrát {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Nepodařilo se nahrát {}",
|
||||
"backup_controller_page_albums": "Zálohovaná alba",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Povolte obnovení aplikace na pozadí v Nastavení > Obecné > Obnovení aplikace na pozadí, abyste mohli používat zálohování na pozadí.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Obnovování aplikací na pozadí je vypnuté",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Přejít do nastavení",
|
||||
"backup_controller_page_background_battery_info_link": "Ukaž mi jak",
|
||||
"backup_controller_page_background_battery_info_message": "Chcete-li dosáhnout nejlepších výsledků při zálohování na pozadí, vypněte všechny optimalizace baterie, které omezují aktivitu na pozadí pro Immich ve vašem zařízení. \n\nJelikož je to závislé na typu zařízení, vyhledejte požadované informace pro výrobce vašeho zařízení.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Optimalizace baterie",
|
||||
"backup_controller_page_background_charging": "Pouze během nabíjení",
|
||||
"backup_controller_page_background_configure_error": "Nepodařilo se nakonfigurovat službu na pozadí",
|
||||
"backup_controller_page_background_delay": "Zpoždění zálohování nových médií: {duration}",
|
||||
"backup_controller_page_background_delay": "Zpoždění zálohování nových médií: {}",
|
||||
"backup_controller_page_background_description": "Povolte službu na pozadí pro automatické zálohování všech nových položek bez nutnosti otevření aplikace",
|
||||
"backup_controller_page_background_is_off": "Automatické zálohování na pozadí je vypnuto",
|
||||
"backup_controller_page_background_is_on": "Automatické zálohování na pozadí je zapnuto",
|
||||
@@ -533,11 +531,12 @@
|
||||
"backup_controller_page_backup": "Zálohování",
|
||||
"backup_controller_page_backup_selected": "Vybrané: ",
|
||||
"backup_controller_page_backup_sub": "Zálohované fotografie a videa",
|
||||
"backup_controller_page_created": "Vytvořeno: {date}",
|
||||
"backup_controller_page_created": "Vytvořeno: {}",
|
||||
"backup_controller_page_desc_backup": "Zapněte zálohování na popředí, aby se nové položky automaticky nahrávaly na server při otevření aplikace.",
|
||||
"backup_controller_page_excluded": "Vyloučeno: ",
|
||||
"backup_controller_page_failed": "Nepodařilo se ({count})",
|
||||
"backup_controller_page_filename": "Název souboru: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Nepodařilo se ({})",
|
||||
"backup_controller_page_filename": "Název souboru: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informace o zálohování",
|
||||
"backup_controller_page_none_selected": "Žádné vybrané",
|
||||
"backup_controller_page_remainder": "Zbývá",
|
||||
@@ -546,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "Spustit zálohování",
|
||||
"backup_controller_page_status_off": "Automatické zálohování na popředí je vypnuto",
|
||||
"backup_controller_page_status_on": "Automatické zálohování na popředí je zapnuto",
|
||||
"backup_controller_page_storage_format": "{used} z {total} použitých",
|
||||
"backup_controller_page_storage_format": "{} z {} použitých",
|
||||
"backup_controller_page_to_backup": "Alba, která mají být zálohována",
|
||||
"backup_controller_page_total_sub": "Všechny jedinečné fotografie a videa z vybraných alb",
|
||||
"backup_controller_page_turn_off": "Vypnout zálohování na popředí",
|
||||
@@ -561,10 +560,6 @@
|
||||
"backup_options_page_title": "Nastavení záloh",
|
||||
"backup_setting_subtitle": "Správa nastavení zálohování na pozadí a na popředí",
|
||||
"backward": "Pozpátku",
|
||||
"biometric_auth_enabled": "Biometrické ověřování je povoleno",
|
||||
"biometric_locked_out": "Jste vyloučeni z biometrického ověřování",
|
||||
"biometric_no_options": "Biometrické možnosti nejsou k dispozici",
|
||||
"biometric_not_available": "Biometrické ověřování není na tomto zařízení k dispozici",
|
||||
"birthdate_saved": "Datum narození úspěšně uloženo",
|
||||
"birthdate_set_description": "Datum narození se používá k výpočtu věku osoby v době pořízení fotografie.",
|
||||
"blurred_background": "Rozmazané pozadí",
|
||||
@@ -575,21 +570,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Opravdu si chcete ponechat {count, plural, one {# duplicitní položku} few {# duplicitní položky} other {# duplicitních položek}}? Tím se vyřeší všechny duplicitní skupiny, aniž by se cokoli odstranilo.",
|
||||
"bulk_trash_duplicates_confirmation": "Opravdu chcete hromadně vyhodit {count, plural, one {# duplicitní položku} few {# duplicitní položky} other {# duplicitních položek}}? Tím se zachová největší položka z každé skupiny a všechny ostatní duplikáty se vyhodí.",
|
||||
"buy": "Zakoupit Immich",
|
||||
"cache_settings_album_thumbnails": "Náhledy stránek knihovny ({count} položek)",
|
||||
"cache_settings_album_thumbnails": "Náhledy stránek knihovny (položek {})",
|
||||
"cache_settings_clear_cache_button": "Vymazat vyrovnávací paměť",
|
||||
"cache_settings_clear_cache_button_title": "Vymaže vyrovnávací paměť aplikace. To výrazně ovlivní výkon aplikace, dokud se vyrovnávací paměť neobnoví.",
|
||||
"cache_settings_duplicated_assets_clear_button": "VYMAZAT",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotografie a videa, které aplikace zařadila na černou listinu",
|
||||
"cache_settings_duplicated_assets_title": "Duplicitní položky ({count})",
|
||||
"cache_settings_image_cache_size": "Velikost vyrovnávací paměti ({count} položek)",
|
||||
"cache_settings_duplicated_assets_title": "Duplicitní položky ({})",
|
||||
"cache_settings_image_cache_size": "Velikost vyrovnávací paměti (položek {})",
|
||||
"cache_settings_statistics_album": "Knihovna náhledů",
|
||||
"cache_settings_statistics_assets": "{count} položek ({size})",
|
||||
"cache_settings_statistics_assets": "{} položky ({})",
|
||||
"cache_settings_statistics_full": "Kompletní fotografie",
|
||||
"cache_settings_statistics_shared": "Sdílené náhledy alb",
|
||||
"cache_settings_statistics_thumbnail": "Náhledy",
|
||||
"cache_settings_statistics_title": "Použití vyrovnávací paměti",
|
||||
"cache_settings_subtitle": "Ovládání chování mobilní aplikace Immich v mezipaměti",
|
||||
"cache_settings_thumbnail_size": "Velikost vyrovnávací paměti náhledů ({count} položek)",
|
||||
"cache_settings_thumbnail_size": "Velikost vyrovnávací paměti náhledů (položek {})",
|
||||
"cache_settings_tile_subtitle": "Ovládání chování místního úložiště",
|
||||
"cache_settings_tile_title": "Místní úložiště",
|
||||
"cache_settings_title": "Nastavení vyrovnávací paměti",
|
||||
@@ -602,9 +597,7 @@
|
||||
"cannot_merge_people": "Nelze sloučit osoby",
|
||||
"cannot_undo_this_action": "Tuto akci nelze vrátit zpět!",
|
||||
"cannot_update_the_description": "Nelze aktualizovat popis",
|
||||
"cast": "Přenášet",
|
||||
"change_date": "Změnit datum",
|
||||
"change_description": "Změnit popis",
|
||||
"change_display_order": "Změnit pořadí zobrazení",
|
||||
"change_expiration_time": "Změna konce platnosti",
|
||||
"change_location": "Změna polohy",
|
||||
@@ -617,7 +610,6 @@
|
||||
"change_password_form_new_password": "Nové heslo",
|
||||
"change_password_form_password_mismatch": "Hesla se neshodují",
|
||||
"change_password_form_reenter_new_password": "Znovu zadejte nové heslo",
|
||||
"change_pin_code": "Změnit PIN kód",
|
||||
"change_your_password": "Změna vašeho hesla",
|
||||
"changed_visibility_successfully": "Změna viditelnosti proběhla úspěšně",
|
||||
"check_all": "Zkontrolovat vše",
|
||||
@@ -632,6 +624,7 @@
|
||||
"clear_all_recent_searches": "Vymazat všechna nedávná vyhledávání",
|
||||
"clear_message": "Vymazat zprávu",
|
||||
"clear_value": "Vymazat hodnotu",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Zadejte heslo",
|
||||
"client_cert_import": "Importovat",
|
||||
"client_cert_import_success_msg": "Klientský certifikát je importován",
|
||||
@@ -657,13 +650,11 @@
|
||||
"confirm_delete_face": "Opravdu chcete z položky odstranit obličej osoby {name}?",
|
||||
"confirm_delete_shared_link": "Opravdu chcete odstranit tento sdílený odkaz?",
|
||||
"confirm_keep_this_delete_others": "Všechny ostatní položky v tomto uskupení mimo této budou odstraněny. Opravdu chcete pokračovat?",
|
||||
"confirm_new_pin_code": "Potvrzení nového PIN kódu",
|
||||
"confirm_password": "Potvrzení hesla",
|
||||
"connected_to": "Připojeno k",
|
||||
"contain": "Obsah",
|
||||
"context": "Kontext",
|
||||
"continue": "Pokračovat",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} položek · Sdíleno",
|
||||
"control_bottom_app_bar_album_info_shared": "{} položky – sdílené",
|
||||
"control_bottom_app_bar_create_new_album": "Vytvořit nové album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Smazat ze serveru Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Smazat ze zařízení",
|
||||
@@ -701,11 +692,9 @@
|
||||
"create_tag_description": "Vytvoření nové značky. U vnořených značek zadejte celou cestu ke značce včetně dopředných lomítek.",
|
||||
"create_user": "Vytvořit uživatele",
|
||||
"created": "Vytvořeno",
|
||||
"created_at": "Vytvořeno",
|
||||
"crop": "Oříznout",
|
||||
"curated_object_page_title": "Věci",
|
||||
"current_device": "Současné zařízení",
|
||||
"current_pin_code": "Aktuální PIN kód",
|
||||
"current_server_address": "Aktuální adresa serveru",
|
||||
"custom_locale": "Vlastní lokalizace",
|
||||
"custom_locale_description": "Formátovat datumy a čísla podle jazyka a oblasti",
|
||||
@@ -757,6 +746,7 @@
|
||||
"direction": "Směr",
|
||||
"disabled": "Zakázáno",
|
||||
"disallow_edits": "Zakázat úpravy",
|
||||
"discord": "Discord",
|
||||
"discover": "Objevit",
|
||||
"dismiss_all_errors": "Zrušit všechny chyby",
|
||||
"dismiss_error": "Zrušit chybu",
|
||||
@@ -773,7 +763,7 @@
|
||||
"download_enqueue": "Stahování ve frontě",
|
||||
"download_error": "Chyba při stahování",
|
||||
"download_failed": "Stahování selhalo",
|
||||
"download_filename": "soubor: {filename}",
|
||||
"download_filename": "soubor: {}",
|
||||
"download_finished": "Stahování dokončeno",
|
||||
"download_include_embedded_motion_videos": "Vložená videa",
|
||||
"download_include_embedded_motion_videos_description": "Zahrnout videa vložená do pohyblivých fotografií jako samostatný soubor",
|
||||
@@ -797,8 +787,6 @@
|
||||
"edit_avatar": "Upravit avatar",
|
||||
"edit_date": "Upravit datum",
|
||||
"edit_date_and_time": "Upravit datum a čas",
|
||||
"edit_description": "Upravit popis",
|
||||
"edit_description_prompt": "Vyberte nový popis:",
|
||||
"edit_exclusion_pattern": "Upravit vzor vyloučení",
|
||||
"edit_faces": "Upravit obličeje",
|
||||
"edit_import_path": "Upravit cestu importu",
|
||||
@@ -813,28 +801,25 @@
|
||||
"edit_title": "Upravit název",
|
||||
"edit_user": "Upravit uživatele",
|
||||
"edited": "Upraveno",
|
||||
"editor": "Editor",
|
||||
"editor_close_without_save_prompt": "Změny nebudou uloženy",
|
||||
"editor_close_without_save_title": "Zavřít editor?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Poměr stran",
|
||||
"editor_crop_tool_h2_rotation": "Otočení",
|
||||
"email": "E-mail",
|
||||
"email_notifications": "E-mailová oznámení",
|
||||
"empty_folder": "Tato složka je prázdná",
|
||||
"empty_trash": "Vyprázdnit koš",
|
||||
"empty_trash_confirmation": "Opravdu chcete vysypat koš? Tím se z Immiche trvale odstraní všechny položky v koši.\nTuto akci nelze vrátit zpět!",
|
||||
"enable": "Povolit",
|
||||
"enable_biometric_auth_description": "Zadejte váš PIN kód pro povolení biometrického ověřování",
|
||||
"enabled": "Povoleno",
|
||||
"end_date": "Konečné datum",
|
||||
"enqueued": "Ve frontě",
|
||||
"enter_wifi_name": "Zadejte název Wi-Fi",
|
||||
"enter_your_pin_code": "Zadejte PIN kód",
|
||||
"enter_your_pin_code_subtitle": "Zadejte PIN kód pro přístup k uzamčené složce",
|
||||
"error": "Chyba",
|
||||
"error_change_sort_album": "Nepodařilo se změnit pořadí alba",
|
||||
"error_delete_face": "Chyba při odstraňování obličeje z položky",
|
||||
"error_loading_image": "Chyba při načítání obrázku",
|
||||
"error_saving_image": "Chyba: {error}",
|
||||
"error_saving_image": "Chyba: {}",
|
||||
"error_title": "Chyba - Něco se pokazilo",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Nelze přejít na další položku",
|
||||
@@ -887,7 +872,6 @@
|
||||
"unable_to_archive_unarchive": "Nelze {archived, select, true {archivovat} other {odarchivovat}}",
|
||||
"unable_to_change_album_user_role": "Nelze změnit roli uživatele alba",
|
||||
"unable_to_change_date": "Nelze změnit datum",
|
||||
"unable_to_change_description": "Nelze změnit popis",
|
||||
"unable_to_change_favorite": "Nelze změnit oblíbení položky",
|
||||
"unable_to_change_location": "Nelze změnit polohu",
|
||||
"unable_to_change_password": "Nelze změnit heslo",
|
||||
@@ -925,7 +909,6 @@
|
||||
"unable_to_log_out_all_devices": "Nelze odhlásit všechna zařízení",
|
||||
"unable_to_log_out_device": "Nelze odhlásit zařízení",
|
||||
"unable_to_login_with_oauth": "Nelze se přihlásit pomocí OAuth",
|
||||
"unable_to_move_to_locked_folder": "Nelze přesunout do uzamčené složky",
|
||||
"unable_to_play_video": "Nelze přehrát video",
|
||||
"unable_to_reassign_assets_existing_person": "Nelze přeřadit položky na {name, select, null {existující osobu} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Nelze přeřadit položku na novou osobu",
|
||||
@@ -939,7 +922,6 @@
|
||||
"unable_to_remove_reaction": "Nelze odstranit reakci",
|
||||
"unable_to_repair_items": "Nelze opravit položky",
|
||||
"unable_to_reset_password": "Nelze obnovit heslo",
|
||||
"unable_to_reset_pin_code": "Nelze resetovat PIN kód",
|
||||
"unable_to_resolve_duplicate": "Nelze vyřešit duplicitu",
|
||||
"unable_to_restore_assets": "Nelze obnovit položky",
|
||||
"unable_to_restore_trash": "Nelze obnovit koš",
|
||||
@@ -967,15 +949,16 @@
|
||||
"unable_to_update_user": "Nelze aktualizovat uživatele",
|
||||
"unable_to_upload_file": "Nepodařilo se nahrát soubor"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Přidat popis...",
|
||||
"exif_bottom_sheet_details": "PODROBNOSTI",
|
||||
"exif_bottom_sheet_location": "POLOHA",
|
||||
"exif_bottom_sheet_people": "LIDÉ",
|
||||
"exif_bottom_sheet_person_add_person": "Přidat jméno",
|
||||
"exif_bottom_sheet_person_age": "Věk {age}",
|
||||
"exif_bottom_sheet_person_age_months": "{months} měsíců",
|
||||
"exif_bottom_sheet_person_age_year_months": "1 rok a {months} měsíců",
|
||||
"exif_bottom_sheet_person_age_years": "{years} let",
|
||||
"exif_bottom_sheet_person_age": "{} let",
|
||||
"exif_bottom_sheet_person_age_months": "{} měsíců",
|
||||
"exif_bottom_sheet_person_age_year_months": "1 rok a {} měsíců",
|
||||
"exif_bottom_sheet_person_age_years": "{} let",
|
||||
"exit_slideshow": "Ukončit prezentaci",
|
||||
"expand_all": "Rozbalit vše",
|
||||
"experimental_settings_new_asset_list_subtitle": "Zpracovávám",
|
||||
@@ -987,6 +970,7 @@
|
||||
"expires_date": "Platnost končí {date}",
|
||||
"explore": "Prozkoumat",
|
||||
"explorer": "Průzkumník",
|
||||
"export": "Export",
|
||||
"export_as_json": "Exportovat jako JSON",
|
||||
"extension": "Přípona",
|
||||
"external": "Externí",
|
||||
@@ -995,7 +979,6 @@
|
||||
"external_network_sheet_info": "Pokud nejste v preferované síti Wi-Fi, aplikace se připojí k serveru prostřednictvím první z níže uvedených adres URL, které může dosáhnout, počínaje shora dolů",
|
||||
"face_unassigned": "Nepřiřazena",
|
||||
"failed": "Selhalo",
|
||||
"failed_to_authenticate": "Ověření se nezdařilo",
|
||||
"failed_to_load_assets": "Nepodařilo se načíst položky",
|
||||
"failed_to_load_folder": "Nepodařilo se načíst složku",
|
||||
"favorite": "Oblíbit",
|
||||
@@ -1061,8 +1044,6 @@
|
||||
"home_page_favorite_err_local": "Zatím není možné zařadit lokální média mezi oblíbená, přeskakuji",
|
||||
"home_page_favorite_err_partner": "Položky partnera nelze označit jako oblíbené, přeskakuji",
|
||||
"home_page_first_time_notice": "Pokud aplikaci používáte poprvé, nezapomeňte si vybrat zálohovaná alba, aby se na časové ose mohly nacházet fotografie a videa z vybraných alb",
|
||||
"home_page_locked_error_local": "Místní položky nelze přesunout do uzamčené složky, přeskočí se",
|
||||
"home_page_locked_error_partner": "Položky partnera nelze přesunout do uzamčené složky, přeskočí se",
|
||||
"home_page_share_err_local": "Nelze sdílet místní položky prostřednictvím odkazu, přeskakuji",
|
||||
"home_page_upload_err_limit": "Lze nahrát nejvýše 30 položek najednou, přeskakuji",
|
||||
"host": "Hostitel",
|
||||
@@ -1084,6 +1065,7 @@
|
||||
"image_viewer_page_state_provider_download_started": "Stahování zahájeno",
|
||||
"image_viewer_page_state_provider_download_success": "Stahování bylo úspěšné",
|
||||
"image_viewer_page_state_provider_share_error": "Chyba sdílení",
|
||||
"immich_logo": "Immich Logo",
|
||||
"immich_web_interface": "Webové rozhraní Immich",
|
||||
"import_from_json": "Import z JSONu",
|
||||
"import_path": "Cesta importu",
|
||||
@@ -1147,8 +1129,6 @@
|
||||
"location_picker_latitude_hint": "Zadejte vlastní zeměpisnou šířku",
|
||||
"location_picker_longitude_error": "Zadejte platnou zeměpisnou délku",
|
||||
"location_picker_longitude_hint": "Zadejte vlastní zeměpisnou délku",
|
||||
"lock": "Zamknout",
|
||||
"locked_folder": "Uzamčená složka",
|
||||
"log_out": "Odhlásit",
|
||||
"log_out_all_devices": "Odhlásit všechna zařízení",
|
||||
"logged_out_all_devices": "Všechna zařízení odhlášena",
|
||||
@@ -1193,8 +1173,8 @@
|
||||
"manage_your_devices": "Správa přihlášených zařízení",
|
||||
"manage_your_oauth_connection": "Správa OAuth propojení",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} fotka",
|
||||
"map_assets_in_bounds": "{count} fotek",
|
||||
"map_assets_in_bound": "{} fotka",
|
||||
"map_assets_in_bounds": "{} fotek",
|
||||
"map_cannot_get_user_location": "Nelze zjistit polohu uživatele",
|
||||
"map_location_dialog_yes": "Ano",
|
||||
"map_location_picker_page_use_location": "Použít tuto polohu",
|
||||
@@ -1208,9 +1188,9 @@
|
||||
"map_settings": "Nastavení mapy",
|
||||
"map_settings_dark_mode": "Tmavý režim",
|
||||
"map_settings_date_range_option_day": "Posledních 24 hodin",
|
||||
"map_settings_date_range_option_days": "Posledních {days} dní",
|
||||
"map_settings_date_range_option_days": "Posledních {} dní",
|
||||
"map_settings_date_range_option_year": "Poslední rok",
|
||||
"map_settings_date_range_option_years": "Poslední {years} roky",
|
||||
"map_settings_date_range_option_years": "Poslední {} roky",
|
||||
"map_settings_dialog_title": "Nastavení map",
|
||||
"map_settings_include_show_archived": "Zahrnout archivované",
|
||||
"map_settings_include_show_partners": "Včetně partnerů",
|
||||
@@ -1228,6 +1208,8 @@
|
||||
"memories_setting_description": "Správa toho, co vidíte ve svých vzpomínkách",
|
||||
"memories_start_over": "Začít znovu",
|
||||
"memories_swipe_to_close": "Přejetím nahoru zavřete",
|
||||
"memories_year_ago": "Před rokem",
|
||||
"memories_years_ago": "Před {} lety",
|
||||
"memory": "Vzpomínka",
|
||||
"memory_lane_title": "Řada vzpomínek {title}",
|
||||
"menu": "Nabídka",
|
||||
@@ -1240,13 +1222,10 @@
|
||||
"minimize": "Minimalizovat",
|
||||
"minute": "Minuta",
|
||||
"missing": "Chybějící",
|
||||
"model": "Model",
|
||||
"month": "Měsíc",
|
||||
"monthly_title_text_date_format": "LLLL y",
|
||||
"more": "Více",
|
||||
"move": "Přesunout",
|
||||
"move_off_locked_folder": "Přesunout z uzamčené složky",
|
||||
"move_to_locked_folder": "Přesunout do uzamčené složky",
|
||||
"move_to_locked_folder_confirmation": "Tyto fotky a videa budou odstraněny ze všech alb a bude je možné zobrazit pouze v uzamčené složce",
|
||||
"moved_to_archive": "{count, plural, one {Přesunuta # položka} few {Přesunuty # položky} other {Přesunuto # položek}} do archivu",
|
||||
"moved_to_library": "{count, plural, one {Přesunuta # položka} few {Přesunuty # položky} other {Přesunuto # položek}} do knihovny",
|
||||
"moved_to_trash": "Přesunuto do koše",
|
||||
@@ -1263,8 +1242,6 @@
|
||||
"new_api_key": "Nový API klíč",
|
||||
"new_password": "Nové heslo",
|
||||
"new_person": "Nová osoba",
|
||||
"new_pin_code": "Nový PIN kód",
|
||||
"new_pin_code_subtitle": "Poprvé přistupujete k uzamčené složce. Vytvořte si kód PIN pro bezpečný přístup na tuto stránku",
|
||||
"new_user_created": "Vytvořen nový uživatel",
|
||||
"new_version_available": "NOVÁ VERZE K DISPOZICI",
|
||||
"newest_first": "Nejnovější první",
|
||||
@@ -1282,7 +1259,6 @@
|
||||
"no_explore_results_message": "Nahrajte další fotografie a prozkoumejte svou sbírku.",
|
||||
"no_favorites_message": "Přidejte si oblíbené položky a rychle najděte své nejlepší obrázky a videa",
|
||||
"no_libraries_message": "Vytvořte si externí knihovnu pro zobrazení fotografií a videí",
|
||||
"no_locked_photos_message": "Fotky a videa v uzamčené složce jsou skryté a při procházení knihovny se nezobrazují.",
|
||||
"no_name": "Bez jména",
|
||||
"no_notifications": "Žádná oznámení",
|
||||
"no_people_found": "Nebyli nalezeni žádní odpovídající lidé",
|
||||
@@ -1294,7 +1270,6 @@
|
||||
"not_selected": "Není vybráno",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Upozornění: Chcete-li použít štítek úložiště na dříve nahrané položky, spusťte příkaz",
|
||||
"notes": "Poznámky",
|
||||
"nothing_here_yet": "Zatím zde nic není",
|
||||
"notification_permission_dialog_content": "Chcete-li povolit oznámení, přejděte do nastavení a vyberte možnost povolit.",
|
||||
"notification_permission_list_tile_content": "Udělte oprávnění k aktivaci oznámení.",
|
||||
"notification_permission_list_tile_enable_button": "Povolit oznámení",
|
||||
@@ -1302,9 +1277,12 @@
|
||||
"notification_toggle_setting_description": "Povolení e-mailových oznámení",
|
||||
"notifications": "Oznámení",
|
||||
"notifications_setting_description": "Správa oznámení",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Oficiální zdroje Immich",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Offline cesty",
|
||||
"offline_paths_description": "Tyto výsledky mohou být způsobeny ručním odstraněním souborů, které nejsou součástí externí knihovny.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Nejstarší první",
|
||||
"on_this_device": "V tomto zařízení",
|
||||
"onboarding": "Zahájení",
|
||||
@@ -1312,6 +1290,7 @@
|
||||
"onboarding_theme_description": "Zvolte si barevný motiv pro svou instanci. Můžete to později změnit v nastavení.",
|
||||
"onboarding_welcome_description": "Nastavíme vaši instanci pomocí několika běžných nastavení.",
|
||||
"onboarding_welcome_user": "Vítej, {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Pouze oblíbené",
|
||||
"open": "Otevřít",
|
||||
"open_in_map_view": "Otevřít v zobrazení mapy",
|
||||
@@ -1326,6 +1305,7 @@
|
||||
"other_variables": "Další proměnné",
|
||||
"owned": "Vlastní",
|
||||
"owner": "Vlastník",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} má přístup",
|
||||
"partner_can_access_assets": "Všechny vaše fotky a videa kromě těch, které jsou v sekcích Archivováno a Smazáno",
|
||||
"partner_can_access_location": "Místo, kde byly vaše fotografie pořízeny",
|
||||
@@ -1336,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "Nepodařilo se přidat partnera",
|
||||
"partner_page_select_partner": "Vyberte partnera",
|
||||
"partner_page_shared_to_title": "Sdíleno",
|
||||
"partner_page_stop_sharing_content": "{partner} již nebude mít přístup k vašim fotografiím.",
|
||||
"partner_page_stop_sharing_content": "{} již nebude mít přístup k vašim fotografiím.",
|
||||
"partner_sharing": "Sdílení mezi partnery",
|
||||
"partners": "Partneři",
|
||||
"password": "Heslo",
|
||||
@@ -1374,7 +1354,7 @@
|
||||
"permission_onboarding_permission_limited": "Přístup omezen. Chcete-li používat Immich k zálohování a správě celé vaší kolekce galerií, povolte v nastavení přístup k fotkám a videím.",
|
||||
"permission_onboarding_request": "Immich potřebuje přístup k zobrazení vašich fotek a videí.",
|
||||
"person": "Osoba",
|
||||
"person_birthdate": "Narozen(a) {date}",
|
||||
"person_birthdate": "Narozen/a {date}",
|
||||
"person_hidden": "{name}{hidden, select, true { (skryto)} other {}}",
|
||||
"photo_shared_all_users": "Vypadá to, že jste fotky sdíleli se všemi uživateli, nebo nemáte žádného uživatele, se kterým byste je mohli sdílet.",
|
||||
"photos": "Fotky",
|
||||
@@ -1382,10 +1362,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} fotka} few {{count, number} fotky} other {{count, number} fotek}}",
|
||||
"photos_from_previous_years": "Fotky z předchozích let",
|
||||
"pick_a_location": "Vyberte polohu",
|
||||
"pin_code_changed_successfully": "PIN kód byl úspěšně změněn",
|
||||
"pin_code_reset_successfully": "PIN kód úspěšně resetován",
|
||||
"pin_code_setup_successfully": "PIN kód úspěšně nastaven",
|
||||
"pin_verification": "Ověření PIN kódu",
|
||||
"place": "Místo",
|
||||
"places": "Místa",
|
||||
"places_count": "{count, plural, one {{count, number} místo} few {{count, number} místa} other {{count, number} míst}}",
|
||||
@@ -1393,7 +1369,7 @@
|
||||
"play_memories": "Přehrát vzpomníky",
|
||||
"play_motion_photo": "Přehrát pohybovou fotografii",
|
||||
"play_or_pause_video": "Přehrát nebo pozastavit video",
|
||||
"please_auth_to_access": "Pro přístup se prosím ověřte",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Správa předvoleb aplikace",
|
||||
"preferences_settings_title": "Předvolby",
|
||||
"preset": "Přednastavení",
|
||||
@@ -1403,11 +1379,11 @@
|
||||
"previous_or_next_photo": "Předchozí nebo další fotka",
|
||||
"primary": "Primární",
|
||||
"privacy": "Soukromí",
|
||||
"profile": "Profil",
|
||||
"profile_drawer_app_logs": "Logy",
|
||||
"profile_drawer_client_out_of_date_major": "Mobilní aplikace je zastaralá. Aktualizujte ji na nejnovější hlavní verzi.",
|
||||
"profile_drawer_client_out_of_date_minor": "Mobilní aplikace je zastaralá. Aktualizujte ji na nejnovější verzi.",
|
||||
"profile_drawer_client_server_up_to_date": "Klient a server jsou aktuální",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Server je zastaralý. Aktualizujte na nejnovější hlavní verzi.",
|
||||
"profile_drawer_server_out_of_date_minor": "Server je zastaralý. Aktualizujte je na nejnovější verzi.",
|
||||
"profile_image_of_user": "Profilový obrázek uživatele {user}",
|
||||
@@ -1416,7 +1392,7 @@
|
||||
"public_share": "Veřejné sdílení",
|
||||
"purchase_account_info": "Podporovatel",
|
||||
"purchase_activated_subtitle": "Děkujeme vám za podporu aplikace Immich a softwaru s otevřeným zdrojovým kódem",
|
||||
"purchase_activated_time": "Aktivováno dne {date}",
|
||||
"purchase_activated_time": "Aktivováno dne {date, date}",
|
||||
"purchase_activated_title": "Váš klíč byl úspěšně aktivován",
|
||||
"purchase_button_activate": "Aktivovat",
|
||||
"purchase_button_buy": "Koupit",
|
||||
@@ -1444,6 +1420,7 @@
|
||||
"purchase_remove_server_product_key_prompt": "Opravdu chcete odebrat serverový produktový klíč?",
|
||||
"purchase_server_description_1": "Pro celý server",
|
||||
"purchase_server_description_2": "Stav podporovatele",
|
||||
"purchase_server_title": "Server",
|
||||
"purchase_settings_server_activated": "Produktový klíč serveru spravuje správce",
|
||||
"rating": "Hodnocení hvězdičkami",
|
||||
"rating_clear": "Vyčistit hodnocení",
|
||||
@@ -1481,8 +1458,6 @@
|
||||
"remove_deleted_assets": "Odstranit offline soubory",
|
||||
"remove_from_album": "Odstranit z alba",
|
||||
"remove_from_favorites": "Odstranit z oblíbených",
|
||||
"remove_from_locked_folder": "Odstranit z uzamčené složky",
|
||||
"remove_from_locked_folder_confirmation": "Opravdu chcete tyto fotky a videa přesunout z uzamčené složky? Budou viditelné ve vaší knihovně.",
|
||||
"remove_from_shared_link": "Odstranit ze sdíleného odkazu",
|
||||
"remove_memory": "Odstranit vzpomínku",
|
||||
"remove_photo_from_memory": "Odstranit fotografii z této vzpomínky",
|
||||
@@ -1506,7 +1481,6 @@
|
||||
"reset": "Výchozí",
|
||||
"reset_password": "Obnovit heslo",
|
||||
"reset_people_visibility": "Obnovit viditelnost lidí",
|
||||
"reset_pin_code": "Resetovat PIN kód",
|
||||
"reset_to_default": "Obnovit výchozí nastavení",
|
||||
"resolve_duplicates": "Vyřešit duplicity",
|
||||
"resolved_all_duplicates": "Vyřešeny všechny duplicity",
|
||||
@@ -1517,6 +1491,8 @@
|
||||
"resume": "Pokračovat",
|
||||
"retry_upload": "Opakování nahrávání",
|
||||
"review_duplicates": "Kontrola duplicit",
|
||||
"role": "Role",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Divák",
|
||||
"save": "Uložit",
|
||||
"save_to_gallery": "Uložit do galerie",
|
||||
@@ -1628,12 +1604,12 @@
|
||||
"setting_languages_apply": "Použít",
|
||||
"setting_languages_subtitle": "Změna jazyka aplikace",
|
||||
"setting_languages_title": "Jazyk",
|
||||
"setting_notifications_notify_failures_grace_period": "Oznámení o selhání zálohování na pozadí: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} hodin",
|
||||
"setting_notifications_notify_failures_grace_period": "Oznámení o selhání zálohování na pozadí: {}",
|
||||
"setting_notifications_notify_hours": "{} hodin",
|
||||
"setting_notifications_notify_immediately": "okamžitě",
|
||||
"setting_notifications_notify_minutes": "{count} minut",
|
||||
"setting_notifications_notify_minutes": "{} minut",
|
||||
"setting_notifications_notify_never": "nikdy",
|
||||
"setting_notifications_notify_seconds": "{count} sekund",
|
||||
"setting_notifications_notify_seconds": "{} sekundy",
|
||||
"setting_notifications_single_progress_subtitle": "Podrobné informace o průběhu nahrávání položky",
|
||||
"setting_notifications_single_progress_title": "Zobrazit průběh detailů zálohování na pozadí",
|
||||
"setting_notifications_subtitle": "Přizpůsobení předvoleb oznámení",
|
||||
@@ -1645,12 +1621,10 @@
|
||||
"settings": "Nastavení",
|
||||
"settings_require_restart": "Pro použití tohoto nastavení restartujte Immich",
|
||||
"settings_saved": "Nastavení uloženo",
|
||||
"setup_pin_code": "Nastavení PIN kódu",
|
||||
"share": "Sdílet",
|
||||
"share_add_photos": "Přidat fotografie",
|
||||
"share_assets_selected": "{count} vybráno",
|
||||
"share_assets_selected": "{} vybráno",
|
||||
"share_dialog_preparing": "Připravuji...",
|
||||
"share_link": "Sdílet odkaz",
|
||||
"shared": "Sdílené",
|
||||
"shared_album_activities_input_disable": "Komentář je vypnutý",
|
||||
"shared_album_activity_remove_content": "Chcete odstranit tuto aktivitu?",
|
||||
@@ -1663,33 +1637,34 @@
|
||||
"shared_by_user": "Sdílel(a) {user}",
|
||||
"shared_by_you": "Sdíleli jste",
|
||||
"shared_from_partner": "Fotky od {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} nahráno",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} nahráno",
|
||||
"shared_link_app_bar_title": "Sdílené odkazy",
|
||||
"shared_link_clipboard_copied_massage": "Zkopírováno do schránky",
|
||||
"shared_link_clipboard_text": "Odkaz: {link}\nHeslo: {password}",
|
||||
"shared_link_clipboard_text": "Odkaz: {}\nHeslo: {}",
|
||||
"shared_link_create_error": "Chyba při vytváření sdíleného odkazu",
|
||||
"shared_link_edit_description_hint": "Zadejte popis sdílení",
|
||||
"shared_link_edit_expire_after_option_day": "1 den",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dní",
|
||||
"shared_link_edit_expire_after_option_days": "{} dní",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hodina",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} hodin",
|
||||
"shared_link_edit_expire_after_option_hours": "{} hodin",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuta",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minut",
|
||||
"shared_link_edit_expire_after_option_months": "{count} měsíce",
|
||||
"shared_link_edit_expire_after_option_year": "{count} rok",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minut",
|
||||
"shared_link_edit_expire_after_option_months": "{} měsíce",
|
||||
"shared_link_edit_expire_after_option_year": "{} rok",
|
||||
"shared_link_edit_password_hint": "Zadejte heslo pro sdílení",
|
||||
"shared_link_edit_submit_button": "Aktualizovat odkaz",
|
||||
"shared_link_error_server_url_fetch": "Nelze načíst url serveru",
|
||||
"shared_link_expires_day": "Vyprší za {count} den",
|
||||
"shared_link_expires_days": "Vyprší za {count} dní",
|
||||
"shared_link_expires_hour": "Vyprší za {count} hodinu",
|
||||
"shared_link_expires_hours": "Vyprší za {count} hodin",
|
||||
"shared_link_expires_minute": "Vyprší za {count} minutu",
|
||||
"shared_link_expires_minutes": "Vyprší za {count} minut",
|
||||
"shared_link_expires_day": "Vyprší za {} den",
|
||||
"shared_link_expires_days": "Vyprší za {} dní",
|
||||
"shared_link_expires_hour": "Vyprší za {} hodinu",
|
||||
"shared_link_expires_hours": "Vyprší za {} hodin",
|
||||
"shared_link_expires_minute": "Vyprší za {} minutu",
|
||||
"shared_link_expires_minutes": "Vyprší za {} minut",
|
||||
"shared_link_expires_never": "Platnost ∞",
|
||||
"shared_link_expires_second": "Vyprší za {count} sekundu",
|
||||
"shared_link_expires_seconds": "Vyprší za {count} sekund",
|
||||
"shared_link_expires_second": "Vyprší za {} sekundu",
|
||||
"shared_link_expires_seconds": "Vyprší za {} sekund",
|
||||
"shared_link_individual_shared": "Individuální sdílení",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Spravovat sdílené odkazy",
|
||||
"shared_link_options": "Možnosti sdíleného odkazu",
|
||||
"shared_links": "Sdílené odkazy",
|
||||
@@ -1752,6 +1727,7 @@
|
||||
"stack_selected_photos": "Seskupení vybraných fotografií",
|
||||
"stacked_assets_count": "{count, plural, one {Seskupena # položka} few {Seskupeny # položky} other {Seskupeno # položek}}",
|
||||
"stacktrace": "Výpis zásobníku",
|
||||
"start": "Start",
|
||||
"start_date": "Počáteční datum",
|
||||
"state": "Stát",
|
||||
"status": "Stav",
|
||||
@@ -1761,7 +1737,6 @@
|
||||
"stop_sharing_photos_with_user": "Přestat sdílet své fotky s tímto uživatelem",
|
||||
"storage": "Velikost úložiště",
|
||||
"storage_label": "Štítek úložiště",
|
||||
"storage_quota": "Kvóta úložiště",
|
||||
"storage_usage": "Využito {used} z {available}",
|
||||
"submit": "Odeslat",
|
||||
"suggestions": "Návrhy",
|
||||
@@ -1788,7 +1763,7 @@
|
||||
"theme_selection": "Výběr motivu",
|
||||
"theme_selection_description": "Automatické nastavení světlého nebo tmavého motivu podle systémových preferencí prohlížeče",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Zobrazit indikátor úložiště na dlaždicích položek",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Počet položek na řádek ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Počet položek na řádek ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Použít hlavní barvu na povrchy pozadí.",
|
||||
"theme_setting_colorful_interface_title": "Barevné rozhraní",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Přizpůsobení kvality detailů prohlížeče obrázků",
|
||||
@@ -1823,15 +1798,13 @@
|
||||
"trash_no_results_message": "Zde se zobrazí odstraněné fotky a videa.",
|
||||
"trash_page_delete_all": "Smazat všechny",
|
||||
"trash_page_empty_trash_dialog_content": "Chcete vyprázdnit svoje vyhozené položky? Tyto položky budou trvale odstraněny z aplikace",
|
||||
"trash_page_info": "Vyhozené položky budou trvale smazány po {days} dnech",
|
||||
"trash_page_info": "Vyhozené položky budou trvale smazány po {} dnech",
|
||||
"trash_page_no_assets": "Žádné vyhozené položky",
|
||||
"trash_page_restore_all": "Obnovit všechny",
|
||||
"trash_page_select_assets_btn": "Vybrat položky",
|
||||
"trash_page_title": "Koš ({count})",
|
||||
"trash_page_title": "Koš ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Smazané položky budou trvale odstraněny po {days, plural, one {# dni} other {# dnech}}.",
|
||||
"type": "Typ",
|
||||
"unable_to_change_pin_code": "Nelze změnit PIN kód",
|
||||
"unable_to_setup_pin_code": "Nelze nastavit PIN kód",
|
||||
"unarchive": "Odarchivovat",
|
||||
"unarchived_count": "{count, plural, one {Odarchivována #} few {Odarchivovány #} other {Odarchivováno #}}",
|
||||
"unfavorite": "Zrušit oblíbení",
|
||||
@@ -1855,7 +1828,6 @@
|
||||
"untracked_files": "Nesledované soubory",
|
||||
"untracked_files_decription": "Tyto soubory nejsou aplikaci známy. Mohou být výsledkem neúspěšných přesunů, přerušeného nahrávání nebo mohou zůstat pozadu kvůli chybě",
|
||||
"up_next": "To je prozatím vše",
|
||||
"updated_at": "Aktualizováno",
|
||||
"updated_password": "Heslo aktualizováno",
|
||||
"upload": "Nahrát",
|
||||
"upload_concurrency": "Souběžnost nahrávání",
|
||||
@@ -1868,18 +1840,15 @@
|
||||
"upload_status_errors": "Chyby",
|
||||
"upload_status_uploaded": "Nahráno",
|
||||
"upload_success": "Nahrání proběhlo úspěšně, obnovením stránky se zobrazí nově nahrané položky.",
|
||||
"upload_to_immich": "Nahrát do Immich ({count})",
|
||||
"upload_to_immich": "Nahrát do Immiche ({})",
|
||||
"uploading": "Nahrávání",
|
||||
"url": "URL",
|
||||
"usage": "Využití",
|
||||
"use_biometric": "Použít biometrické údaje",
|
||||
"use_current_connection": "použít aktuální připojení",
|
||||
"use_custom_date_range": "Použít vlastní rozsah dat",
|
||||
"user": "Uživatel",
|
||||
"user_has_been_deleted": "Tento uživatel byl smazán.",
|
||||
"user_id": "ID uživatele",
|
||||
"user_liked": "Uživateli {user} se {type, select, photo {líbila tato fotka} video {líbilo toto video} asset {líbila tato položka} other {to líbilo}}",
|
||||
"user_pin_code_settings": "PIN kód",
|
||||
"user_pin_code_settings_description": "Správa vašeho PIN kódu",
|
||||
"user_purchase_settings": "Nákup",
|
||||
"user_purchase_settings_description": "Správa vašeho nákupu",
|
||||
"user_role_set": "Uživatel {user} nastaven jako {role}",
|
||||
@@ -1902,6 +1871,7 @@
|
||||
"version_announcement_overlay_title": "K dispozici je nová verze serveru 🎉",
|
||||
"version_history": "Historie verzí",
|
||||
"version_history_item": "Nainstalováno {version} dne {date}",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Přehrávat miniaturu videa po najetí myší",
|
||||
"video_hover_setting_description": "Přehrát miniaturu videa při najetí myší na položku. I když je přehrávání vypnuto, lze jej spustit najetím na ikonu přehrávání.",
|
||||
"videos": "Videa",
|
||||
@@ -1928,7 +1898,6 @@
|
||||
"welcome": "Vítejte",
|
||||
"welcome_to_immich": "Vítejte v Immichi",
|
||||
"wifi_name": "Název Wi-Fi",
|
||||
"wrong_pin_code": "Chybný PIN kód",
|
||||
"year": "Rok",
|
||||
"years_ago": "Před {years, plural, one {rokem} other {# lety}}",
|
||||
"yes": "Ano",
|
||||
|
||||
368
i18n/da.json
368
i18n/da.json
File diff suppressed because it is too large
Load Diff
239
i18n/de.json
239
i18n/de.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Zu Album hinzufügen",
|
||||
"add_to_album_bottom_sheet_added": "Zu {album} hinzugefügt",
|
||||
"add_to_album_bottom_sheet_already_exists": "Bereits in {album}",
|
||||
"add_to_locked_folder": "Zum gesperrten Ordner hinzufügen",
|
||||
"add_to_shared_album": "Zu geteiltem Album hinzufügen",
|
||||
"add_url": "URL hinzufügen",
|
||||
"added_to_archive": "Zum Archiv hinzugefügt",
|
||||
@@ -40,11 +39,11 @@
|
||||
"authentication_settings_disable_all": "Bist du sicher, dass du alle Anmeldemethoden deaktivieren willst? Die Anmeldung wird vollständig deaktiviert.",
|
||||
"authentication_settings_reenable": "Nutze einen <link>Server-Befehl</link> zur Reaktivierung.",
|
||||
"background_task_job": "Hintergrundaufgaben",
|
||||
"backup_database": "Datenbanksicherung regelmäßig erstellen",
|
||||
"backup_database_enable_description": "Datenbank regeläßig sichern",
|
||||
"backup_keep_last_amount": "Anzahl der aufzubewahrenden früheren Backups",
|
||||
"backup_settings": "Datenbank Sicherung",
|
||||
"backup_settings_description": "Einstellungen zur regemäßigen Sicherung der Datenbank. Hinweis: Diese Jobs werden nicht überwacht und du wirst nicht über Fehler informiert.",
|
||||
"backup_database": "Datenbankabbild erstellen",
|
||||
"backup_database_enable_description": "Erstellen von Datenbankabbildern aktivieren",
|
||||
"backup_keep_last_amount": "Anzahl der aufzubewahrenden früheren Abbilder",
|
||||
"backup_settings": "Datenbankabbild-Einstellungen",
|
||||
"backup_settings_description": "Einstellungen zum Datenbankabbild verwalten. Hinweis: Diese Jobs werden nicht überwacht und du wirst nicht über Fehlschläge informiert.",
|
||||
"check_all": "Alle überprüfen",
|
||||
"cleanup": "Aufräumen",
|
||||
"cleared_jobs": "Folgende Aufgaben zurückgesetzt: {job}",
|
||||
@@ -54,11 +53,10 @@
|
||||
"confirm_email_below": "Bestätige, indem du unten \"{email}\" eingibst",
|
||||
"confirm_reprocess_all_faces": "Bist du sicher, dass du alle Gesichter erneut verarbeiten möchtest? Dies löscht auch alle bereits benannten Personen.",
|
||||
"confirm_user_password_reset": "Bist du sicher, dass du das Passwort für {user} zurücksetzen möchtest?",
|
||||
"confirm_user_pin_code_reset": "Bist du sicher, dass du den PIN Code von {user} zurücksetzen möchtest?",
|
||||
"create_job": "Aufgabe erstellen",
|
||||
"cron_expression": "Cron Zeitangabe",
|
||||
"cron_expression_description": "Setze ein Intervall für die Sicherung mittels cron. Hilfe mit dem Format bietet dir dabei z.B der <link>Crontab Guru</link>",
|
||||
"cron_expression_presets": "Nützliche Zeitangaben für Cron",
|
||||
"cron_expression": "Cron-Ausdruck",
|
||||
"cron_expression_description": "Stellen Sie das Scanintervall im Cron-Format ein. Weitere Informationen finden Sie beispielsweise unter <link>Crontab Guru</link>",
|
||||
"cron_expression_presets": "Cron-Ausdruck-Vorlagen",
|
||||
"disable_login": "Login deaktvieren",
|
||||
"duplicate_detection_job_description": "Diese Aufgabe führt das maschinelle Lernen für jede Datei aus, um Duplikate zu finden. Diese Aufgabe beruht auf der intelligenten Suche",
|
||||
"exclusion_pattern_description": "Mit Ausschlussmustern können Dateien und Ordner beim Scannen Ihrer Bibliothek ignoriert werden. Dies ist nützlich, wenn du Ordner hast, die Dateien enthalten, die du nicht importieren möchtest, wie z. B. RAW-Dateien.",
|
||||
@@ -238,7 +236,7 @@
|
||||
"server_settings_description": "Servereinstellungen verwalten",
|
||||
"server_welcome_message": "Willkommensnachricht",
|
||||
"server_welcome_message_description": "Eine Mitteilung, welche auf der Anmeldeseite angezeigt wird.",
|
||||
"sidecar_job": "Sidecar Metadaten",
|
||||
"sidecar_job": "Filialdatei-Metadaten",
|
||||
"sidecar_job_description": "Durch diese Aufgabe werden Filialdatei-Metadaten im Dateisystem entdeckt oder synchronisiert",
|
||||
"slideshow_duration_description": "Dauer der Anzeige jedes Bildes in Sekunden",
|
||||
"smart_search_job_description": "Diese Aufgabe wendet das maschinelle Lernen auf Dateien an, um die intelligente Suche zu ermöglichen",
|
||||
@@ -350,7 +348,6 @@
|
||||
"user_delete_delay_settings_description": "Gibt die Anzahl der Tage bis zur endgültigen Löschung eines Kontos und seiner Dateien an. Der Benutzerlöschauftrag wird täglich um Mitternacht ausgeführt, um zu überprüfen, ob Nutzer zur Löschung bereit sind. Änderungen an dieser Einstellung werden erst bei der nächsten Ausführung berücksichtigt.",
|
||||
"user_delete_immediately": "Das Konto und die Dateien von <b>{user}</b> werden <b>sofort</b> für eine permanente Löschung in die Warteschlange gestellt.",
|
||||
"user_delete_immediately_checkbox": "Benutzer und Dateien zur sofortigen Löschung in die Warteschlange stellen",
|
||||
"user_details": "Benutzerdetails",
|
||||
"user_management": "Benutzerverwaltung",
|
||||
"user_password_has_been_reset": "Das Passwort des Benutzers wurde zurückgesetzt:",
|
||||
"user_password_reset_description": "Bitte gib dem Benutzer das temporäre Passwort und informiere ihn, dass das Passwort beim nächsten Login geändert werden muss.",
|
||||
@@ -372,7 +369,7 @@
|
||||
"advanced": "Erweitert",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Verwende diese Option, um Medien während der Synchronisierung nach anderen Kriterien zu filtern. Versuchen dies nur, wenn Probleme mit der Erkennung aller Alben durch die App auftreten.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTELL] Benutze alternativen Filter für Synchronisierung der Gerätealben",
|
||||
"advanced_settings_log_level_title": "Log-Level: {level}",
|
||||
"advanced_settings_log_level_title": "Log-Level: {name}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Einige Geräte sind sehr langsam beim Laden von Miniaturbildern direkt aus dem Gerät. Aktivieren Sie diese Einstellung, um stattdessen die Server-Bilder zu laden.",
|
||||
"advanced_settings_prefer_remote_title": "Server-Bilder bevorzugen",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definiere einen Proxy-Header, den Immich bei jeder Netzwerkanfrage mitschicken soll",
|
||||
@@ -403,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "Bist du sicher, dass du {user} entfernen willst?",
|
||||
"album_share_no_users": "Es sieht so aus, als hättest du dieses Album mit allen Benutzern geteilt oder du hast keine Benutzer, mit denen du teilen kannst.",
|
||||
"album_thumbnail_card_item": "1 Element",
|
||||
"album_thumbnail_card_items": "{count} Elemente",
|
||||
"album_thumbnail_card_items": "{} Elemente",
|
||||
"album_thumbnail_card_shared": " · Geteilt",
|
||||
"album_thumbnail_shared_by": "Geteilt von {user}",
|
||||
"album_thumbnail_shared_by": "Geteilt von {}",
|
||||
"album_updated": "Album aktualisiert",
|
||||
"album_updated_setting_description": "Erhalte eine E-Mail-Benachrichtigung, wenn ein freigegebenes Album neue Dateien enthält",
|
||||
"album_user_left": "{album} verlassen",
|
||||
@@ -443,7 +440,7 @@
|
||||
"archive": "Archiv",
|
||||
"archive_or_unarchive_photo": "Foto archivieren bzw. Archivierung aufheben",
|
||||
"archive_page_no_archived_assets": "Keine archivierten Inhalte gefunden",
|
||||
"archive_page_title": "Archiv ({count})",
|
||||
"archive_page_title": "Archiv ({})",
|
||||
"archive_size": "Archivgröße",
|
||||
"archive_size_description": "Archivgröße für Downloads konfigurieren (in GiB)",
|
||||
"archived": "Archiviert",
|
||||
@@ -463,6 +460,7 @@
|
||||
"asset_list_layout_settings_group_automatically": "Automatisch",
|
||||
"asset_list_layout_settings_group_by": "Gruppiere Elemente nach",
|
||||
"asset_list_layout_settings_group_by_month_day": "Monat + Tag",
|
||||
"asset_list_layout_sub_title": "Layout",
|
||||
"asset_list_settings_subtitle": "Einstellungen für das Fotogitter-Layout",
|
||||
"asset_list_settings_title": "Fotogitter",
|
||||
"asset_offline": "Datei offline",
|
||||
@@ -479,18 +477,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {# Datei} other {# Dateien}} zum Album hinzugefügt",
|
||||
"assets_added_to_name_count": "{count, plural, one {# Element} other {# Elemente}} zu {hasName, select, true {<b>{name}</b>} other {neuem Album}} hinzugefügt",
|
||||
"assets_count": "{count, plural, one {# Datei} other {# Dateien}}",
|
||||
"assets_deleted_permanently": "{count} Element(e) permanent gelöscht",
|
||||
"assets_deleted_permanently_from_server": "{count} Element(e) permanent vom Immich-Server gelöscht",
|
||||
"assets_deleted_permanently": "{} Element(e) permanent gelöscht",
|
||||
"assets_deleted_permanently_from_server": "{} Element(e) permanent vom Immich-Server gelöscht",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# Datei} other {# Dateien}} in den Papierkorb verschoben",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# Datei} other {# Dateien}} endgültig gelöscht",
|
||||
"assets_removed_count": "{count, plural, one {# Datei} other {# Dateien}} entfernt",
|
||||
"assets_removed_permanently_from_device": "{count} Element(e) permanent von Ihrem Gerät gelöscht",
|
||||
"assets_removed_permanently_from_device": "{} Element(e) permanent von Ihrem Gerät gelöscht",
|
||||
"assets_restore_confirmation": "Bist du sicher, dass du alle Dateien aus dem Papierkorb wiederherstellen willst? Diese Aktion kann nicht rückgängig gemacht werden! Beachte, dass Offline-Dateien auf diese Weise nicht wiederhergestellt werden können.",
|
||||
"assets_restored_count": "{count, plural, one {# Datei} other {# Dateien}} wiederhergestellt",
|
||||
"assets_restored_successfully": "{count} Element(e) erfolgreich wiederhergestellt",
|
||||
"assets_trashed": "{count} Element(e) gelöscht",
|
||||
"assets_restored_successfully": "{} Element(e) erfolgreich wiederhergestellt",
|
||||
"assets_trashed": "{} Element(e) gelöscht",
|
||||
"assets_trashed_count": "{count, plural, one {# Datei} other {# Dateien}} in den Papierkorb verschoben",
|
||||
"assets_trashed_from_server": "{count} Element(e) vom Immich-Server gelöscht",
|
||||
"assets_trashed_from_server": "{} Element(e) vom Immich-Server gelöscht",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {# Datei ist} other {# Dateien sind}} bereits im Album vorhanden",
|
||||
"authorized_devices": "Verwendete Geräte",
|
||||
"automatic_endpoint_switching_subtitle": "Verbinden Sie sich lokal über ein bestimmtes WLAN, wenn es verfügbar ist, und verwenden Sie andere Verbindungsmöglichkeiten anderswo",
|
||||
@@ -499,7 +497,7 @@
|
||||
"back_close_deselect": "Zurück, Schließen oder Abwählen",
|
||||
"background_location_permission": "Hintergrund Standortfreigabe",
|
||||
"background_location_permission_content": "Um im Hintergrund zwischen den Netzwerken wechseln zu können, muss Immich *immer* Zugriff auf den genauen Standort haben, damit die App den Namen des WLAN-Netzwerks ermitteln kann",
|
||||
"backup_album_selection_page_albums_device": "Alben auf dem Gerät ({count})",
|
||||
"backup_album_selection_page_albums_device": "Alben auf dem Gerät ({})",
|
||||
"backup_album_selection_page_albums_tap": "Einmalig das Album antippen um es zu sichern, doppelt antippen um es nicht mehr zu sichern",
|
||||
"backup_album_selection_page_assets_scatter": "Elemente (Fotos / Videos) können sich über mehrere Alben verteilen. Daher können diese vor der Sicherung eingeschlossen oder ausgeschlossen werden.",
|
||||
"backup_album_selection_page_select_albums": "Alben auswählen",
|
||||
@@ -508,21 +506,22 @@
|
||||
"backup_all": "Alle",
|
||||
"backup_background_service_backup_failed_message": "Es trat ein Fehler bei der Sicherung auf. Erneuter Versuch…",
|
||||
"backup_background_service_connection_failed_message": "Es konnte keine Verbindung zum Server hergestellt werden. Erneuter Versuch…",
|
||||
"backup_background_service_current_upload_notification": "Lädt {filename} hoch",
|
||||
"backup_background_service_current_upload_notification": "Lädt {} hoch",
|
||||
"backup_background_service_default_notification": "Suche nach neuen Elementen…",
|
||||
"backup_background_service_error_title": "Fehler bei der Sicherung",
|
||||
"backup_background_service_in_progress_notification": "Elemente werden gesichert…",
|
||||
"backup_background_service_upload_failure_notification": "Konnte {filename} nicht hochladen",
|
||||
"backup_background_service_upload_failure_notification": "Konnte {} nicht hochladen",
|
||||
"backup_controller_page_albums": "Gesicherte Alben",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Aktiviere Hintergrundaktualisierungen in Einstellungen -> Allgemein -> Hintergrundaktualisierungen um Sicherungen im Hintergrund zu ermöglichen.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Hintergrundaktualisierungen sind deaktiviert",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Gehe zu Einstellungen",
|
||||
"backup_controller_page_background_battery_info_link": "Zeige mir wie",
|
||||
"backup_controller_page_background_battery_info_message": "Für die besten Ergebnisse für Sicherungen im Hintergrund, deaktiviere alle Batterieoptimierungen und Einschränkungen für die Hintergrundaktivitäten von Immich.\n\nDa dies gerätespezifisch ist, schlage diese Informationen für deinen Gerätehersteller nach.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Batterieoptimierungen",
|
||||
"backup_controller_page_background_charging": "Nur während des Ladens",
|
||||
"backup_controller_page_background_configure_error": "Konnte Hintergrundservice nicht konfigurieren",
|
||||
"backup_controller_page_background_delay": "Sicherung neuer Elemente verzögern um: {duration}",
|
||||
"backup_controller_page_background_delay": "Sicherung neuer Elemente verzögern um: {}",
|
||||
"backup_controller_page_background_description": "Schalte den Hintergrundservice ein, um neue Elemente automatisch im Hintergrund zu sichern ohne die App zu öffnen",
|
||||
"backup_controller_page_background_is_off": "Automatische Sicherung im Hintergrund ist deaktiviert",
|
||||
"backup_controller_page_background_is_on": "Automatische Sicherung im Hintergrund ist aktiviert",
|
||||
@@ -532,11 +531,12 @@
|
||||
"backup_controller_page_backup": "Sicherung",
|
||||
"backup_controller_page_backup_selected": "Ausgewählt: ",
|
||||
"backup_controller_page_backup_sub": "Gesicherte Fotos und Videos",
|
||||
"backup_controller_page_created": "Erstellt am: {date}",
|
||||
"backup_controller_page_created": "Erstellt am: {}",
|
||||
"backup_controller_page_desc_backup": "Aktiviere die Sicherung, um Elemente immer automatisch auf den Server zu laden, während du die App benutzt.",
|
||||
"backup_controller_page_excluded": "Ausgeschlossen: ",
|
||||
"backup_controller_page_failed": "Fehlgeschlagen ({count})",
|
||||
"backup_controller_page_filename": "Dateiname: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Fehlgeschlagen ({})",
|
||||
"backup_controller_page_filename": "Dateiname: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informationen zur Sicherung",
|
||||
"backup_controller_page_none_selected": "Keine ausgewählt",
|
||||
"backup_controller_page_remainder": "Verbleibend",
|
||||
@@ -545,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "Sicherung starten",
|
||||
"backup_controller_page_status_off": "Sicherung im Vordergrund ist inaktiv",
|
||||
"backup_controller_page_status_on": "Sicherung im Vordergrund ist aktiv",
|
||||
"backup_controller_page_storage_format": "{used} von {total} genutzt",
|
||||
"backup_controller_page_storage_format": "{} von {} genutzt",
|
||||
"backup_controller_page_to_backup": "Zu sichernde Alben",
|
||||
"backup_controller_page_total_sub": "Alle Fotos und Videos",
|
||||
"backup_controller_page_turn_off": "Sicherung im Vordergrund ausschalten",
|
||||
@@ -560,34 +560,31 @@
|
||||
"backup_options_page_title": "Sicherungsoptionen",
|
||||
"backup_setting_subtitle": "Verwaltung der Upload-Einstellungen im Hintergrund und im Vordergrund",
|
||||
"backward": "Rückwärts",
|
||||
"biometric_auth_enabled": "Biometrische Authentifizierung aktiviert",
|
||||
"biometric_locked_out": "Du bist von der biometrischen Authentifizierung ausgeschlossen",
|
||||
"biometric_no_options": "Keine biometrischen Optionen verfügbar",
|
||||
"biometric_not_available": "Die biometrische Authentifizierung ist auf diesem Gerät nicht verfügbar",
|
||||
"birthdate_saved": "Geburtsdatum erfolgreich gespeichert",
|
||||
"birthdate_set_description": "Das Geburtsdatum wird verwendet, um das Alter dieser Person zum Zeitpunkt eines Fotos zu berechnen.",
|
||||
"blurred_background": "Unscharfer Hintergrund",
|
||||
"bugs_and_feature_requests": "Fehler & Verbesserungsvorschläge",
|
||||
"build": "Build",
|
||||
"build_image": "Build Abbild",
|
||||
"bulk_delete_duplicates_confirmation": "Bist du sicher, dass du {count, plural, one {# duplizierte Datei} other {# duplizierte Dateien gemeinsam}} löschen möchtest? Dabei wird die größte Datei jeder Gruppe behalten und alle anderen Duplikate endgültig gelöscht. Diese Aktion kann nicht rückgängig gemacht werden!",
|
||||
"bulk_keep_duplicates_confirmation": "Bist du sicher, dass du {count, plural, one {# duplizierte Datei} other {# duplizierte Dateien}} behalten möchtest? Dies wird alle Duplikat-Gruppen auflösen ohne etwas zu löschen.",
|
||||
"bulk_trash_duplicates_confirmation": "Bist du sicher, dass du {count, plural, one {# duplizierte Datei} other {# duplizierte Dateien gemeinsam}} in den Papierkorb verschieben möchtest? Dies wird die größte Datei jeder Gruppe behalten und alle anderen Duplikate in den Papierkorb verschieben.",
|
||||
"buy": "Immich erwerben",
|
||||
"cache_settings_album_thumbnails": "Vorschaubilder der Bibliothek ({count} Elemente)",
|
||||
"cache_settings_album_thumbnails": "Vorschaubilder der Bibliothek ({} Elemente)",
|
||||
"cache_settings_clear_cache_button": "Zwischenspeicher löschen",
|
||||
"cache_settings_clear_cache_button_title": "Löscht den Zwischenspeicher der App. Dies wird die Leistungsfähigkeit der App deutlich einschränken, bis der Zwischenspeicher wieder aufgebaut wurde.",
|
||||
"cache_settings_duplicated_assets_clear_button": "LEEREN",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos und Videos, die von der App blockiert werden",
|
||||
"cache_settings_duplicated_assets_title": "Duplikate ({count})",
|
||||
"cache_settings_image_cache_size": "Bilder im Zwischenspeicher ({count} Bilder)",
|
||||
"cache_settings_duplicated_assets_title": "Duplikate ({})",
|
||||
"cache_settings_image_cache_size": "Bilder im Zwischenspeicher ({} Bilder)",
|
||||
"cache_settings_statistics_album": "Vorschaubilder der Bibliothek",
|
||||
"cache_settings_statistics_assets": "{count} Elemente ({size})",
|
||||
"cache_settings_statistics_assets": "{} Elemente ({})",
|
||||
"cache_settings_statistics_full": "Originalbilder",
|
||||
"cache_settings_statistics_shared": "Vorschaubilder geteilter Alben",
|
||||
"cache_settings_statistics_thumbnail": "Vorschaubilder",
|
||||
"cache_settings_statistics_title": "Zwischenspeicher-Nutzung",
|
||||
"cache_settings_subtitle": "Kontrollieren, wie Immich den Zwischenspeicher nutzt",
|
||||
"cache_settings_thumbnail_size": "Vorschaubilder im Zwischenspeicher ({count} Bilder)",
|
||||
"cache_settings_thumbnail_size": "Vorschaubilder im Zwischenspeicher ({} Bilder)",
|
||||
"cache_settings_tile_subtitle": "Lokalen Speicher verwalten",
|
||||
"cache_settings_tile_title": "Lokaler Speicher",
|
||||
"cache_settings_title": "Zwischenspeicher Einstellungen",
|
||||
@@ -600,9 +597,7 @@
|
||||
"cannot_merge_people": "Personen können nicht zusammengeführt werden",
|
||||
"cannot_undo_this_action": "Diese Aktion kann nicht rückgängig gemacht werden!",
|
||||
"cannot_update_the_description": "Beschreibung kann nicht aktualisiert werden",
|
||||
"cast": "Übertragen",
|
||||
"change_date": "Datum ändern",
|
||||
"change_description": "Beschreibung anpassen",
|
||||
"change_display_order": "Anzeigereihenfolge ändern",
|
||||
"change_expiration_time": "Verfallszeitpunkt ändern",
|
||||
"change_location": "Ort ändern",
|
||||
@@ -615,7 +610,6 @@
|
||||
"change_password_form_new_password": "Neues Passwort",
|
||||
"change_password_form_password_mismatch": "Passwörter stimmen nicht überein",
|
||||
"change_password_form_reenter_new_password": "Passwort erneut eingeben",
|
||||
"change_pin_code": "PIN Code ändern",
|
||||
"change_your_password": "Ändere dein Passwort",
|
||||
"changed_visibility_successfully": "Die Sichtbarkeit wurde erfolgreich geändert",
|
||||
"check_all": "Alle prüfen",
|
||||
@@ -630,6 +624,7 @@
|
||||
"clear_all_recent_searches": "Alle letzten Suchvorgänge löschen",
|
||||
"clear_message": "Nachrichten leeren",
|
||||
"clear_value": "Wert leeren",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Passwort eingeben",
|
||||
"client_cert_import": "Importieren",
|
||||
"client_cert_import_success_msg": "Client Zertifikat wurde importiert",
|
||||
@@ -655,19 +650,17 @@
|
||||
"confirm_delete_face": "Bist du sicher dass du das Gesicht von {name} aus der Datei entfernen willst?",
|
||||
"confirm_delete_shared_link": "Bist du sicher, dass du diesen geteilten Link löschen willst?",
|
||||
"confirm_keep_this_delete_others": "Alle anderen Dateien im Stapel bis auf diese werden gelöscht. Bist du sicher, dass du fortfahren möchten?",
|
||||
"confirm_new_pin_code": "Neuen PIN Code bestätigen",
|
||||
"confirm_password": "Passwort bestätigen",
|
||||
"connected_to": "Verbunden mit",
|
||||
"contain": "Vollständig",
|
||||
"context": "Kontext",
|
||||
"continue": "Fortsetzen",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} Elemente · Geteilt",
|
||||
"control_bottom_app_bar_album_info_shared": "{} Elemente · Geteilt",
|
||||
"control_bottom_app_bar_create_new_album": "Neues Album erstellen",
|
||||
"control_bottom_app_bar_delete_from_immich": "Aus Immich löschen",
|
||||
"control_bottom_app_bar_delete_from_local": "Vom Gerät löschen",
|
||||
"control_bottom_app_bar_edit_location": "Ort bearbeiten",
|
||||
"control_bottom_app_bar_edit_time": "Datum und Uhrzeit bearbeiten",
|
||||
"control_bottom_app_bar_share_link": "Link teilen",
|
||||
"control_bottom_app_bar_share_link": "Share Link",
|
||||
"control_bottom_app_bar_share_to": "Teilen mit",
|
||||
"control_bottom_app_bar_trash_from_immich": "in den Papierkorb schieben",
|
||||
"copied_image_to_clipboard": "Das Bild wurde in die Zwischenablage kopiert.",
|
||||
@@ -699,11 +692,9 @@
|
||||
"create_tag_description": "Erstelle einen neuen Tag. Für verschachtelte Tags, gib den gesamten Pfad inklusive Schrägstrich an.",
|
||||
"create_user": "Nutzer erstellen",
|
||||
"created": "Erstellt",
|
||||
"created_at": "Erstellt",
|
||||
"crop": "Zuschneiden",
|
||||
"curated_object_page_title": "Dinge",
|
||||
"current_device": "Aktuelles Gerät",
|
||||
"current_pin_code": "Aktueller PIN Code",
|
||||
"current_server_address": "Aktuelle Serveradresse",
|
||||
"custom_locale": "Benutzerdefinierte Sprache",
|
||||
"custom_locale_description": "Datumsangaben und Zahlen je nach Sprache und Land formatieren",
|
||||
@@ -751,9 +742,11 @@
|
||||
"description": "Beschreibung",
|
||||
"description_input_hint_text": "Beschreibung hinzufügen...",
|
||||
"description_input_submit_error": "Beschreibung konnte nicht geändert werden, bitte im Log für mehr Details nachsehen",
|
||||
"details": "Details",
|
||||
"direction": "Richtung",
|
||||
"disabled": "Deaktiviert",
|
||||
"disallow_edits": "Bearbeitungen verbieten",
|
||||
"discord": "Discord",
|
||||
"discover": "Entdecken",
|
||||
"dismiss_all_errors": "Alle Fehler ignorieren",
|
||||
"dismiss_error": "Fehler ignorieren",
|
||||
@@ -770,12 +763,13 @@
|
||||
"download_enqueue": "Download in die Warteschlange gesetzt",
|
||||
"download_error": "Download fehlerhaft",
|
||||
"download_failed": "Download fehlerhaft",
|
||||
"download_filename": "Datei: {filename}",
|
||||
"download_filename": "Datei: {}",
|
||||
"download_finished": "Download abgeschlossen",
|
||||
"download_include_embedded_motion_videos": "Eingebettete Videos",
|
||||
"download_include_embedded_motion_videos_description": "Videos, die in Bewegungsfotos eingebettet sind, als separate Datei einfügen",
|
||||
"download_notfound": "Download nicht gefunden",
|
||||
"download_paused": "Download pausiert",
|
||||
"download_settings": "Download",
|
||||
"download_settings_description": "Einstellungen für das Herunterladen von Dateien verwalten",
|
||||
"download_started": "Download gestartet",
|
||||
"download_sucess": "Download erfolgreich",
|
||||
@@ -793,8 +787,6 @@
|
||||
"edit_avatar": "Avatar bearbeiten",
|
||||
"edit_date": "Datum bearbeiten",
|
||||
"edit_date_and_time": "Datum und Uhrzeit bearbeiten",
|
||||
"edit_description": "Beschreibung bearbeiten",
|
||||
"edit_description_prompt": "Bitte wähle eine neue Beschreibung:",
|
||||
"edit_exclusion_pattern": "Ausschlussmuster bearbeiten",
|
||||
"edit_faces": "Gesichter bearbeiten",
|
||||
"edit_import_path": "Importpfad bearbeiten",
|
||||
@@ -815,23 +807,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "Seitenverhältnisse",
|
||||
"editor_crop_tool_h2_rotation": "Drehung",
|
||||
"email": "E-Mail",
|
||||
"email_notifications": "E-Mail Benachrichtigungen",
|
||||
"empty_folder": "Dieser Ordner ist leer",
|
||||
"empty_trash": "Papierkorb leeren",
|
||||
"empty_trash_confirmation": "Bist du sicher, dass du den Papierkorb leeren willst?\nDies entfernt alle Dateien im Papierkorb endgültig aus Immich und kann nicht rückgängig gemacht werden!",
|
||||
"enable": "Aktivieren",
|
||||
"enable_biometric_auth_description": "Gib deinen PIN Code ein, um die biometrische Authentifizierung zu aktivieren",
|
||||
"enabled": "Aktiviert",
|
||||
"end_date": "Enddatum",
|
||||
"enqueued": "Eingereiht",
|
||||
"enter_wifi_name": "WLAN-Name eingeben",
|
||||
"enter_your_pin_code": "PIN Code eingeben",
|
||||
"enter_your_pin_code_subtitle": "Gib deinen PIN Code ein, um auf den gesperrten Ordner zuzugreifen",
|
||||
"error": "Fehler",
|
||||
"error_change_sort_album": "Ändern der Anzeigereihenfolge fehlgeschlagen",
|
||||
"error_delete_face": "Fehler beim Löschen des Gesichts",
|
||||
"error_loading_image": "Fehler beim Laden des Bildes",
|
||||
"error_saving_image": "Fehler: {error}",
|
||||
"error_saving_image": "Fehler: {}",
|
||||
"error_title": "Fehler - Etwas ist schief gelaufen",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Kann nicht zur nächsten Datei navigieren",
|
||||
@@ -884,7 +872,6 @@
|
||||
"unable_to_archive_unarchive": "Konnte nicht {archived, select, true {archivieren} other {entarchivieren}}",
|
||||
"unable_to_change_album_user_role": "Die Rolle des Albumbenutzers kann nicht geändert werden",
|
||||
"unable_to_change_date": "Datum kann nicht verändert werden",
|
||||
"unable_to_change_description": "Ändern der Beschreibung nicht möglich",
|
||||
"unable_to_change_favorite": "Es konnte der Favoritenstatus für diese Datei nicht geändert werden",
|
||||
"unable_to_change_location": "Ort kann nicht verändert werden",
|
||||
"unable_to_change_password": "Passwort konnte nicht geändert werden",
|
||||
@@ -922,7 +909,6 @@
|
||||
"unable_to_log_out_all_devices": "Konnte nicht von allen Geräten abmelden",
|
||||
"unable_to_log_out_device": "Konnte nicht vom Gerät abmelden",
|
||||
"unable_to_login_with_oauth": "Anmeldung mit OAuth nicht möglich",
|
||||
"unable_to_move_to_locked_folder": "Konnte nicht in den gesperrten Ordner verschoben werden",
|
||||
"unable_to_play_video": "Das Video kann nicht wiedergegeben werden",
|
||||
"unable_to_reassign_assets_existing_person": "Kann Dateien nicht {name, select, null {einer vorhandenen Person} other {{name}}} zuweisen",
|
||||
"unable_to_reassign_assets_new_person": "Dateien konnten nicht einer neuen Person zugeordnet werden",
|
||||
@@ -936,7 +922,6 @@
|
||||
"unable_to_remove_reaction": "Reaktion kann nicht entfernt werden",
|
||||
"unable_to_repair_items": "Objekte können nicht repariert werden",
|
||||
"unable_to_reset_password": "Passwort kann nicht zurückgesetzt werden",
|
||||
"unable_to_reset_pin_code": "Zurücksetzen des PIN Code nicht möglich",
|
||||
"unable_to_resolve_duplicate": "Duplikate können nicht aufgelöst werden",
|
||||
"unable_to_restore_assets": "Dateien konnten nicht wiederhergestellt werden",
|
||||
"unable_to_restore_trash": "Papierkorb kann nicht wiederhergestellt werden",
|
||||
@@ -966,13 +951,14 @@
|
||||
},
|
||||
"exif": "EXIF",
|
||||
"exif_bottom_sheet_description": "Beschreibung hinzufügen...",
|
||||
"exif_bottom_sheet_details": "DETAILS",
|
||||
"exif_bottom_sheet_location": "STANDORT",
|
||||
"exif_bottom_sheet_people": "PERSONEN",
|
||||
"exif_bottom_sheet_person_add_person": "Namen hinzufügen",
|
||||
"exif_bottom_sheet_person_age": "Alter {age}",
|
||||
"exif_bottom_sheet_person_age_months": "{months} Monate alt",
|
||||
"exif_bottom_sheet_person_age_year_months": "1 Jahr, {months} Monate alt",
|
||||
"exif_bottom_sheet_person_age_years": "Alter {years}",
|
||||
"exif_bottom_sheet_person_age": "Alter {}",
|
||||
"exif_bottom_sheet_person_age_months": "{} Monate alt",
|
||||
"exif_bottom_sheet_person_age_year_months": "1 Jahr, {} Monate alt",
|
||||
"exif_bottom_sheet_person_age_years": "Alter {}",
|
||||
"exit_slideshow": "Diashow beenden",
|
||||
"expand_all": "Alle aufklappen",
|
||||
"experimental_settings_new_asset_list_subtitle": "In Arbeit",
|
||||
@@ -981,7 +967,7 @@
|
||||
"experimental_settings_title": "Experimentell",
|
||||
"expire_after": "Verfällt nach",
|
||||
"expired": "Verfallen",
|
||||
"expires_date": "Läuft ab: {date}",
|
||||
"expires_date": "Läuft am {date} ab",
|
||||
"explore": "Erkunden",
|
||||
"explorer": "Datei-Explorer",
|
||||
"export": "Exportieren",
|
||||
@@ -993,7 +979,6 @@
|
||||
"external_network_sheet_info": "Wenn sich die App nicht im bevorzugten WLAN-Netzwerk befindet, verbindet sie sich mit dem Server über die erste der folgenden URLs, die sie erreichen kann (von oben nach unten)",
|
||||
"face_unassigned": "Nicht zugewiesen",
|
||||
"failed": "Fehlgeschlagen",
|
||||
"failed_to_authenticate": "Authentifizierung fehlgeschlagen",
|
||||
"failed_to_load_assets": "Laden der Assets fehlgeschlagen",
|
||||
"failed_to_load_folder": "Fehler beim Laden des Ordners",
|
||||
"favorite": "Favorit",
|
||||
@@ -1007,6 +992,7 @@
|
||||
"file_name_or_extension": "Dateiname oder -erweiterung",
|
||||
"filename": "Dateiname",
|
||||
"filetype": "Dateityp",
|
||||
"filter": "Filter",
|
||||
"filter_people": "Personen filtern",
|
||||
"filter_places": "Orte filtern",
|
||||
"find_them_fast": "Finde sie schneller mit der Suche nach Namen",
|
||||
@@ -1058,10 +1044,9 @@
|
||||
"home_page_favorite_err_local": "Kann lokale Elemente noch nicht favorisieren, überspringen",
|
||||
"home_page_favorite_err_partner": "Inhalte von Partnern können nicht favorisiert werden, überspringe",
|
||||
"home_page_first_time_notice": "Wenn dies das erste Mal ist dass Du Immich nutzt, stelle bitte sicher, dass mindestens ein Album zur Sicherung ausgewählt ist, sodass die Zeitachse mit Fotos und Videos gefüllt werden kann",
|
||||
"home_page_locked_error_local": "Lokale Dateien können nicht in den gesperrten Ordner verschoben werden, überspringe",
|
||||
"home_page_locked_error_partner": "Dateien von Partnern können nicht in den gesperrten Ordner verschoben werden, überspringe",
|
||||
"home_page_share_err_local": "Lokale Inhalte können nicht per Link geteilt werden, überspringe",
|
||||
"home_page_upload_err_limit": "Es können max. 30 Elemente gleichzeitig hochgeladen werden, überspringen",
|
||||
"host": "Host",
|
||||
"hour": "Stunde",
|
||||
"ignore_icloud_photos": "iCloud Fotos ignorieren",
|
||||
"ignore_icloud_photos_description": "Fotos, die in der iCloud gespeichert sind, werden nicht auf den immich Server hochgeladen",
|
||||
@@ -1091,6 +1076,7 @@
|
||||
"include_shared_partner_assets": "Geteilte Partner-Dateien mit einbeziehen",
|
||||
"individual_share": "Individuelle Freigabe",
|
||||
"individual_shares": "Individuelles Teilen",
|
||||
"info": "Info",
|
||||
"interval": {
|
||||
"day_at_onepm": "Täglich um 13:00 Uhr",
|
||||
"hours": "{hours, plural, one {Jede Stunde} other {Alle {hours, number} Stunden}}",
|
||||
@@ -1116,6 +1102,7 @@
|
||||
"leave": "Verlassen",
|
||||
"lens_model": "Objektivmodell",
|
||||
"let_others_respond": "Antworten zulassen",
|
||||
"level": "Level",
|
||||
"library": "Bibliothek",
|
||||
"library_options": "Bibliotheksoptionen",
|
||||
"library_page_device_albums": "Alben auf dem Gerät",
|
||||
@@ -1142,8 +1129,6 @@
|
||||
"location_picker_latitude_hint": "Breitengrad eingeben",
|
||||
"location_picker_longitude_error": "Gültigen Längengrad eingeben",
|
||||
"location_picker_longitude_hint": "Längengrad eingeben",
|
||||
"lock": "Sperren",
|
||||
"locked_folder": "Gesperrter Ordner",
|
||||
"log_out": "Abmelden",
|
||||
"log_out_all_devices": "Alle Geräte abmelden",
|
||||
"logged_out_all_devices": "Alle Geräte abgemeldet",
|
||||
@@ -1188,8 +1173,8 @@
|
||||
"manage_your_devices": "Deine eingeloggten Geräte verwalten",
|
||||
"manage_your_oauth_connection": "Deine OAuth-Verknüpfung verwalten",
|
||||
"map": "Karte",
|
||||
"map_assets_in_bound": "{count} Foto",
|
||||
"map_assets_in_bounds": "{count} Fotos",
|
||||
"map_assets_in_bound": "{} Foto",
|
||||
"map_assets_in_bounds": "{} Fotos",
|
||||
"map_cannot_get_user_location": "Standort konnte nicht ermittelt werden",
|
||||
"map_location_dialog_yes": "Ja",
|
||||
"map_location_picker_page_use_location": "Aufnahmeort verwenden",
|
||||
@@ -1203,9 +1188,9 @@
|
||||
"map_settings": "Karteneinstellungen",
|
||||
"map_settings_dark_mode": "Dunkler Modus",
|
||||
"map_settings_date_range_option_day": "Letzte 24 Stunden",
|
||||
"map_settings_date_range_option_days": "Letzten {days} Tage",
|
||||
"map_settings_date_range_option_days": "Letzten {} Tage",
|
||||
"map_settings_date_range_option_year": "Letztes Jahr",
|
||||
"map_settings_date_range_option_years": "Letzten {years} Jahre",
|
||||
"map_settings_date_range_option_years": "Letzten {} Jahre",
|
||||
"map_settings_dialog_title": "Karteneinstellungen",
|
||||
"map_settings_include_show_archived": "Archivierte anzeigen",
|
||||
"map_settings_include_show_partners": "Partner einbeziehen",
|
||||
@@ -1223,6 +1208,8 @@
|
||||
"memories_setting_description": "Verwalte, was du in deinen Erinnerungen siehst",
|
||||
"memories_start_over": "Erneut beginnen",
|
||||
"memories_swipe_to_close": "Nach oben Wischen zum schließen",
|
||||
"memories_year_ago": "ein Jahr her",
|
||||
"memories_years_ago": "Vor {} Jahren",
|
||||
"memory": "Erinnerung",
|
||||
"memory_lane_title": "Foto-Erinnerungen {title}",
|
||||
"menu": "Menü",
|
||||
@@ -1233,14 +1220,12 @@
|
||||
"merge_people_successfully": "Personen erfolgreich zusammengeführt",
|
||||
"merged_people_count": "{count, plural, one {# Person} other {# Personen}} zusammengefügt",
|
||||
"minimize": "Minimieren",
|
||||
"minute": "Minute",
|
||||
"missing": "Fehlende",
|
||||
"model": "Modell",
|
||||
"month": "Monat",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Mehr",
|
||||
"move": "Verschieben",
|
||||
"move_off_locked_folder": "Aus dem gesperrten Ordner verschieben",
|
||||
"move_to_locked_folder": "In den gesperrten Ordner verschieben",
|
||||
"move_to_locked_folder_confirmation": "Diese Fotos und Videos werden aus allen Alben entfernt und können nur noch im gesperrten Ordner angezeigt werden",
|
||||
"moved_to_archive": "{count, plural, one {# Datei} other {# Dateien}} archiviert",
|
||||
"moved_to_library": "{count, plural, one {# Datei} other {# Dateien}} in die Bibliothek verschoben",
|
||||
"moved_to_trash": "In den Papierkorb verschoben",
|
||||
@@ -1248,6 +1233,7 @@
|
||||
"multiselect_grid_edit_gps_err_read_only": "Der Aufnahmeort von schreibgeschützten Inhalten kann nicht verändert werden, überspringen",
|
||||
"mute_memories": "Erinnerungen stumm schalten",
|
||||
"my_albums": "Meine Alben",
|
||||
"name": "Name",
|
||||
"name_or_nickname": "Name oder Nickname",
|
||||
"networking_settings": "Netzwerk",
|
||||
"networking_subtitle": "Verwaltung von Server-Endpunkt-Einstellungen",
|
||||
@@ -1256,8 +1242,6 @@
|
||||
"new_api_key": "Neuer API-Schlüssel",
|
||||
"new_password": "Neues Passwort",
|
||||
"new_person": "Neue Person",
|
||||
"new_pin_code": "Neuer PIN Code",
|
||||
"new_pin_code_subtitle": "Dies ist dein erster Zugriff auf den gesperrten Ordner. Erstelle einen PIN Code für den sicheren Zugriff auf diese Seite",
|
||||
"new_user_created": "Neuer Benutzer wurde erstellt",
|
||||
"new_version_available": "NEUE VERSION VERFÜGBAR",
|
||||
"newest_first": "Neueste zuerst",
|
||||
@@ -1275,7 +1259,6 @@
|
||||
"no_explore_results_message": "Lade weitere Fotos hoch, um deine Sammlung zu erkunden.",
|
||||
"no_favorites_message": "Füge Favoriten hinzu, um deine besten Bilder und Videos schnell zu finden",
|
||||
"no_libraries_message": "Eine externe Bibliothek erstellen, um deine Fotos und Videos anzusehen",
|
||||
"no_locked_photos_message": "Fotos und Videos im gesperrten Ordner sind versteckt und werden nicht angezeigt, wenn du deine Bibliothek durchsuchst.",
|
||||
"no_name": "Kein Name",
|
||||
"no_notifications": "Keine Benachrichtigungen",
|
||||
"no_people_found": "Keine passenden Personen gefunden",
|
||||
@@ -1287,7 +1270,6 @@
|
||||
"not_selected": "Nicht ausgewählt",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Hinweis: Um eine Speicherpfadbezeichnung anzuwenden, starte den",
|
||||
"notes": "Notizen",
|
||||
"nothing_here_yet": "Noch nichts hier",
|
||||
"notification_permission_dialog_content": "Um Benachrichtigungen zu aktivieren, navigiere zu Einstellungen und klicke \"Erlauben\".",
|
||||
"notification_permission_list_tile_content": "Erlaube Berechtigung für Benachrichtigungen.",
|
||||
"notification_permission_list_tile_enable_button": "Aktiviere Benachrichtigungen",
|
||||
@@ -1295,9 +1277,12 @@
|
||||
"notification_toggle_setting_description": "E-Mail-Benachrichtigungen aktivieren",
|
||||
"notifications": "Benachrichtigungen",
|
||||
"notifications_setting_description": "Benachrichtigungen verwalten",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Offizielle Immich Quellen",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Offline-Pfade",
|
||||
"offline_paths_description": "Diese Ergebnisse können auf das manuelle Löschen von Dateien zurückzuführen sein, die nicht Teil einer externen Bibliothek sind.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Älteste zuerst",
|
||||
"on_this_device": "Auf diesem Gerät",
|
||||
"onboarding": "Einstieg",
|
||||
@@ -1305,6 +1290,7 @@
|
||||
"onboarding_theme_description": "Wähle ein Farbschema für deine Instanz aus. Du kannst dies später in deinen Einstellungen ändern.",
|
||||
"onboarding_welcome_description": "Lass uns deine Instanz mit einigen allgemeinen Einstellungen konfigurieren.",
|
||||
"onboarding_welcome_user": "Willkommen, {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Nur Favoriten",
|
||||
"open": "Öffnen",
|
||||
"open_in_map_view": "In Kartenansicht öffnen",
|
||||
@@ -1319,6 +1305,7 @@
|
||||
"other_variables": "Sonstige Variablen",
|
||||
"owned": "Eigenes",
|
||||
"owner": "Besitzer",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} hat Zugriff",
|
||||
"partner_can_access_assets": "auf alle deine Fotos und Videos, außer die Archivierten und Gelöschten",
|
||||
"partner_can_access_location": "auf den Ort, an dem deine Fotos aufgenommen wurden",
|
||||
@@ -1329,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "Fehler beim Partner hinzufügen",
|
||||
"partner_page_select_partner": "Partner auswählen",
|
||||
"partner_page_shared_to_title": "Geteilt mit",
|
||||
"partner_page_stop_sharing_content": "{partner} wird nicht mehr auf deine Fotos zugreifen können.",
|
||||
"partner_page_stop_sharing_content": "{} wird nicht mehr auf deine Fotos zugreifen können.",
|
||||
"partner_sharing": "Partner-Sharing",
|
||||
"partners": "Partner",
|
||||
"password": "Passwort",
|
||||
@@ -1343,6 +1330,7 @@
|
||||
},
|
||||
"path": "Pfad",
|
||||
"pattern": "Muster",
|
||||
"pause": "Pause",
|
||||
"pause_memories": "Erinnerungen pausieren",
|
||||
"paused": "Pausiert",
|
||||
"pending": "Ausstehend",
|
||||
@@ -1365,6 +1353,7 @@
|
||||
"permission_onboarding_permission_granted": "Berechtigung erteilt! Du bist startklar.",
|
||||
"permission_onboarding_permission_limited": "Berechtigungen unzureichend. Um Immich das Sichern von ganzen Sammlungen zu ermöglichen, muss der Zugriff auf alle Fotos und Videos in den Einstellungen erlaubt werden.",
|
||||
"permission_onboarding_request": "Immich benötigt Berechtigung um auf deine Fotos und Videos zuzugreifen.",
|
||||
"person": "Person",
|
||||
"person_birthdate": "Geboren am {date}",
|
||||
"person_hidden": "{name}{hidden, select, true { (verborgen)} other {}}",
|
||||
"photo_shared_all_users": "Es sieht so aus, als hättest du deine Fotos mit allen Benutzern geteilt oder du hast keine Benutzer, mit denen du teilen kannst.",
|
||||
@@ -1373,10 +1362,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Foto} other {{count, number} Fotos}}",
|
||||
"photos_from_previous_years": "Fotos von vorherigen Jahren",
|
||||
"pick_a_location": "Wähle einen Ort",
|
||||
"pin_code_changed_successfully": "PIN Code erfolgreich geändert",
|
||||
"pin_code_reset_successfully": "PIN Code erfolgreich zurückgesetzt",
|
||||
"pin_code_setup_successfully": "PIN Code erfolgreich festgelegt",
|
||||
"pin_verification": "PIN Code Überprüfung",
|
||||
"place": "Ort",
|
||||
"places": "Orte",
|
||||
"places_count": "{count, plural, one {{count, number} Ort} other {{count, number} Orte}}",
|
||||
@@ -1384,7 +1369,7 @@
|
||||
"play_memories": "Erinnerungen abspielen",
|
||||
"play_motion_photo": "Bewegte Bilder abspielen",
|
||||
"play_or_pause_video": "Video abspielen oder pausieren",
|
||||
"please_auth_to_access": "Für den Zugriff bitte Authentifizieren",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "App-Einstellungen verwalten",
|
||||
"preferences_settings_title": "Voreinstellungen",
|
||||
"preset": "Voreinstellung",
|
||||
@@ -1394,10 +1379,11 @@
|
||||
"previous_or_next_photo": "Vorheriges oder nächstes Foto",
|
||||
"primary": "Primär",
|
||||
"privacy": "Privatsphäre",
|
||||
"profile": "Profil",
|
||||
"profile_drawer_app_logs": "Logs",
|
||||
"profile_drawer_client_out_of_date_major": "Mobile-App ist veraltet. Bitte aktualisiere auf die neueste Major-Version.",
|
||||
"profile_drawer_client_out_of_date_minor": "Mobile-App ist veraltet. Bitte aktualisiere auf die neueste Minor-Version.",
|
||||
"profile_drawer_client_server_up_to_date": "Die App- und Server-Versionen sind aktuell",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Server-Version ist veraltet. Bitte aktualisiere auf die neueste Major-Version.",
|
||||
"profile_drawer_server_out_of_date_minor": "Server-Version ist veraltet. Bitte aktualisiere auf die neueste Minor-Version.",
|
||||
"profile_image_of_user": "Profilbild von {user}",
|
||||
@@ -1406,7 +1392,7 @@
|
||||
"public_share": "Öffentliche Freigabe",
|
||||
"purchase_account_info": "Unterstützer",
|
||||
"purchase_activated_subtitle": "Danke für die Unterstützung von Immich und Open-Source Software",
|
||||
"purchase_activated_time": "Aktiviert am {date}",
|
||||
"purchase_activated_time": "Aktiviert am {date, date}",
|
||||
"purchase_activated_title": "Dein Schlüssel wurde erfolgreich aktiviert",
|
||||
"purchase_button_activate": "Aktivieren",
|
||||
"purchase_button_buy": "Kaufen",
|
||||
@@ -1434,6 +1420,7 @@
|
||||
"purchase_remove_server_product_key_prompt": "Sicher, dass der Server-Produktschlüssel entfernt werden soll?",
|
||||
"purchase_server_description_1": "Für den gesamten Server",
|
||||
"purchase_server_description_2": "Unterstützerstatus",
|
||||
"purchase_server_title": "Server",
|
||||
"purchase_settings_server_activated": "Der Server-Produktschlüssel wird durch den Administrator verwaltet",
|
||||
"rating": "Bewertung",
|
||||
"rating_clear": "Bewertung löschen",
|
||||
@@ -1471,8 +1458,6 @@
|
||||
"remove_deleted_assets": "Offline-Dateien entfernen",
|
||||
"remove_from_album": "Aus Album entfernen",
|
||||
"remove_from_favorites": "Aus Favoriten entfernen",
|
||||
"remove_from_locked_folder": "Aus gesperrtem Ordner entfernen",
|
||||
"remove_from_locked_folder_confirmation": "Bist du sicher, dass du diese Fotos und Videos aus dem gesperrten Ordner entfernen möchtest? Sie werden wieder in deiner Bibliothek sichtbar sein",
|
||||
"remove_from_shared_link": "Aus geteiltem Link entfernen",
|
||||
"remove_memory": "Erinnerung entfernen",
|
||||
"remove_photo_from_memory": "Foto aus dieser Erinnerung entfernen",
|
||||
@@ -1489,13 +1474,13 @@
|
||||
"repair": "Reparatur",
|
||||
"repair_no_results_message": "Nicht auffindbare und fehlende Dateien werden hier angezeigt",
|
||||
"replace_with_upload": "Durch Upload ersetzen",
|
||||
"repository": "Repository",
|
||||
"require_password": "Passwort erforderlich",
|
||||
"require_user_to_change_password_on_first_login": "Benutzer muss das Passwort beim ersten Login ändern",
|
||||
"rescan": "Erneut scannen",
|
||||
"reset": "Zurücksetzen",
|
||||
"reset_password": "Passwort zurücksetzen",
|
||||
"reset_people_visibility": "Sichtbarkeit von Personen zurücksetzen",
|
||||
"reset_pin_code": "PIN Code zurücksetzen",
|
||||
"reset_to_default": "Auf Standard zurücksetzen",
|
||||
"resolve_duplicates": "Duplikate entfernen",
|
||||
"resolved_all_duplicates": "Alle Duplikate aufgelöst",
|
||||
@@ -1557,6 +1542,7 @@
|
||||
"search_page_no_places": "Keine Informationen über Orte verfügbar",
|
||||
"search_page_screenshots": "Bildschirmfotos",
|
||||
"search_page_search_photos_videos": "Nach deinen Fotos und Videos suchen",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Gegenstände und Tiere",
|
||||
"search_page_view_all_button": "Alle anzeigen",
|
||||
"search_page_your_activity": "Deine Aktivität",
|
||||
@@ -1618,12 +1604,12 @@
|
||||
"setting_languages_apply": "Anwenden",
|
||||
"setting_languages_subtitle": "App-Sprache ändern",
|
||||
"setting_languages_title": "Sprachen",
|
||||
"setting_notifications_notify_failures_grace_period": "Benachrichtigung bei Fehler(n) in der Hintergrundsicherung: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} Stunden",
|
||||
"setting_notifications_notify_failures_grace_period": "Benachrichtigung bei Fehler(n) in der Hintergrundsicherung: {}",
|
||||
"setting_notifications_notify_hours": "{} Stunden",
|
||||
"setting_notifications_notify_immediately": "sofort",
|
||||
"setting_notifications_notify_minutes": "{count} Minuten",
|
||||
"setting_notifications_notify_minutes": "{} Minuten",
|
||||
"setting_notifications_notify_never": "niemals",
|
||||
"setting_notifications_notify_seconds": "{count} Sekunden",
|
||||
"setting_notifications_notify_seconds": "{} Sekunden",
|
||||
"setting_notifications_single_progress_subtitle": "Detaillierter Upload-Fortschritt für jedes Element",
|
||||
"setting_notifications_single_progress_title": "Zeige den detaillierten Fortschritt der Hintergrundsicherung",
|
||||
"setting_notifications_subtitle": "Benachrichtigungen anpassen",
|
||||
@@ -1635,12 +1621,10 @@
|
||||
"settings": "Einstellungen",
|
||||
"settings_require_restart": "Bitte starte Immich neu, um diese Einstellung anzuwenden",
|
||||
"settings_saved": "Einstellungen gespeichert",
|
||||
"setup_pin_code": "Einen PIN Code festlegen",
|
||||
"share": "Teilen",
|
||||
"share_add_photos": "Fotos hinzufügen",
|
||||
"share_assets_selected": "{count} ausgewählt",
|
||||
"share_assets_selected": "{} ausgewählt",
|
||||
"share_dialog_preparing": "Vorbereiten...",
|
||||
"share_link": "Link teilen",
|
||||
"shared": "Geteilt",
|
||||
"shared_album_activities_input_disable": "Kommentare sind deaktiviert",
|
||||
"shared_album_activity_remove_content": "Möchtest du diese Aktivität entfernen?",
|
||||
@@ -1653,33 +1637,34 @@
|
||||
"shared_by_user": "Von {user} geteilt",
|
||||
"shared_by_you": "Von dir geteilt",
|
||||
"shared_from_partner": "Fotos von {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} hochgeladen",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} hochgeladen",
|
||||
"shared_link_app_bar_title": "Geteilte Links",
|
||||
"shared_link_clipboard_copied_massage": "Link kopiert",
|
||||
"shared_link_clipboard_text": "Link: {link}\nPasswort: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nPasswort: {}",
|
||||
"shared_link_create_error": "Fehler beim Erstellen der Linkfreigabe",
|
||||
"shared_link_edit_description_hint": "Beschreibung eingeben",
|
||||
"shared_link_edit_expire_after_option_day": "1 Tag",
|
||||
"shared_link_edit_expire_after_option_days": "{count} Tagen",
|
||||
"shared_link_edit_expire_after_option_days": "{} Tagen",
|
||||
"shared_link_edit_expire_after_option_hour": "1 Stunde",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} Stunden",
|
||||
"shared_link_edit_expire_after_option_hours": "{} Stunden",
|
||||
"shared_link_edit_expire_after_option_minute": "1 Minute",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} Minuten",
|
||||
"shared_link_edit_expire_after_option_months": "{count} Monaten",
|
||||
"shared_link_edit_expire_after_option_year": "{count} Jahr",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} Minuten",
|
||||
"shared_link_edit_expire_after_option_months": "{} Monaten",
|
||||
"shared_link_edit_expire_after_option_year": "{} Jahr",
|
||||
"shared_link_edit_password_hint": "Passwort eingeben",
|
||||
"shared_link_edit_submit_button": "Link aktualisieren",
|
||||
"shared_link_error_server_url_fetch": "Fehler beim Ermitteln der Server-URL",
|
||||
"shared_link_expires_day": "Läuft ab in {count} Tag",
|
||||
"shared_link_expires_days": "Läuft ab in {count} Tagen",
|
||||
"shared_link_expires_hour": "Läuft ab in {count} Stunde",
|
||||
"shared_link_expires_hours": "Läuft ab in {count} Stunden",
|
||||
"shared_link_expires_minute": "Läuft ab in {count} Minute",
|
||||
"shared_link_expires_minutes": "Läuft ab in {count} Minuten",
|
||||
"shared_link_expires_day": "Läuft ab in {} Tag",
|
||||
"shared_link_expires_days": "Läuft ab in {} Tagen",
|
||||
"shared_link_expires_hour": "Läuft ab in {} Stunde",
|
||||
"shared_link_expires_hours": "Läuft ab in {} Stunden",
|
||||
"shared_link_expires_minute": "Läuft ab in {} Minute",
|
||||
"shared_link_expires_minutes": "Läuft ab in {} Minuten",
|
||||
"shared_link_expires_never": "Läuft nie ab",
|
||||
"shared_link_expires_second": "Läuft ab in {count} Sekunde",
|
||||
"shared_link_expires_seconds": "Läuft ab in {count} Sekunden",
|
||||
"shared_link_expires_second": "Läuft ab in {} Sekunde",
|
||||
"shared_link_expires_seconds": "Läuft ab in {} Sekunden",
|
||||
"shared_link_individual_shared": "Individuell geteilt",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Geteilte Links verwalten",
|
||||
"shared_link_options": "Optionen für geteilten Link",
|
||||
"shared_links": "Geteilte Links",
|
||||
@@ -1741,16 +1726,17 @@
|
||||
"stack_select_one_photo": "Hauptfoto für den Stapel auswählen",
|
||||
"stack_selected_photos": "Ausgewählte Fotos stapeln",
|
||||
"stacked_assets_count": "{count, plural, one {# Datei} other {# Dateien}} gestapelt",
|
||||
"stacktrace": "Stacktrace",
|
||||
"start": "Starten",
|
||||
"start_date": "Anfangsdatum",
|
||||
"state": "Bundesland / Provinz",
|
||||
"status": "Status",
|
||||
"stop_motion_photo": "Stop-Motion-Foto",
|
||||
"stop_photo_sharing": "Deine Fotos nicht mehr teilen?",
|
||||
"stop_photo_sharing_description": "{partner} wird keinen Zugriff mehr auf deine Fotos haben.",
|
||||
"stop_sharing_photos_with_user": "Aufhören Fotos mit diesem Benutzer zu teilen",
|
||||
"storage": "Speicherplatz",
|
||||
"storage_label": "Speicherpfad",
|
||||
"storage_quota": "Speicherplatz-Kontingent",
|
||||
"storage_usage": "{used} von {available} verwendet",
|
||||
"submit": "Bestätigen",
|
||||
"suggestions": "Vorschläge",
|
||||
@@ -1763,6 +1749,7 @@
|
||||
"sync_albums": "Alben synchronisieren",
|
||||
"sync_albums_manual_subtitle": "Synchronisiere alle hochgeladenen Videos und Fotos in die ausgewählten Backup-Alben",
|
||||
"sync_upload_album_setting_subtitle": "Erstelle deine ausgewählten Alben in Immich und lade die Fotos und Videos dort hoch",
|
||||
"tag": "Tag",
|
||||
"tag_assets": "Dateien taggen",
|
||||
"tag_created": "Tag erstellt: {tag}",
|
||||
"tag_feature_description": "Durchsuchen von Fotos und Videos, gruppiert nach logischen Tag-Themen",
|
||||
@@ -1770,11 +1757,13 @@
|
||||
"tag_people": "Personen taggen",
|
||||
"tag_updated": "Tag aktualisiert: {tag}",
|
||||
"tagged_assets": "{count, plural, one {# Datei} other {# Dateien}} getagged",
|
||||
"tags": "Tags",
|
||||
"template": "Vorlage",
|
||||
"theme": "Theme",
|
||||
"theme_selection": "Themenauswahl",
|
||||
"theme_selection_description": "Automatische Einstellung des Themes auf Hell oder Dunkel, je nach Systemeinstellung des Browsers",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Forschrittsbalken der Sicherung auf dem Vorschaubild",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Anzahl der Elemente pro Reihe ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Anzahl der Elemente pro Reihe ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Primärfarbe auf App-Hintergrund anwenden.",
|
||||
"theme_setting_colorful_interface_title": "Farbige UI-Oberfläche",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Einstellen der Qualität des Detailbildbetrachters",
|
||||
@@ -1809,15 +1798,13 @@
|
||||
"trash_no_results_message": "Gelöschte Fotos und Videos werden hier angezeigt.",
|
||||
"trash_page_delete_all": "Alle löschen",
|
||||
"trash_page_empty_trash_dialog_content": "Elemente im Papierkorb löschen? Diese Elemente werden dauerhaft aus Immich entfernt",
|
||||
"trash_page_info": "Elemente im Papierkorb werden nach {days} Tagen endgültig gelöscht",
|
||||
"trash_page_info": "Elemente im Papierkorb werden nach {} Tagen endgültig gelöscht",
|
||||
"trash_page_no_assets": "Es gibt keine Daten im Papierkorb",
|
||||
"trash_page_restore_all": "Alle wiederherstellen",
|
||||
"trash_page_select_assets_btn": "Elemente auswählen",
|
||||
"trash_page_title": "Papierkorb ({count})",
|
||||
"trash_page_title": "Papierkorb ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Gelöschte Objekte werden nach {days, plural, one {# Tag} other {# Tagen}} endgültig gelöscht.",
|
||||
"type": "Typ",
|
||||
"unable_to_change_pin_code": "PIN Code konnte nicht geändert werden",
|
||||
"unable_to_setup_pin_code": "PIN Code konnte nicht festgelegt werden",
|
||||
"unarchive": "Entarchivieren",
|
||||
"unarchived_count": "{count, plural, other {# entarchiviert}}",
|
||||
"unfavorite": "Entfavorisieren",
|
||||
@@ -1841,7 +1828,6 @@
|
||||
"untracked_files": "Unverfolgte Dateien",
|
||||
"untracked_files_decription": "Diese Dateien werden nicht von der Application getrackt. Sie können das Ergebnis fehlgeschlagener Verschiebungen, unterbrochener Uploads oder aufgrund eines Fehlers sein",
|
||||
"up_next": "Weiter",
|
||||
"updated_at": "Aktualisiert",
|
||||
"updated_password": "Passwort aktualisiert",
|
||||
"upload": "Hochladen",
|
||||
"upload_concurrency": "Parallelität beim Hochladen",
|
||||
@@ -1854,17 +1840,15 @@
|
||||
"upload_status_errors": "Fehler",
|
||||
"upload_status_uploaded": "Hochgeladen",
|
||||
"upload_success": "Hochladen erfolgreich. Aktualisiere die Seite, um neue hochgeladene Dateien zu sehen.",
|
||||
"upload_to_immich": "Auf Immich hochladen ({count})",
|
||||
"upload_to_immich": "Auf Immich hochladen ({})",
|
||||
"uploading": "Wird hochgeladen",
|
||||
"url": "URL",
|
||||
"usage": "Verwendung",
|
||||
"use_biometric": "Biometrie verwenden",
|
||||
"use_current_connection": "aktuelle Verbindung verwenden",
|
||||
"use_custom_date_range": "Stattdessen einen benutzerdefinierten Datumsbereich verwenden",
|
||||
"user": "Nutzer",
|
||||
"user_has_been_deleted": "Dieser Benutzer wurde gelöscht.",
|
||||
"user_id": "Nutzer-ID",
|
||||
"user_liked": "{type, select, photo {Dieses Foto} video {Dieses Video} asset {Diese Datei} other {Dies}} gefällt {user}",
|
||||
"user_pin_code_settings_description": "Verwalte deinen PIN Code",
|
||||
"user_purchase_settings": "Kauf",
|
||||
"user_purchase_settings_description": "Kauf verwalten",
|
||||
"user_role_set": "{user} als {role} festlegen",
|
||||
@@ -1877,6 +1861,7 @@
|
||||
"validate": "Validieren",
|
||||
"validate_endpoint_error": "Bitte gib eine gültige URL ein",
|
||||
"variables": "Variablen",
|
||||
"version": "Version",
|
||||
"version_announcement_closing": "Dein Freund, Alex",
|
||||
"version_announcement_message": "Hi! Es gibt eine neue Version von Immich. Bitte nimm dir Zeit, die <link>Versionshinweise</link> zu lesen, um Fehlkonfigurationen zu vermeiden, insbesondere wenn du WatchTower oder ein anderes Verfahren verwendest, das Immich automatisch aktualisiert.",
|
||||
"version_announcement_overlay_release_notes": "Änderungsprotokoll",
|
||||
@@ -1886,8 +1871,11 @@
|
||||
"version_announcement_overlay_title": "Neue Server-Version verfügbar 🎉",
|
||||
"version_history": "Versionshistorie",
|
||||
"version_history_item": "{version} am {date} installiert",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Videovorschau beim Hovern abspielen",
|
||||
"video_hover_setting_description": "Spiele die Miniaturansicht des Videos ab, wenn sich die Maus über dem Element befindet. Auch wenn die Funktion deaktiviert ist, kann die Wiedergabe gestartet werden, indem du mit der Maus über das Wiedergabesymbol fährst.",
|
||||
"videos": "Videos",
|
||||
"videos_count": "{count, plural, one {# Video} other {# Videos}}",
|
||||
"view": "Ansicht",
|
||||
"view_album": "Album anzeigen",
|
||||
"view_all": "Alles anzeigen",
|
||||
@@ -1910,7 +1898,6 @@
|
||||
"welcome": "Willkommen",
|
||||
"welcome_to_immich": "Willkommen bei Immich",
|
||||
"wifi_name": "WLAN-Name",
|
||||
"wrong_pin_code": "PIN Code falsch",
|
||||
"year": "Jahr",
|
||||
"years_ago": "Vor {years, plural, one {einem Jahr} other {# Jahren}}",
|
||||
"yes": "Ja",
|
||||
|
||||
159
i18n/el.json
159
i18n/el.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Προσθήκη σε άλμπουμ",
|
||||
"add_to_album_bottom_sheet_added": "Προστέθηκε στο {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Ήδη στο {album}",
|
||||
"add_to_locked_folder": "Προσθήκη στον Κλειδωμένο Φάκελο",
|
||||
"add_to_shared_album": "Προσθήκη σε κοινόχρηστο άλμπουμ",
|
||||
"add_url": "Προσθήκη Συνδέσμου",
|
||||
"added_to_archive": "Προστέθηκε στο αρχείο",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Για επιβεβαίωση, πληκτρολογήστε \"{email}\" παρακάτω",
|
||||
"confirm_reprocess_all_faces": "Είστε βέβαιοι ότι θέλετε να επεξεργαστείτε ξανά όλα τα πρόσωπα; Αυτό θα εκκαθαρίσει ακόμα και τα άτομα στα οποία έχετε ήδη ορίσει το όνομα.",
|
||||
"confirm_user_password_reset": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε τον κωδικό πρόσβασης του χρήστη {user};",
|
||||
"confirm_user_pin_code_reset": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε τον κωδικό PIN του χρήστη {user};",
|
||||
"create_job": "Δημιουργία εργασίας",
|
||||
"cron_expression": "Σύνταξη Cron",
|
||||
"cron_expression_description": "Ορίστε το διάστημα σάρωσης χρησιμοποιώντας τη μορφή cron. Για περισσότερες πληροφορίες, ανατρέξτε π.χ. στο <link>Crontab Guru</link>",
|
||||
@@ -194,7 +192,6 @@
|
||||
"oauth_auto_register": "Αυτόματη καταχώρηση",
|
||||
"oauth_auto_register_description": "Αυτόματη καταχώρηση νέου χρήστη αφού συνδεθεί με OAuth",
|
||||
"oauth_button_text": "Κείμενο κουμπιού",
|
||||
"oauth_client_secret_description": "Υποχρεωτικό εαν PKCE (Proof Key for Code Exchange) δεν υποστηρίζεται από τον OAuth πάροχο",
|
||||
"oauth_enable_description": "Σύνδεση με OAuth",
|
||||
"oauth_mobile_redirect_uri": "URI Ανακατεύθυνσης για κινητά τηλέφωνα",
|
||||
"oauth_mobile_redirect_uri_override": "Προσπέλαση URI ανακατεύθυνσης για κινητά τηλέφωνα",
|
||||
@@ -208,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "Ορίζει αυτόματα το ποσοστό αποθήκευσης του χρήστη στη δηλωμένη τιμή.",
|
||||
"oauth_storage_quota_default": "Προεπιλεγμένο όριο αποθήκευσης (GiB)",
|
||||
"oauth_storage_quota_default_description": "Ποσοστό σε GiB που θα χρησιμοποιηθεί όταν δεν ορίζεται από τη δηλωμένη τιμή (Εισάγετε 0 για απεριόριστο ποσοστό).",
|
||||
"oauth_timeout": "Χρονικό όριο Αιτήματος",
|
||||
"oauth_timeout_description": "Χρονικό όριο Αιτήματος σε milliseconds",
|
||||
"offline_paths": "Διαδρομές αρχείων εκτός σύνδεσης",
|
||||
"offline_paths_description": "Αυτά τα αποτελέσματα μπορεί να οφείλονται σε χειροκίνητη διαγραφή αρχείων που δεν ανήκουν σε εξωτερική βιβλιοθήκη.",
|
||||
"password_enable_description": "Σύνδεση με ηλεκτρονικό ταχυδρομείο",
|
||||
@@ -350,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "Αριθμός ημερών μετά την αφαίρεση, για την οριστική διαγραφή του λογαριασμού και των αρχείων ενός χρήστη. Η εργασία διαγραφής χρηστών εκτελείται τα μεσάνυχτα, για να ελέγξει ποιοι χρήστες είναι έτοιμοι για διαγραφή. Οι αλλαγές σε αυτή τη ρύθμιση θα αξιολογηθούν κατά την επόμενη εκτέλεση.",
|
||||
"user_delete_immediately": "Ο λογαριασμός και τα αρχεία του/της <b>{user}</b> θα μπουν στην ουρά για οριστική διαγραφή, <b>άμεσα</b>.",
|
||||
"user_delete_immediately_checkbox": "Βάλε τον χρήστη και τα αρχεία του στην ουρά για άμεση διαγραφή",
|
||||
"user_details": "Λεπτομέρειες χρήστη",
|
||||
"user_management": "Διαχείριση χρηστών",
|
||||
"user_password_has_been_reset": "Ο κωδικός πρόσβασης του χρήστη έχει επαναρυθμιστεί:",
|
||||
"user_password_reset_description": "Παρακαλώ παρέχετε τον προσωρινό κωδικό πρόσβασης στον χρήστη και ενημερώστε τον ότι θα πρέπει να τον αλλάξει, κατά την επόμενη σύνδεσή του.",
|
||||
@@ -372,7 +366,7 @@
|
||||
"advanced": "Για προχωρημένους",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Χρησιμοποιήστε αυτήν την επιλογή για να φιλτράρετε τα μέσα ενημέρωσης κατά τον συγχρονισμό με βάση εναλλακτικά κριτήρια. Δοκιμάστε αυτή τη δυνατότητα μόνο αν έχετε προβλήματα με την εφαρμογή που εντοπίζει όλα τα άλμπουμ.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[ΠΕΙΡΑΜΑΤΙΚΟ] Χρήση εναλλακτικού φίλτρου συγχρονισμού άλμπουμ συσκευής",
|
||||
"advanced_settings_log_level_title": "Επίπεδο σύνδεσης: {level}",
|
||||
"advanced_settings_log_level_title": "Επίπεδο σύνδεσης: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Μερικές συσκευές αργούν πολύ να φορτώσουν μικρογραφίες από αρχεία στη συσκευή. Ενεργοποιήστε αυτήν τη ρύθμιση για να φορτώνονται αντί αυτού απομακρυσμένες εικόνες.",
|
||||
"advanced_settings_prefer_remote_title": "Προτίμηση απομακρυσμένων εικόνων",
|
||||
"advanced_settings_proxy_headers_subtitle": "Καθορισμός κεφαλίδων διακομιστή μεσολάβησης που το Immich πρέπει να στέλνει με κάθε αίτημα δικτύου",
|
||||
@@ -403,9 +397,9 @@
|
||||
"album_remove_user_confirmation": "Είστε σίγουροι ότι θέλετε να αφαιρέσετε τον/την {user};",
|
||||
"album_share_no_users": "Φαίνεται ότι έχετε κοινοποιήσει αυτό το άλμπουμ σε όλους τους χρήστες ή δεν έχετε χρήστες για να το κοινοποιήσετε.",
|
||||
"album_thumbnail_card_item": "1 αντικείμενο",
|
||||
"album_thumbnail_card_items": "{count} αντικείμενα",
|
||||
"album_thumbnail_card_items": "{} αντικείμενα",
|
||||
"album_thumbnail_card_shared": " Κοινόχρηστο",
|
||||
"album_thumbnail_shared_by": "Κοινοποιημένο από {user}",
|
||||
"album_thumbnail_shared_by": "Κοινοποιημένο από {}",
|
||||
"album_updated": "Το άλμπουμ, ενημερώθηκε",
|
||||
"album_updated_setting_description": "Λάβετε ειδοποίηση μέσω email όταν ένα κοινόχρηστο άλμπουμ έχει νέα αρχεία",
|
||||
"album_user_left": "Αποχωρήσατε από το {album}",
|
||||
@@ -443,7 +437,7 @@
|
||||
"archive": "Αρχείο",
|
||||
"archive_or_unarchive_photo": "Αρχειοθέτηση ή αποαρχειοθέτηση φωτογραφίας",
|
||||
"archive_page_no_archived_assets": "Δε βρέθηκαν αρχειοθετημένα στοιχεία",
|
||||
"archive_page_title": "Αρχείο ({count})",
|
||||
"archive_page_title": "Αρχείο ({})",
|
||||
"archive_size": "Μέγεθος Αρχείου",
|
||||
"archive_size_description": "Ρυθμίστε το μέγεθος του αρχείου για λήψεις (σε GiB)",
|
||||
"archived": "Αρχείο",
|
||||
@@ -480,18 +474,18 @@
|
||||
"assets_added_to_album_count": "Προστέθηκε {count, plural, one {# αρχείο} other {# αρχεία}} στο άλμπουμ",
|
||||
"assets_added_to_name_count": "Προστέθηκε {count, plural, one {# αρχείο} other {# αρχεία}} στο {hasName, select, true {<b>{name}</b>} other {νέο άλμπουμ}}",
|
||||
"assets_count": "{count, plural, one {# αρχείο} other {# αρχεία}}",
|
||||
"assets_deleted_permanently": "{count} τα στοιχεία διαγράφηκαν οριστικά",
|
||||
"assets_deleted_permanently_from_server": "{count} στοιχεία διαγράφηκαν οριστικά από το διακομιστή Immich",
|
||||
"assets_deleted_permanently": "{} τα στοιχεία διαγράφηκαν οριστικά",
|
||||
"assets_deleted_permanently_from_server": "{} τα στοιχεία διαγράφηκαν οριστικά από το διακομιστή Immich",
|
||||
"assets_moved_to_trash_count": "Μετακινήθηκαν {count, plural, one {# αρχείο} other {# αρχεία}} στον κάδο απορριμμάτων",
|
||||
"assets_permanently_deleted_count": "Διαγράφηκαν μόνιμα {count, plural, one {# αρχείο} other {# αρχεία}}",
|
||||
"assets_removed_count": "Αφαιρέθηκαν {count, plural, one {# αρχείο} other {# αρχεία}}",
|
||||
"assets_removed_permanently_from_device": "{count} στοιχεία καταργήθηκαν οριστικά από τη συσκευή σας",
|
||||
"assets_removed_permanently_from_device": "{} τα στοιχεία καταργήθηκαν οριστικά από τη συσκευή σας",
|
||||
"assets_restore_confirmation": "Είστε βέβαιοι ότι θέλετε να επαναφέρετε όλα τα στοιχεία που βρίσκονται στον κάδο απορριμμάτων; Αυτή η ενέργεια δεν μπορεί να αναιρεθεί! Λάβετε υπόψη ότι δεν θα είναι δυνατή η επαναφορά στοιχείων εκτός σύνδεσης.",
|
||||
"assets_restored_count": "Έγινε επαναφορά {count, plural, one {# στοιχείου} other {# στοιχείων}}",
|
||||
"assets_restored_successfully": "{count} στοιχεία αποκαταστάθηκαν με επιτυχία",
|
||||
"assets_trashed": "{count} στοιχεία μεταφέρθηκαν στον κάδο απορριμμάτων",
|
||||
"assets_restored_successfully": "{} τα στοιχεία αποκαταστάθηκαν με επιτυχία",
|
||||
"assets_trashed": "{} στοιχεία μεταφέρθηκαν στον κάδο απορριμμάτων",
|
||||
"assets_trashed_count": "Μετακιν. στον κάδο απορριμάτων {count, plural, one {# στοιχείο} other {# στοιχεία}}",
|
||||
"assets_trashed_from_server": "{count} στοιχεία μεταφέρθηκαν στον κάδο απορριμμάτων από το διακομιστή Immich",
|
||||
"assets_trashed_from_server": "{} στοιχεία μεταφέρθηκαν στον κάδο απορριμμάτων από το διακομιστή Immich",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Το στοιχείο ανήκει} other {Τα στοιχεία ανήκουν}} ήδη στο άλμπουμ",
|
||||
"authorized_devices": "Εξουσιοδοτημένες Συσκευές",
|
||||
"automatic_endpoint_switching_subtitle": "Σύνδεση τοπικά μέσω του καθορισμένου Wi-Fi όταν είναι διαθέσιμο και χρήση εναλλακτικών συνδέσεων αλλού",
|
||||
@@ -500,7 +494,7 @@
|
||||
"back_close_deselect": "Πίσω, κλείσιμο ή αποεπιλογή",
|
||||
"background_location_permission": "Άδεια τοποθεσίας στο παρασκήνιο",
|
||||
"background_location_permission_content": "Το Immich για να μπορεί να αλλάζει δίκτυα όταν τρέχει στο παρασκήνιο, πρέπει *πάντα* να έχει πρόσβαση στην ακριβή τοποθεσία ώστε η εφαρμογή να μπορεί να διαβάζει το όνομα του δικτύου Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Άλμπουμ στη συσκευή ({count})",
|
||||
"backup_album_selection_page_albums_device": "Άλμπουμ στη συσκευή ({})",
|
||||
"backup_album_selection_page_albums_tap": "Πάτημα για συμπερίληψη, διπλό πάτημα για εξαίρεση",
|
||||
"backup_album_selection_page_assets_scatter": "Τα στοιχεία μπορεί να διασκορπιστούν σε πολλά άλμπουμ. Έτσι, τα άλμπουμ μπορούν να περιληφθούν ή να εξαιρεθούν κατά τη διαδικασία δημιουργίας αντιγράφων ασφαλείας.",
|
||||
"backup_album_selection_page_select_albums": "Επιλογή άλμπουμ",
|
||||
@@ -509,11 +503,11 @@
|
||||
"backup_all": "Όλα",
|
||||
"backup_background_service_backup_failed_message": "Αποτυχία δημιουργίας αντιγράφων ασφαλείας. Επανάληψη…",
|
||||
"backup_background_service_connection_failed_message": "Αποτυχία σύνδεσης με το διακομιστή. Επανάληψη…",
|
||||
"backup_background_service_current_upload_notification": "Μεταφόρτωση {filename}",
|
||||
"backup_background_service_current_upload_notification": "Μεταφόρτωση {}",
|
||||
"backup_background_service_default_notification": "Έλεγχος για νέα στοιχεία…",
|
||||
"backup_background_service_error_title": "Σφάλμα δημιουργίας αντιγράφων ασφαλείας",
|
||||
"backup_background_service_in_progress_notification": "Δημιουργία αντιγράφων ασφαλείας των στοιχείων σας…",
|
||||
"backup_background_service_upload_failure_notification": "Αποτυχία μεταφόρτωσης {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Αποτυχία μεταφόρτωσης {}",
|
||||
"backup_controller_page_albums": "Δημιουργία αντιγράφων ασφαλείας άλμπουμ",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Ενεργοποιήστε την ανανέωση εφαρμογής στο παρασκήνιο στις Ρυθμίσεις > Γενικά > Ανανέωση Εφαρμογής στο Παρασκήνιο για να χρησιμοποιήσετε την δημιουργία αντιγράφων ασφαλείας στο παρασκήνιο.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Η ανανέωση εφαρμογής στο παρασκηνίο είναι απενεργοποιημένη",
|
||||
@@ -524,7 +518,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "Βελτιστοποιήσεις μπαταρίας",
|
||||
"backup_controller_page_background_charging": "Μόνο κατά τη φόρτιση",
|
||||
"backup_controller_page_background_configure_error": "Αποτυχία ρύθμισης της υπηρεσίας παρασκηνίου",
|
||||
"backup_controller_page_background_delay": "Καθυστέρηση δημιουργίας αντιγράφων ασφαλείας νέων στοιχείων: {duration}",
|
||||
"backup_controller_page_background_delay": "Καθυστέρηση δημιουργίας αντιγράφων ασφαλείας νέων στοιχείων: {}",
|
||||
"backup_controller_page_background_description": "Ενεργοποιήστε την υπηρεσία παρασκηνίου για αυτόματη δημιουργία αντιγράφων ασφαλείας νέων στοιχείων χωρίς να χρειάζεται να ανοίξετε την εφαρμογή",
|
||||
"backup_controller_page_background_is_off": "Η αυτόματη δημιουργία αντιγράφων ασφαλείας στο παρασκήνιο είναι απενεργοποιημένη",
|
||||
"backup_controller_page_background_is_on": "Η αυτόματη δημιουργία αντιγράφων ασφαλείας στο παρασκήνιο είναι ενεργοποιημένη",
|
||||
@@ -534,11 +528,12 @@
|
||||
"backup_controller_page_backup": "Αντίγραφα ασφαλείας",
|
||||
"backup_controller_page_backup_selected": "Επιλεγμένα: ",
|
||||
"backup_controller_page_backup_sub": "Φωτογραφίες και βίντεο για τα οποία έχουν δημιουργηθεί αντίγραφα ασφαλείας",
|
||||
"backup_controller_page_created": "Δημιουργήθηκε στις: {date}",
|
||||
"backup_controller_page_created": "Δημιουργήθηκε στις: {}",
|
||||
"backup_controller_page_desc_backup": "Ενεργοποιήστε την δημιουργία αντιγράφων ασφαλείας στο προσκήνιο για αυτόματη μεταφόρτωση νέων στοιχείων στον διακομιστή όταν ανοίγετε την εφαρμογή.",
|
||||
"backup_controller_page_excluded": "Εξαιρούμενα: ",
|
||||
"backup_controller_page_failed": "Αποτυχημένα ({count})",
|
||||
"backup_controller_page_filename": "Όνομα αρχείου: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Αποτυχημένα ({})",
|
||||
"backup_controller_page_filename": "Όνομα αρχείου: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Πληροφορίες αντιγράφου ασφαλείας",
|
||||
"backup_controller_page_none_selected": "Κανένα επιλεγμένο",
|
||||
"backup_controller_page_remainder": "Υπόλοιπο",
|
||||
@@ -547,7 +542,7 @@
|
||||
"backup_controller_page_start_backup": "Έναρξη δημιουργίας αντιγράφου ασφαλείας",
|
||||
"backup_controller_page_status_off": "Η αυτόματη δημιουργία αντιγράφου ασφαλείας στο προσκήνιο, είναι απενεργοποιημένη",
|
||||
"backup_controller_page_status_on": "Η αυτόματη δημιουργία αντιγράφου ασφαλείας στο προσκήνιο είναι ενεργοποιημένη",
|
||||
"backup_controller_page_storage_format": "{used} από {total} σε χρήση",
|
||||
"backup_controller_page_storage_format": "{} από {} σε χρήση",
|
||||
"backup_controller_page_to_backup": "Άλμπουμ για δημιουργία αντιγράφου ασφαλείας",
|
||||
"backup_controller_page_total_sub": "Όλες οι μοναδικές φωτογραφίες και βίντεο από τα επιλεγμένα άλμπουμ",
|
||||
"backup_controller_page_turn_off": "Απενεργοποίηση δημιουργίας αντιγράφου ασφαλείας στο προσκήνιο",
|
||||
@@ -562,10 +557,6 @@
|
||||
"backup_options_page_title": "Επιλογές αντιγράφων ασφαλείας",
|
||||
"backup_setting_subtitle": "Διαχείριση ρυθμίσεων μεταφόρτωσης στο παρασκήνιο και στο προσκήνιο",
|
||||
"backward": "Προς τα πίσω",
|
||||
"biometric_auth_enabled": "Βιομετρική ταυτοποίηση ενεργοποιήθηκε",
|
||||
"biometric_locked_out": "Είστε κλειδωμένοι εκτός της βιομετρικής ταυτοποίησης",
|
||||
"biometric_no_options": "Δεν υπάρχουν διαθέσιμοι τρόποι βιομετρικής ταυτοποίησης",
|
||||
"biometric_not_available": "Δεν υπάρχει διαθέσιμη βιομετρική ταυτοποίηση σε αυτή τη συσκευή",
|
||||
"birthdate_saved": "Η ημερομηνία γέννησης αποθηκεύτηκε επιτυχώς",
|
||||
"birthdate_set_description": "Η ημερομηνία γέννησης χρησιμοποιείται για τον υπολογισμό της ηλικίας αυτού του ατόμου, τη χρονική στιγμή μιας φωτογραφίας.",
|
||||
"blurred_background": "Θολό φόντο",
|
||||
@@ -576,21 +567,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Είστε σίγουροι ότι θέλετε να κρατήσετε {count, plural, one {# διπλότυπο αρχείο} other {# διπλότυπα αρχεία}}; Αυτό θα επιλύσει όλες τις ομάδες διπλοτύπων χωρίς να διαγράψει τίποτα.",
|
||||
"bulk_trash_duplicates_confirmation": "Είστε σίγουροι ότι θέλετε να βάλετε στον κάδο απορριμμάτων {count, plural, one {# διπλότυπο αρχείο} other {# διπλότυπα αρχεία}}; Αυτό θα κρατήσει το μεγαλύτερο αρχείο από κάθε ομάδα και θα βάλει στον κάδο απορριμμάτων όλα τα άλλα διπλότυπα.",
|
||||
"buy": "Αγοράστε το Immich",
|
||||
"cache_settings_album_thumbnails": "Μικρογραφίες σελίδας βιβλιοθήκης ({count} στοιχεία)",
|
||||
"cache_settings_album_thumbnails": "Μικρογραφίες σελίδας βιβλιοθήκης ({} στοιχεία)",
|
||||
"cache_settings_clear_cache_button": "Εκκαθάριση προσωρινής μνήμης",
|
||||
"cache_settings_clear_cache_button_title": "Καθαρίζει τη προσωρινή μνήμη της εφαρμογής. Αυτό θα επηρεάσει σημαντικά την απόδοση της εφαρμογής μέχρι να αναδημιουργηθεί η προσωρινή μνήμη.",
|
||||
"cache_settings_duplicated_assets_clear_button": "ΕΚΚΑΘΑΡΙΣΗ",
|
||||
"cache_settings_duplicated_assets_subtitle": "Φωτογραφίες και βίντεο που έχουν μπει στη μαύρη λίστα από την εφαρμογή",
|
||||
"cache_settings_duplicated_assets_title": "Διπλότυπα στοιχεία ({count})",
|
||||
"cache_settings_image_cache_size": "Μέγεθος προσωρινής μνήμης εικόνων ({count} στοιχεία)",
|
||||
"cache_settings_duplicated_assets_title": "Διπλότυπα στοιχεία ({})",
|
||||
"cache_settings_image_cache_size": "Μέγεθος προσωρινής μνήμης εικόνων ({} στοιχεία)",
|
||||
"cache_settings_statistics_album": "Μικρογραφίες βιβλιοθήκης",
|
||||
"cache_settings_statistics_assets": "{count} στοιχεία ({size})",
|
||||
"cache_settings_statistics_assets": "{} στοιχεία ({})",
|
||||
"cache_settings_statistics_full": "Πλήρεις εικόνες",
|
||||
"cache_settings_statistics_shared": "Μικρογραφίες κοινοποιημένου άλμπουμ",
|
||||
"cache_settings_statistics_thumbnail": "Μικρογραφίες",
|
||||
"cache_settings_statistics_title": "Χρήση προσωρινής μνήμης",
|
||||
"cache_settings_subtitle": "Διαχείρηση συμπεριφοράς της προσωρινής μνήμης",
|
||||
"cache_settings_thumbnail_size": "Μέγεθος προσωρινής μνήμης μικρογραφιών ({count} στοιχεία)",
|
||||
"cache_settings_thumbnail_size": "Μέγεθος προσωρινής μνήμης μικρογραφιών ({} στοιχεία)",
|
||||
"cache_settings_tile_subtitle": "Χειριστείτε τη συμπεριφορά της τοπικής αποθήκευσης",
|
||||
"cache_settings_tile_title": "Τοπική Αποθήκευση",
|
||||
"cache_settings_title": "Ρυθμίσεις Προσωρινής Μνήμης",
|
||||
@@ -603,9 +594,7 @@
|
||||
"cannot_merge_people": "Αδύνατη η συγχώνευση ατόμων",
|
||||
"cannot_undo_this_action": "Δεν μπορείτε να αναιρέσετε αυτήν την ενέργεια!",
|
||||
"cannot_update_the_description": "Αδύνατη η ενημέρωση της περιγραφής",
|
||||
"cast": "Προβολή",
|
||||
"change_date": "Αλλαγή ημερομηνίας",
|
||||
"change_description": "Αλλαγή περιγραφής",
|
||||
"change_display_order": "Αλλαγή σειράς εμφάνισης",
|
||||
"change_expiration_time": "Αλλαγή χρόνου λήξης",
|
||||
"change_location": "Αλλαγή τοποθεσίας",
|
||||
@@ -618,7 +607,6 @@
|
||||
"change_password_form_new_password": "Νέος Κωδικός",
|
||||
"change_password_form_password_mismatch": "Οι κωδικοί δεν ταιριάζουν",
|
||||
"change_password_form_reenter_new_password": "Επανεισαγωγή Νέου Κωδικού",
|
||||
"change_pin_code": "Αλλαγή κωδικού PIN",
|
||||
"change_your_password": "Αλλάξτε τον κωδικό σας",
|
||||
"changed_visibility_successfully": "Η προβολή, άλλαξε με επιτυχία",
|
||||
"check_all": "Επιλογή Όλων",
|
||||
@@ -659,13 +647,11 @@
|
||||
"confirm_delete_face": "Είστε σίγουροι ότι θέλετε να διαγράψετε το πρόσωπο του/της {name} από το στοιχείο;",
|
||||
"confirm_delete_shared_link": "Είστε σίγουροι ότι θέλετε να διαγράψετε αυτόν τον κοινόχρηστο σύνδεσμο;",
|
||||
"confirm_keep_this_delete_others": "Όλα τα άλλα στοιχεία της στοίβας θα διαγραφούν, εκτός από αυτό το στοιχείο. Είστε σίγουροι ότι θέλετε να συνεχίσετε;",
|
||||
"confirm_new_pin_code": "Επιβεβαίωση νέου κωδικού PIN",
|
||||
"confirm_password": "Επιβεβαίωση κωδικού",
|
||||
"connected_to": "Συνδεδεμένο με",
|
||||
"contain": "Περιέχει",
|
||||
"context": "Συμφραζόμενα",
|
||||
"continue": "Συνέχεια",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} αντικείμενα · Κοινόχρηστα",
|
||||
"control_bottom_app_bar_album_info_shared": "{} αντικείμενα · Κοινόχρηστα",
|
||||
"control_bottom_app_bar_create_new_album": "Δημιουργία νέου άλμπουμ",
|
||||
"control_bottom_app_bar_delete_from_immich": "Διαγραφή από το Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Διαγραφή από τη συσκευή",
|
||||
@@ -703,11 +689,9 @@
|
||||
"create_tag_description": "Δημιουργία νέας ετικέτας. Για τις ένθετες ετικέτες, παρακαλώ εισάγετε τη πλήρη διαδρομή της, συμπεριλαμβανομένων των κάθετων διαχωριστικών.",
|
||||
"create_user": "Δημιουργία χρήστη",
|
||||
"created": "Δημιουργήθηκε",
|
||||
"created_at": "Δημιουργήθηκε",
|
||||
"crop": "Αποκοπή",
|
||||
"curated_object_page_title": "Πράγματα",
|
||||
"current_device": "Τρέχουσα συσκευή",
|
||||
"current_pin_code": "Τρέχων κωδικός PIN",
|
||||
"current_server_address": "Τρέχουσα διεύθυνση διακομιστή",
|
||||
"custom_locale": "Προσαρμοσμένη Τοπική Ρύθμιση",
|
||||
"custom_locale_description": "Μορφοποιήστε τις ημερομηνίες και τους αριθμούς, σύμφωνα με τη γλώσσα και την περιοχή",
|
||||
@@ -776,7 +760,7 @@
|
||||
"download_enqueue": "Η λήψη τέθηκε σε ουρά",
|
||||
"download_error": "Σφάλμα λήψης",
|
||||
"download_failed": "Η λήψη απέτυχε",
|
||||
"download_filename": "αρχείο: {filename}",
|
||||
"download_filename": "αρχείο: {}",
|
||||
"download_finished": "Η λήψη ολοκληρώθηκε",
|
||||
"download_include_embedded_motion_videos": "Ενσωματωμένα βίντεο",
|
||||
"download_include_embedded_motion_videos_description": "Συμπεριλάβετε τα βίντεο που είναι ενσωματωμένα σε κινούμενες φωτογραφίες ως ξεχωριστό αρχείο",
|
||||
@@ -800,8 +784,6 @@
|
||||
"edit_avatar": "Επεξεργασία άβαταρ",
|
||||
"edit_date": "Επεξεργασία ημερομηνίας",
|
||||
"edit_date_and_time": "Επεξεργασία ημερομηνίας και ώρας",
|
||||
"edit_description": "Επεξεργασία περιγραφής",
|
||||
"edit_description_prompt": "Παρακαλώ επιλέξτε νέα περιγραφή:",
|
||||
"edit_exclusion_pattern": "Επεξεργασία μοτίβου αποκλεισμού",
|
||||
"edit_faces": "Επεξεργασία προσώπων",
|
||||
"edit_import_path": "Επεξεργασία διαδρομής εισαγωγής",
|
||||
@@ -821,23 +803,20 @@
|
||||
"editor_close_without_save_title": "Κλείσιμο επεξεργαστή;",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Αναλογίες διαστάσεων",
|
||||
"editor_crop_tool_h2_rotation": "Περιστροφή",
|
||||
"email_notifications": "Ειδοποιήσεις email",
|
||||
"email": "Email",
|
||||
"empty_folder": "Αυτός ο φάκελος είναι κενός",
|
||||
"empty_trash": "Άδειασμα κάδου απορριμμάτων",
|
||||
"empty_trash_confirmation": "Είστε σίγουροι οτι θέλετε να αδειάσετε τον κάδο απορριμμάτων; Αυτό θα αφαιρέσει μόνιμα όλα τα στοιχεία του κάδου απορριμμάτων του Immich. \nΑυτή η ενέργεια δεν μπορεί να αναιρεθεί!",
|
||||
"enable": "Ενεργοποίηση",
|
||||
"enable_biometric_auth_description": "Εισάγετε τον κωδικό PIN σας για να ενεργοποιήσετε την βιομετρική ταυτοποίηση",
|
||||
"enabled": "Ενεργοποιημένο",
|
||||
"end_date": "Τελική ημερομηνία",
|
||||
"enqueued": "Τοποθετήθηκε στη λίστα αναμονής",
|
||||
"enter_wifi_name": "Εισαγωγή ονόματος Wi-Fi",
|
||||
"enter_your_pin_code": "Εισάγετε τον κωδικό PIN σας",
|
||||
"enter_your_pin_code_subtitle": "Εισάγετε τον κωδικό PIN σας για να εισέλθετε στον κλειδωμένο φάκελο",
|
||||
"error": "Σφάλμα",
|
||||
"error_change_sort_album": "Απέτυχε η αλλαγή σειράς του άλμπουμ",
|
||||
"error_delete_face": "Σφάλμα διαγραφής προσώπου από το στοιχείο",
|
||||
"error_loading_image": "Σφάλμα κατά τη φόρτωση της εικόνας",
|
||||
"error_saving_image": "Σφάλμα: {error}",
|
||||
"error_saving_image": "Σφάλμα: {}",
|
||||
"error_title": "Σφάλμα - Κάτι πήγε στραβά",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Δεν είναι δυνατή η πλοήγηση στο επόμενο στοιχείο",
|
||||
@@ -867,7 +846,6 @@
|
||||
"failed_to_keep_this_delete_others": "Αποτυχία διατήρησης αυτού του στοιχείου και διαγραφής των υπόλοιπων στοιχείων",
|
||||
"failed_to_load_asset": "Αποτυχία φόρτωσης στοιχείου",
|
||||
"failed_to_load_assets": "Αποτυχία φόρτωσης στοιχείων",
|
||||
"failed_to_load_notifications": "Αποτυχία φόρτωσης ειδοποιήσεων",
|
||||
"failed_to_load_people": "Αποτυχία φόρτωσης ατόμων",
|
||||
"failed_to_remove_product_key": "Αποτυχία αφαίρεσης κλειδιού προϊόντος",
|
||||
"failed_to_stack_assets": "Αποτυχία στην συμπίεση των στοιχείων",
|
||||
@@ -890,7 +868,6 @@
|
||||
"unable_to_archive_unarchive": "Αδυναμία {archived, select, true {αρχειοθέτησης} other {αποαρχειοθέτησης}}",
|
||||
"unable_to_change_album_user_role": "Αδυναμία αλλαγής του ρόλου του χρήστη στο άλμπουμ",
|
||||
"unable_to_change_date": "Αδυναμία αλλάγης της ημερομηνίας",
|
||||
"unable_to_change_description": "Αδυναμία αλλαγής περιγραφής",
|
||||
"unable_to_change_favorite": "Αδυναμία αλλαγής αγαπημένου για το στοιχείο",
|
||||
"unable_to_change_location": "Αδυναμία αλλαγής της τοποθεσίας",
|
||||
"unable_to_change_password": "Αδυναμία αλλαγής του κωδικού πρόσβασης",
|
||||
@@ -928,7 +905,6 @@
|
||||
"unable_to_log_out_all_devices": "Αδυναμία αποσύνδεσης όλων των συσκευών",
|
||||
"unable_to_log_out_device": "Αδυναμία αποσύνδεσης της συσκευής",
|
||||
"unable_to_login_with_oauth": "Αδυναμία εισόδου μέσω OAuth",
|
||||
"unable_to_move_to_locked_folder": "Αδυναμία μετακίνησης στον κλειδωμένο φάκελο",
|
||||
"unable_to_play_video": "Αδυναμία αναπαραγωγής βίντεο",
|
||||
"unable_to_reassign_assets_existing_person": "Αδυναμία επανακατηγοριοποίησης των στοιχείων στον/στην {name, select, null {υπάρχον άτομο} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Αδυναμία επανακατηγοριοποίησης των στοιχείων σε ένα νέο άτομο",
|
||||
@@ -942,7 +918,6 @@
|
||||
"unable_to_remove_reaction": "Αδυναμία αφαίρεσης της αντίδρασης",
|
||||
"unable_to_repair_items": "Αδυναμία επισκευής αντικειμένων",
|
||||
"unable_to_reset_password": "Αδυναμία επαναφοράς κωδικού πρόσβασης",
|
||||
"unable_to_reset_pin_code": "Αδυναμία επαναφοράς κωδικού PIN",
|
||||
"unable_to_resolve_duplicate": "Αδυναμία επίλυσης του διπλότυπου",
|
||||
"unable_to_restore_assets": "Αδυναμία επαναφοράς των στοιχείων",
|
||||
"unable_to_restore_trash": "Αδυναμία επαναφοράς του κάδου απορριμμάτων",
|
||||
@@ -976,10 +951,10 @@
|
||||
"exif_bottom_sheet_location": "ΤΟΠΟΘΕΣΙΑ",
|
||||
"exif_bottom_sheet_people": "ΑΤΟΜΑ",
|
||||
"exif_bottom_sheet_person_add_person": "Προσθήκη ονόματος",
|
||||
"exif_bottom_sheet_person_age": "Ηλικία {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Ηλικία {months} μήνες",
|
||||
"exif_bottom_sheet_person_age_year_months": "Ηλικία 1 έτους, {months} μηνών",
|
||||
"exif_bottom_sheet_person_age_years": "Ηλικία {years}",
|
||||
"exif_bottom_sheet_person_age": "Ηλικία {}",
|
||||
"exif_bottom_sheet_person_age_months": "Ηλικία {} μήνες",
|
||||
"exif_bottom_sheet_person_age_year_months": "Ηλικία 1 έτους, {} μηνών",
|
||||
"exif_bottom_sheet_person_age_years": "Ηλικία {}",
|
||||
"exit_slideshow": "Έξοδος από την παρουσίαση",
|
||||
"expand_all": "Ανάπτυξη όλων",
|
||||
"experimental_settings_new_asset_list_subtitle": "Σε εξέλιξη",
|
||||
@@ -1000,7 +975,6 @@
|
||||
"external_network_sheet_info": "Όταν δεν είστε συνδεδεμένοι στο προτιμώμενο δίκτυο Wi-Fi, η εφαρμογή θα συνδεθεί με τον διακομιστή μέσω του πρώτου από τα παρακάτω URLs που μπορεί να βρει διαθέσιμο, ξεκινώντας από το πάνω προς το κάτω",
|
||||
"face_unassigned": "Μη ανατεθειμένο",
|
||||
"failed": "Απέτυχε",
|
||||
"failed_to_authenticate": "Αποτυχία ταυτοποίησης",
|
||||
"failed_to_load_assets": "Αποτυχία φόρτωσης στοιχείων",
|
||||
"failed_to_load_folder": "Αποτυχία φόρτωσης φακέλου",
|
||||
"favorite": "Αγαπημένο",
|
||||
@@ -1066,7 +1040,6 @@
|
||||
"home_page_favorite_err_local": "Δεν μπορώ ακόμα να αγαπήσω τα τοπικά στοιχεία, παραλείπεται",
|
||||
"home_page_favorite_err_partner": "Δεν είναι ακόμα δυνατή η πρόσθεση στοιχείων συντρόφου στα αγαπημένα, παραλείπεται",
|
||||
"home_page_first_time_notice": "Εάν αυτή είναι η πρώτη φορά που χρησιμοποιείτε την εφαρμογή, βεβαιωθείτε ότι έχετε επιλέξει ένα άλμπουμ αντίγραφου ασφαλείας, ώστε το χρονοδιάγραμμα να μπορεί να συμπληρώσει φωτογραφίες και βίντεο στα άλμπουμ",
|
||||
"home_page_locked_error_local": "Δεν είναι δυνατή η μετακίνηση τοπικών στοιχείων στον κλειδωμένο φάκελο, παράβλεψη",
|
||||
"home_page_share_err_local": "Δεν είναι δυνατή η κοινή χρήση τοπικών στοιχείων μέσω συνδέσμου, παραλείπεται",
|
||||
"home_page_upload_err_limit": "Μπορείτε να ανεβάσετε μόνο 30 στοιχεία κάθε φορά, παραλείπεται",
|
||||
"host": "Φιλοξενία",
|
||||
@@ -1143,6 +1116,7 @@
|
||||
"list": "Λίστα",
|
||||
"loading": "Φόρτωση",
|
||||
"loading_search_results_failed": "Η φόρτωση αποτελεσμάτων αναζήτησης απέτυχε",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "Η εφαρμογή θα συνδεθεί με τον διακομιστή μέσω αυτού του URL όταν χρησιμοποιείται το καθορισμένο δίκτυο Wi-Fi",
|
||||
"location_permission": "Άδεια τοποθεσίας",
|
||||
"location_permission_content": "Για να χρησιμοποιηθεί η λειτουργία αυτόματης εναλλαγής, το Immich χρειάζεται άδεια για την ακριβή τοποθεσία της συσκευής ώστε να μπορεί να διαβάζει το όνομα του τρέχοντος δικτύου Wi-Fi",
|
||||
@@ -1195,8 +1169,8 @@
|
||||
"manage_your_devices": "Διαχειριστείτε τις συνδεδεμένες συσκευές σας",
|
||||
"manage_your_oauth_connection": "Διαχειριστείτε τη σύνδεσή σας OAuth",
|
||||
"map": "Χάρτης",
|
||||
"map_assets_in_bound": "{count} φωτογραφία",
|
||||
"map_assets_in_bounds": "{count} φωτογραφίες",
|
||||
"map_assets_in_bound": "{} φωτογραφία",
|
||||
"map_assets_in_bounds": "{} φωτογραφίες",
|
||||
"map_cannot_get_user_location": "Δεν είναι δυνατή η λήψη της τοποθεσίας του χρήστη",
|
||||
"map_location_dialog_yes": "Ναι",
|
||||
"map_location_picker_page_use_location": "Χρησιμοποιήστε αυτήν την τοποθεσία",
|
||||
@@ -1210,9 +1184,9 @@
|
||||
"map_settings": "Ρυθμίσεις χάρτη",
|
||||
"map_settings_dark_mode": "Σκοτεινή λειτουργία",
|
||||
"map_settings_date_range_option_day": "Προηγούμενες 24 ώρες",
|
||||
"map_settings_date_range_option_days": "Προηγούμενες {days} ημέρες",
|
||||
"map_settings_date_range_option_days": "Προηγούμενες {} ημέρες",
|
||||
"map_settings_date_range_option_year": "Προηγούμενο έτος",
|
||||
"map_settings_date_range_option_years": "Προηγούμενα {years} έτη",
|
||||
"map_settings_date_range_option_years": "Προηγούμενα {} έτη",
|
||||
"map_settings_dialog_title": "Ρυθμίσεις Χάρτη",
|
||||
"map_settings_include_show_archived": "Συμπεριλάβετε Αρχειοθετημένα",
|
||||
"map_settings_include_show_partners": "Συμπεριλάβετε Συντρόφους",
|
||||
@@ -1230,6 +1204,8 @@
|
||||
"memories_setting_description": "Διαχειριστείτε τι θα εμφανίζεται στις αναμνήσεις σας",
|
||||
"memories_start_over": "Ξεκινήστε από την αρχή",
|
||||
"memories_swipe_to_close": "Σύρετε προς τα πάνω για να κλείσετε",
|
||||
"memories_year_ago": "Πριν ένα χρόνο",
|
||||
"memories_years_ago": "Πριν από {} έτη",
|
||||
"memory": "Ανάμνηση",
|
||||
"memory_lane_title": "Διαδρομή Αναμνήσεων {title}",
|
||||
"menu": "Μενού",
|
||||
@@ -1294,6 +1270,7 @@
|
||||
"notification_toggle_setting_description": "Ενεργοποίηση ειδοποιήσεων μέσω email",
|
||||
"notifications": "Ειδοποιήσεις",
|
||||
"notifications_setting_description": "Διαχείριση ειδοποιήσεων",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Επίσημοι Πόροι του Immich",
|
||||
"offline": "Εκτός σύνδεσης",
|
||||
"offline_paths": "Διαδρομές εκτός σύνδεσης",
|
||||
@@ -1332,7 +1309,7 @@
|
||||
"partner_page_partner_add_failed": "Αποτυχία προσθήκης συντρόφου",
|
||||
"partner_page_select_partner": "Επιλογή συντρόφου",
|
||||
"partner_page_shared_to_title": "Διαμοιράζεται με",
|
||||
"partner_page_stop_sharing_content": "Ο/Η {partner} δεν θα μπορεί πλέον να δει τις φωτογραφίες σας.",
|
||||
"partner_page_stop_sharing_content": "Ο/Η {} δεν θα μπορεί πλέον να δει τις φωτογραφίες σας.",
|
||||
"partner_sharing": "Κοινή Χρήση Συνεργατών",
|
||||
"partners": "Συνεργάτες",
|
||||
"password": "Κωδικός Πρόσβασης",
|
||||
@@ -1399,6 +1376,7 @@
|
||||
"profile_drawer_client_out_of_date_major": "Παρακαλώ ενημερώστε την εφαρμογή στην πιο πρόσφατη κύρια έκδοση.",
|
||||
"profile_drawer_client_out_of_date_minor": "Παρακαλώ ενημερώστε την εφαρμογή στην πιο πρόσφατη δευτερεύουσα έκδοση.",
|
||||
"profile_drawer_client_server_up_to_date": "Ο πελάτης και ο διακομιστής είναι ενημερωμένοι",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Παρακαλώ ενημερώστε τον διακομιστή στην πιο πρόσφατη κύρια έκδοση.",
|
||||
"profile_drawer_server_out_of_date_minor": "Παρακαλώ ενημερώστε τον διακομιστή στην πιο πρόσφατη δευτερεύουσα έκδοση.",
|
||||
"profile_image_of_user": "Εικόνα προφίλ του χρήστη {user}",
|
||||
@@ -1407,7 +1385,7 @@
|
||||
"public_share": "Δημόσια Κοινή Χρήση",
|
||||
"purchase_account_info": "Υποστηρικτής",
|
||||
"purchase_activated_subtitle": "Σας ευχαριστούμε για την υποστήριξη του Immich και λογισμικών ανοιχτού κώδικα",
|
||||
"purchase_activated_time": "Ενεργοποιήθηκε στις {date}",
|
||||
"purchase_activated_time": "Ενεργοποιήθηκε στις {date, date}",
|
||||
"purchase_activated_title": "Το κλειδί σας ενεργοποιήθηκε με επιτυχία",
|
||||
"purchase_button_activate": "Ενεργοποίηση",
|
||||
"purchase_button_buy": "Αγορά",
|
||||
@@ -1618,12 +1596,12 @@
|
||||
"setting_languages_apply": "Εφαρμογή",
|
||||
"setting_languages_subtitle": "Αλλάξτε τη γλώσσα της εφαρμογής",
|
||||
"setting_languages_title": "Γλώσσες",
|
||||
"setting_notifications_notify_failures_grace_period": "Ειδοποίηση αποτυχιών δημιουργίας αντιγράφων ασφαλείας στο παρασκήνιο: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} ώρες",
|
||||
"setting_notifications_notify_failures_grace_period": "Ειδοποίηση αποτυχιών δημιουργίας αντιγράφων ασφαλείας στο παρασκήνιο: {}",
|
||||
"setting_notifications_notify_hours": "{} ώρες",
|
||||
"setting_notifications_notify_immediately": "αμέσως",
|
||||
"setting_notifications_notify_minutes": "{count} λεπτά",
|
||||
"setting_notifications_notify_minutes": "{} λεπτά",
|
||||
"setting_notifications_notify_never": "ποτέ",
|
||||
"setting_notifications_notify_seconds": "{count} δευτερόλεπτα",
|
||||
"setting_notifications_notify_seconds": "{} δευτερόλεπτα",
|
||||
"setting_notifications_single_progress_subtitle": "Λεπτομερείς πληροφορίες προόδου μεταφόρτωσης ανά στοιχείο",
|
||||
"setting_notifications_single_progress_title": "Εμφάνιση προόδου λεπτομερειών δημιουργίας αντιγράφων ασφαλείας παρασκηνίου",
|
||||
"setting_notifications_subtitle": "Προσαρμόστε τις προτιμήσεις ειδοποίησης",
|
||||
@@ -1637,7 +1615,7 @@
|
||||
"settings_saved": "Οι ρυθμίσεις αποθηκεύτηκαν",
|
||||
"share": "Κοινοποίηση",
|
||||
"share_add_photos": "Προσθήκη φωτογραφιών",
|
||||
"share_assets_selected": "{count} επιλεγμένα",
|
||||
"share_assets_selected": "{} επιλεγμένα",
|
||||
"share_dialog_preparing": "Προετοιμασία...",
|
||||
"shared": "Σε κοινή χρήση",
|
||||
"shared_album_activities_input_disable": "Το σχόλιο είναι απενεργοποιημένο",
|
||||
@@ -1651,33 +1629,34 @@
|
||||
"shared_by_user": "Σε κοινή χρήση από {user}",
|
||||
"shared_by_you": "Σε κοινή χρήση από εσάς",
|
||||
"shared_from_partner": "Φωτογραφίες από {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Μεταφορτωμένα",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Μεταφορτωμένα",
|
||||
"shared_link_app_bar_title": "Κοινόχρηστοι Σύνδεσμοι",
|
||||
"shared_link_clipboard_copied_massage": "Αντιγράφηκε στο πρόχειρο",
|
||||
"shared_link_clipboard_text": "Σύνδεσμος: {link}\nΚωδικός πρόσβασης: {password}",
|
||||
"shared_link_clipboard_text": "Σύνδεσμος: {}\nΚωδικός πρόσβασης: {}",
|
||||
"shared_link_create_error": "Σφάλμα κατά τη δημιουργία κοινόχρηστου συνδέσμου",
|
||||
"shared_link_edit_description_hint": "Εισαγάγετε την περιγραφή της κοινής χρήσης",
|
||||
"shared_link_edit_expire_after_option_day": "1 ημέρα",
|
||||
"shared_link_edit_expire_after_option_days": "{count} ημέρες",
|
||||
"shared_link_edit_expire_after_option_days": "{} ημέρες",
|
||||
"shared_link_edit_expire_after_option_hour": "1 ώρα",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} ώρες",
|
||||
"shared_link_edit_expire_after_option_hours": "{} ώρες",
|
||||
"shared_link_edit_expire_after_option_minute": "1 λεπτό",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} λεπτά",
|
||||
"shared_link_edit_expire_after_option_months": "{count} μήνες",
|
||||
"shared_link_edit_expire_after_option_year": "{count} έτος",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} λεπτά",
|
||||
"shared_link_edit_expire_after_option_months": "{} μήνες",
|
||||
"shared_link_edit_expire_after_option_year": "{} έτος",
|
||||
"shared_link_edit_password_hint": "Εισαγάγετε τον κωδικό πρόσβασης κοινής χρήσης",
|
||||
"shared_link_edit_submit_button": "Ενημέρωση συνδέσμου",
|
||||
"shared_link_error_server_url_fetch": "Δεν είναι δυνατή η ανάκτηση του URL του διακομιστή",
|
||||
"shared_link_expires_day": "Λήγει σε {count} ημέρα",
|
||||
"shared_link_expires_days": "Λήγει σε {count} ημέρες",
|
||||
"shared_link_expires_hour": "Λήγει σε {count} ώρα",
|
||||
"shared_link_expires_hours": "Λήγει σε {count} ώρες",
|
||||
"shared_link_expires_minute": "Λήγει σε {count} λεπτό",
|
||||
"shared_link_expires_minutes": "Λήγει σε {count} λεπτά",
|
||||
"shared_link_expires_day": "Λήγει σε {} ημέρα",
|
||||
"shared_link_expires_days": "Λήγει σε {} ημέρες",
|
||||
"shared_link_expires_hour": "Λήγει σε {} ώρα",
|
||||
"shared_link_expires_hours": "Λήγει σε {} ώρες",
|
||||
"shared_link_expires_minute": "Λήγει σε {} λεπτό",
|
||||
"shared_link_expires_minutes": "Λήγει σε {} λεπτά",
|
||||
"shared_link_expires_never": "Λήγει ∞",
|
||||
"shared_link_expires_second": "Λήγει σε {count} δευτερόλεπτο",
|
||||
"shared_link_expires_seconds": "Λήγει σε {count} δευτερόλεπτα",
|
||||
"shared_link_expires_second": "Λήγει σε {} δευτερόλεπτο",
|
||||
"shared_link_expires_seconds": "Λήγει σε {} δευτερόλεπτα",
|
||||
"shared_link_individual_shared": "Μεμονωμένο κοινό",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Διαχείριση Κοινόχρηστων Συνδέσμων",
|
||||
"shared_link_options": "Επιλογές κοινόχρηστου συνδέσμου",
|
||||
"shared_links": "Κοινόχρηστοι σύνδεσμοι",
|
||||
@@ -1776,7 +1755,7 @@
|
||||
"theme_selection": "Επιλογή θέματος",
|
||||
"theme_selection_description": "Ρυθμίστε αυτόματα το θέμα σε ανοιχτό ή σκούρο με βάση τις προτιμήσεις συστήματος του προγράμματος περιήγησής σας",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Εμφάνιση ένδειξης αποθήκευσης σε πλακίδια στοιχείων",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Αριθμός στοιχείων ανά σειρά ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Αριθμός στοιχείων ανά σειρά ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Εφαρμόστε βασικό χρώμα σε επιφάνειες φόντου.",
|
||||
"theme_setting_colorful_interface_title": "Πολύχρωμη διεπαφή",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Προσαρμόστε την ποιότητα του προγράμματος προβολής εικόνας λεπτομερειών",
|
||||
@@ -1811,11 +1790,11 @@
|
||||
"trash_no_results_message": "Οι φωτογραφίες και τα βίντεο που βρίσκονται στον κάδο απορριμμάτων θα εμφανίζονται εδώ.",
|
||||
"trash_page_delete_all": "Διαγραφή όλων",
|
||||
"trash_page_empty_trash_dialog_content": "Θέλετε να αδειάσετε τα περιουσιακά σας στοιχεία στον κάδο απορριμμάτων; Αυτά τα στοιχεία θα καταργηθούν οριστικά από το Immich",
|
||||
"trash_page_info": "Τα στοιχεία που έχουν απορριφθεί θα διαγραφούν οριστικά μετά από {days} ημέρες",
|
||||
"trash_page_info": "Τα στοιχεία που έχουν απορριφθεί θα διαγραφούν οριστικά μετά από {} ημέρες",
|
||||
"trash_page_no_assets": "Δεν υπάρχουν περιουσιακά στοιχεία που έχουν απορριφθεί",
|
||||
"trash_page_restore_all": "Επαναφορά Όλων",
|
||||
"trash_page_select_assets_btn": "Επιλέξτε στοιχεία",
|
||||
"trash_page_title": "Κάδος Απορριμμάτων ({count})",
|
||||
"trash_page_title": "Κάδος Απορριμμάτων ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Τα στοιχεία που βρίσκονται στον κάδο απορριμμάτων θα διαγραφούν οριστικά μετά από {days, plural, one {# ημέρα} other {# ημέρες}}.",
|
||||
"type": "Τύπος",
|
||||
"unarchive": "Αναίρεση αρχειοθέτησης",
|
||||
@@ -1853,8 +1832,9 @@
|
||||
"upload_status_errors": "Σφάλματα",
|
||||
"upload_status_uploaded": "Μεταφορτώθηκαν",
|
||||
"upload_success": "Η μεταφόρτωση ολοκληρώθηκε, ανανεώστε τη σελίδα για να δείτε τα νέα αντικείμενα.",
|
||||
"upload_to_immich": "Μεταφόρτωση στο Immich ({count})",
|
||||
"upload_to_immich": "Μεταφόρτωση στο Immich ({})",
|
||||
"uploading": "Μεταφορτώνεται",
|
||||
"url": "URL",
|
||||
"usage": "Χρήση",
|
||||
"use_current_connection": "χρήση τρέχουσας σύνδεσης",
|
||||
"use_custom_date_range": "Χρήση προσαρμοσμένου εύρους ημερομηνιών",
|
||||
@@ -1910,7 +1890,6 @@
|
||||
"welcome": "Καλωσορίσατε",
|
||||
"welcome_to_immich": "Καλωσορίσατε στο Ιmmich",
|
||||
"wifi_name": "Όνομα Wi-Fi",
|
||||
"wrong_pin_code": "Λάθος κωδικός PIN",
|
||||
"year": "Έτος",
|
||||
"years_ago": "πριν από {years, plural, one {# χρόνο} other {# χρόνια}}",
|
||||
"yes": "Ναι",
|
||||
|
||||
186
i18n/en.json
186
i18n/en.json
@@ -1,4 +1,17 @@
|
||||
{
|
||||
"user_pin_code_settings": "PIN Code",
|
||||
"user_pin_code_settings_description": "Manage your PIN code",
|
||||
"current_pin_code": "Current PIN code",
|
||||
"new_pin_code": "New PIN code",
|
||||
"setup_pin_code": "Setup a PIN code",
|
||||
"confirm_new_pin_code": "Confirm new PIN code",
|
||||
"change_pin_code": "Change PIN code",
|
||||
"unable_to_change_pin_code": "Unable to change PIN code",
|
||||
"unable_to_setup_pin_code": "Unable to setup PIN code",
|
||||
"pin_code_changed_successfully": "Successfully changed PIN code",
|
||||
"pin_code_setup_successfully": "Successfully setup a PIN code",
|
||||
"pin_code_reset_successfully": "Successfully reset PIN code",
|
||||
"reset_pin_code": "Reset PIN code",
|
||||
"about": "About",
|
||||
"account": "Account",
|
||||
"account_settings": "Account Settings",
|
||||
@@ -22,7 +35,6 @@
|
||||
"add_partner": "Add partner",
|
||||
"add_path": "Add path",
|
||||
"add_photos": "Add photos",
|
||||
"add_tag": "Add tag",
|
||||
"add_to": "Add to…",
|
||||
"add_to_album": "Add to album",
|
||||
"add_to_album_bottom_sheet_added": "Added to {album}",
|
||||
@@ -44,7 +56,9 @@
|
||||
"backup_database_enable_description": "Enable database dumps",
|
||||
"backup_keep_last_amount": "Amount of previous dumps to keep",
|
||||
"backup_settings": "Database Dump Settings",
|
||||
"backup_settings_description": "Manage database dump settings.",
|
||||
"backup_settings_description": "Manage database dump settings. Note: These jobs are not monitored and you will not be notified of failure.",
|
||||
"check_all": "Check All",
|
||||
"cleanup": "Cleanup",
|
||||
"cleared_jobs": "Cleared jobs for: {job}",
|
||||
"config_set_by_file": "Config is currently set by a config file",
|
||||
"confirm_delete_library": "Are you sure you want to delete {library} library?",
|
||||
@@ -60,12 +74,14 @@
|
||||
"disable_login": "Disable login",
|
||||
"duplicate_detection_job_description": "Run machine learning on assets to detect similar images. Relies on Smart Search",
|
||||
"exclusion_pattern_description": "Exclusion patterns lets you ignore files and folders when scanning your library. This is useful if you have folders that contain files you don't want to import, such as RAW files.",
|
||||
"external_library_created_at": "External library (created on {date})",
|
||||
"external_library_management": "External Library Management",
|
||||
"face_detection": "Face detection",
|
||||
"face_detection_description": "Detect the faces in assets using machine learning. For videos, only the thumbnail is considered. \"Refresh\" (re-)processes all assets. \"Reset\" additionally clears all current face data. \"Missing\" queues assets that haven't been processed yet. Detected faces will be queued for Facial Recognition after Face Detection is complete, grouping them into existing or new people.",
|
||||
"facial_recognition_job_description": "Group detected faces into people. This step runs after Face Detection is complete. \"Reset\" (re-)clusters all faces. \"Missing\" queues faces that don't have a person assigned.",
|
||||
"failed_job_command": "Command {command} failed for job: {job}",
|
||||
"force_delete_user_warning": "WARNING: This will immediately remove the user and all assets. This cannot be undone and the files cannot be recovered.",
|
||||
"forcing_refresh_library_files": "Forcing refresh of all library files",
|
||||
"image_format": "Format",
|
||||
"image_format_description": "WebP produces smaller files than JPEG, but is slower to encode.",
|
||||
"image_fullsize_description": "Full-size image with stripped metadata, used when zoomed in",
|
||||
@@ -170,7 +186,7 @@
|
||||
"note_apply_storage_label_previous_assets": "Note: To apply the Storage Label to previously uploaded assets, run the",
|
||||
"note_cannot_be_changed_later": "NOTE: This cannot be changed later!",
|
||||
"notification_email_from_address": "From address",
|
||||
"notification_email_from_address_description": "Sender email address, for example: \"Immich Photo Server <noreply@example.com>\". Make sure to use an address you're allowed to send emails from.",
|
||||
"notification_email_from_address_description": "Sender email address, for example: \"Immich Photo Server <noreply@example.com>\"",
|
||||
"notification_email_host_description": "Host of the email server (e.g. smtp.immich.app)",
|
||||
"notification_email_ignore_certificate_errors": "Ignore certificate errors",
|
||||
"notification_email_ignore_certificate_errors_description": "Ignore TLS certificate validation errors (not recommended)",
|
||||
@@ -206,6 +222,8 @@
|
||||
"oauth_storage_quota_default_description": "Quota in GiB to be used when no claim is provided (Enter 0 for unlimited quota).",
|
||||
"oauth_timeout": "Request Timeout",
|
||||
"oauth_timeout_description": "Timeout for requests in milliseconds",
|
||||
"offline_paths": "Offline Paths",
|
||||
"offline_paths_description": "These results may be due to manual deletion of files that are not part of an external library.",
|
||||
"password_enable_description": "Login with email and password",
|
||||
"password_settings": "Password Login",
|
||||
"password_settings_description": "Manage password login settings",
|
||||
@@ -215,6 +233,9 @@
|
||||
"refreshing_all_libraries": "Refreshing all libraries",
|
||||
"registration": "Admin Registration",
|
||||
"registration_description": "Since you are the first user on the system, you will be assigned as the Admin and are responsible for administrative tasks, and additional users will be created by you.",
|
||||
"repair_all": "Repair All",
|
||||
"repair_matched_items": "Matched {count, plural, one {# item} other {# items}}",
|
||||
"repaired_items": "Repaired {count, plural, one {# item} other {# items}}",
|
||||
"require_password_change_on_login": "Require user to change password on first login",
|
||||
"reset_settings_to_default": "Reset settings to default",
|
||||
"reset_settings_to_recent_saved": "Reset settings to the recent saved settings",
|
||||
@@ -255,14 +276,16 @@
|
||||
"template_email_invite_album": "Invite Album Template",
|
||||
"template_email_preview": "Preview",
|
||||
"template_email_settings": "Email Templates",
|
||||
"template_email_settings_description": "Manage custom email notification templates",
|
||||
"template_email_update_album": "Update Album Template",
|
||||
"template_email_welcome": "Welcome email template",
|
||||
"template_settings": "Notification Templates",
|
||||
"template_settings_description": "Manage custom templates for notifications",
|
||||
"template_settings_description": "Manage custom templates for notifications.",
|
||||
"theme_custom_css_settings": "Custom CSS",
|
||||
"theme_custom_css_settings_description": "Cascading Style Sheets allow the design of Immich to be customized.",
|
||||
"theme_settings": "Theme Settings",
|
||||
"theme_settings_description": "Manage customization of the Immich web interface",
|
||||
"these_files_matched_by_checksum": "These files are matched by their checksums",
|
||||
"thumbnail_generation_job": "Generate Thumbnails",
|
||||
"thumbnail_generation_job_description": "Generate large, small and blurred thumbnails for each asset, as well as thumbnails for each person",
|
||||
"transcoding_acceleration_api": "Acceleration API",
|
||||
@@ -290,9 +313,10 @@
|
||||
"transcoding_encoding_options": "Encoding Options",
|
||||
"transcoding_encoding_options_description": "Set codecs, resolution, quality and other options for the encoded videos",
|
||||
"transcoding_hardware_acceleration": "Hardware Acceleration",
|
||||
"transcoding_hardware_acceleration_description": "Experimental: faster transcoding but may reduce quality at same bitrate",
|
||||
"transcoding_hardware_acceleration_description": "Experimental; much faster, but will have lower quality at the same bitrate",
|
||||
"transcoding_hardware_decoding": "Hardware decoding",
|
||||
"transcoding_hardware_decoding_setting_description": "Enables end-to-end acceleration instead of only accelerating encoding. May not work on all videos.",
|
||||
"transcoding_hevc_codec": "HEVC codec",
|
||||
"transcoding_max_b_frames": "Maximum B-frames",
|
||||
"transcoding_max_b_frames_description": "Higher values improve compression efficiency, but slow down encoding. May not be compatible with hardware acceleration on older devices. 0 disables B-frames, while -1 sets this value automatically.",
|
||||
"transcoding_max_bitrate": "Maximum bitrate",
|
||||
@@ -330,6 +354,8 @@
|
||||
"trash_number_of_days_description": "Number of days to keep the assets in trash before permanently removing them",
|
||||
"trash_settings": "Trash Settings",
|
||||
"trash_settings_description": "Manage trash settings",
|
||||
"untracked_files": "Untracked Files",
|
||||
"untracked_files_description": "These files are not tracked by the application. They can be the results of failed moves, interrupted uploads, or left behind due to a bug",
|
||||
"user_cleanup_job": "User cleanup",
|
||||
"user_delete_delay": "<b>{user}</b>'s account and assets will be scheduled for permanent deletion in {delay, plural, one {# day} other {# days}}.",
|
||||
"user_delete_delay_settings": "Delete delay",
|
||||
@@ -388,6 +414,10 @@
|
||||
"album_remove_user": "Remove user?",
|
||||
"album_remove_user_confirmation": "Are you sure you want to remove {user}?",
|
||||
"album_share_no_users": "Looks like you have shared this album with all users or you don't have any user to share with.",
|
||||
"album_thumbnail_card_item": "1 item",
|
||||
"album_thumbnail_card_items": "{count} items",
|
||||
"album_thumbnail_card_shared": " · Shared",
|
||||
"album_thumbnail_shared_by": "Shared by {user}",
|
||||
"album_updated": "Album updated",
|
||||
"album_updated_setting_description": "Receive an email notification when a shared album has new assets",
|
||||
"album_user_left": "Left {album}",
|
||||
@@ -403,9 +433,6 @@
|
||||
"album_with_link_access": "Let anyone with the link see photos and people in this album.",
|
||||
"albums": "Albums",
|
||||
"albums_count": "{count, plural, one {{count, number} Album} other {{count, number} Albums}}",
|
||||
"albums_default_sort_order": "Default album sort order",
|
||||
"albums_default_sort_order_description": "Initial asset sort order when creating new albums.",
|
||||
"albums_feature_description": "Collections of assets that can be shared with other users.",
|
||||
"all": "All",
|
||||
"all_albums": "All albums",
|
||||
"all_people": "All people",
|
||||
@@ -464,12 +491,9 @@
|
||||
"assets_added_count": "Added {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_added_to_album_count": "Added {count, plural, one {# asset} other {# assets}} to the album",
|
||||
"assets_added_to_name_count": "Added {count, plural, one {# asset} other {# assets}} to {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_cannot_be_added_to_album_count": "{count, plural, one {Asset} other {Assets}} cannot be added to the album",
|
||||
"assets_count": "{count, plural, one {# asset} other {# assets}}",
|
||||
"assets_deleted_permanently": "{count} asset(s) deleted permanently",
|
||||
"assets_deleted_permanently_from_server": "{count} asset(s) deleted permanently from the Immich server",
|
||||
"assets_downloaded_failed": "{count, plural, one {Downloaded # file - {error} file failed} other {Downloaded # files - {error} files failed}}",
|
||||
"assets_downloaded_successfully": "{count, plural, one {Downloaded # file successfully} other {Downloaded # files successfully}}",
|
||||
"assets_moved_to_trash_count": "Moved {count, plural, one {# asset} other {# assets}} to trash",
|
||||
"assets_permanently_deleted_count": "Permanently deleted {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_removed_count": "Removed {count, plural, one {# asset} other {# assets}}",
|
||||
@@ -484,7 +508,6 @@
|
||||
"authorized_devices": "Authorized Devices",
|
||||
"automatic_endpoint_switching_subtitle": "Connect locally over designated Wi-Fi when available and use alternative connections elsewhere",
|
||||
"automatic_endpoint_switching_title": "Automatic URL switching",
|
||||
"autoplay_slideshow": "Autoplay slideshow",
|
||||
"back": "Back",
|
||||
"back_close_deselect": "Back, close, or deselect",
|
||||
"background_location_permission": "Background location permission",
|
||||
@@ -552,10 +575,6 @@
|
||||
"backup_options_page_title": "Backup options",
|
||||
"backup_setting_subtitle": "Manage background and foreground upload settings",
|
||||
"backward": "Backward",
|
||||
"biometric_auth_enabled": "Biometric authentication enabled",
|
||||
"biometric_locked_out": "You are locked out of biometric authentication",
|
||||
"biometric_no_options": "No biometric options available",
|
||||
"biometric_not_available": "Biometric authentication is not available on this device",
|
||||
"birthdate_saved": "Date of birth saved successfully",
|
||||
"birthdate_set_description": "Date of birth is used to calculate the age of this person at the time of a photo.",
|
||||
"blurred_background": "Blurred background",
|
||||
@@ -566,17 +585,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Are you sure you want to keep {count, plural, one {# duplicate asset} other {# duplicate assets}}? This will resolve all duplicate groups without deleting anything.",
|
||||
"bulk_trash_duplicates_confirmation": "Are you sure you want to bulk trash {count, plural, one {# duplicate asset} other {# duplicate assets}}? This will keep the largest asset of each group and trash all other duplicates.",
|
||||
"buy": "Purchase Immich",
|
||||
"cache_settings_album_thumbnails": "Library page thumbnails ({count} assets)",
|
||||
"cache_settings_clear_cache_button": "Clear cache",
|
||||
"cache_settings_clear_cache_button_title": "Clears the app's cache. This will significantly impact the app's performance until the cache has rebuilt.",
|
||||
"cache_settings_duplicated_assets_clear_button": "CLEAR",
|
||||
"cache_settings_duplicated_assets_subtitle": "Photos and videos that are black listed by the app",
|
||||
"cache_settings_duplicated_assets_title": "Duplicated Assets ({count})",
|
||||
"cache_settings_image_cache_size": "Image cache size ({count} assets)",
|
||||
"cache_settings_statistics_album": "Library thumbnails",
|
||||
"cache_settings_statistics_assets": "{count} assets ({size})",
|
||||
"cache_settings_statistics_full": "Full images",
|
||||
"cache_settings_statistics_shared": "Shared album thumbnails",
|
||||
"cache_settings_statistics_thumbnail": "Thumbnails",
|
||||
"cache_settings_statistics_title": "Cache usage",
|
||||
"cache_settings_subtitle": "Control the caching behaviour of the Immich mobile application",
|
||||
"cache_settings_thumbnail_size": "Thumbnail cache size ({count} assets)",
|
||||
"cache_settings_tile_subtitle": "Control the local storage behaviour",
|
||||
"cache_settings_tile_title": "Local Storage",
|
||||
"cache_settings_title": "Caching Settings",
|
||||
@@ -589,15 +612,12 @@
|
||||
"cannot_merge_people": "Cannot merge people",
|
||||
"cannot_undo_this_action": "You cannot undo this action!",
|
||||
"cannot_update_the_description": "Cannot update the description",
|
||||
"cast": "Cast",
|
||||
"cast_description": "Configure available cast destinations",
|
||||
"change_date": "Change date",
|
||||
"change_description": "Change description",
|
||||
"change_display_order": "Change display order",
|
||||
"change_expiration_time": "Change expiration time",
|
||||
"change_location": "Change location",
|
||||
"change_name": "Change name",
|
||||
"change_name_successfully": "Changed name successfully",
|
||||
"change_name_successfully": "Change name successfully",
|
||||
"change_password": "Change Password",
|
||||
"change_password_description": "This is either the first time you are signing into the system or a request has been made to change your password. Please enter the new password below.",
|
||||
"change_password_form_confirm_password": "Confirm Password",
|
||||
@@ -605,9 +625,9 @@
|
||||
"change_password_form_new_password": "New Password",
|
||||
"change_password_form_password_mismatch": "Passwords do not match",
|
||||
"change_password_form_reenter_new_password": "Re-enter New Password",
|
||||
"change_pin_code": "Change PIN code",
|
||||
"change_your_password": "Change your password",
|
||||
"changed_visibility_successfully": "Changed visibility successfully",
|
||||
"check_all": "Check All",
|
||||
"check_corrupt_asset_backup": "Check for corrupt asset backups",
|
||||
"check_corrupt_asset_backup_button": "Perform check",
|
||||
"check_corrupt_asset_backup_description": "Run this check only over Wi-Fi and once all assets have been backed-up. The procedure might take a few minutes.",
|
||||
@@ -645,15 +665,11 @@
|
||||
"confirm_delete_face": "Are you sure you want to delete {name} face from the asset?",
|
||||
"confirm_delete_shared_link": "Are you sure you want to delete this shared link?",
|
||||
"confirm_keep_this_delete_others": "All other assets in the stack will be deleted except for this asset. Are you sure you want to continue?",
|
||||
"confirm_new_pin_code": "Confirm new PIN code",
|
||||
"confirm_password": "Confirm password",
|
||||
"confirm_tag_face": "Do you want to tag this face as {name}?",
|
||||
"confirm_tag_face_unnamed": "Do you want to tag this face?",
|
||||
"connected_device": "Connected device",
|
||||
"connected_to": "Connected to",
|
||||
"contain": "Contain",
|
||||
"context": "Context",
|
||||
"continue": "Continue",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} items · Shared",
|
||||
"control_bottom_app_bar_create_new_album": "Create new album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Delete from Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Delete from device",
|
||||
@@ -691,18 +707,15 @@
|
||||
"create_tag_description": "Create a new tag. For nested tags, please enter the full path of the tag including forward slashes.",
|
||||
"create_user": "Create user",
|
||||
"created": "Created",
|
||||
"created_at": "Created",
|
||||
"crop": "Crop",
|
||||
"curated_object_page_title": "Things",
|
||||
"current_device": "Current device",
|
||||
"current_pin_code": "Current PIN code",
|
||||
"current_server_address": "Current server address",
|
||||
"custom_locale": "Custom Locale",
|
||||
"custom_locale_description": "Format dates and numbers based on the language and the region",
|
||||
"daily_title_text_date": "E, MMM dd",
|
||||
"daily_title_text_date_year": "E, MMM dd, yyyy",
|
||||
"dark": "Dark",
|
||||
"darkTheme": "Toggle dark theme",
|
||||
"date_after": "Date after",
|
||||
"date_and_time": "Date and Time",
|
||||
"date_before": "Date before",
|
||||
@@ -750,7 +763,6 @@
|
||||
"disallow_edits": "Disallow edits",
|
||||
"discord": "Discord",
|
||||
"discover": "Discover",
|
||||
"discovered_devices": "Discovered devices",
|
||||
"dismiss_all_errors": "Dismiss all errors",
|
||||
"dismiss_error": "Dismiss error",
|
||||
"display_options": "Display options",
|
||||
@@ -766,6 +778,7 @@
|
||||
"download_enqueue": "Download enqueued",
|
||||
"download_error": "Download Error",
|
||||
"download_failed": "Download failed",
|
||||
"download_filename": "file: {filename}",
|
||||
"download_finished": "Download finished",
|
||||
"download_include_embedded_motion_videos": "Embedded videos",
|
||||
"download_include_embedded_motion_videos_description": "Include videos embedded in motion photos as a separate file",
|
||||
@@ -789,8 +802,6 @@
|
||||
"edit_avatar": "Edit avatar",
|
||||
"edit_date": "Edit date",
|
||||
"edit_date_and_time": "Edit date and time",
|
||||
"edit_description": "Edit description",
|
||||
"edit_description_prompt": "Please select a new description:",
|
||||
"edit_exclusion_pattern": "Edit exclusion pattern",
|
||||
"edit_faces": "Edit faces",
|
||||
"edit_import_path": "Edit import path",
|
||||
@@ -811,24 +822,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "Aspect ratios",
|
||||
"editor_crop_tool_h2_rotation": "Rotation",
|
||||
"email": "Email",
|
||||
"email_notifications": "Email notifications",
|
||||
"empty_folder": "This folder is empty",
|
||||
"empty_trash": "Empty trash",
|
||||
"empty_trash_confirmation": "Are you sure you want to empty the trash? This will remove all the assets in trash permanently from Immich.\nYou cannot undo this action!",
|
||||
"enable": "Enable",
|
||||
"enable_biometric_auth_description": "Enter your PIN code to enable biometric authentication",
|
||||
"enabled": "Enabled",
|
||||
"end_date": "End date",
|
||||
"enqueued": "Enqueued",
|
||||
"enter_wifi_name": "Enter Wi-Fi name",
|
||||
"enter_your_pin_code": "Enter your PIN code",
|
||||
"enter_your_pin_code_subtitle": "Enter your PIN code to access the locked folder",
|
||||
"error": "Error",
|
||||
"error_change_sort_album": "Failed to change album sort order",
|
||||
"error_delete_face": "Error deleting face from asset",
|
||||
"error_loading_image": "Error loading image",
|
||||
"error_saving_image": "Error: {error}",
|
||||
"error_tag_face_bounding_box": "Error tagging face - cannot get bounding box coordinates",
|
||||
"error_title": "Error - Something went wrong",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Cannot navigate to the next asset",
|
||||
@@ -841,6 +847,7 @@
|
||||
"cant_get_number_of_comments": "Can't get number of comments",
|
||||
"cant_search_people": "Can't search people",
|
||||
"cant_search_places": "Can't search places",
|
||||
"cleared_jobs": "Cleared jobs for: {job}",
|
||||
"error_adding_assets_to_album": "Error adding assets to album",
|
||||
"error_adding_users_to_album": "Error adding users to album",
|
||||
"error_deleting_shared_user": "Error deleting shared user",
|
||||
@@ -849,6 +856,7 @@
|
||||
"error_removing_assets_from_album": "Error removing assets from album, check console for more details",
|
||||
"error_selecting_all_assets": "Error selecting all assets",
|
||||
"exclusion_pattern_already_exists": "This exclusion pattern already exists.",
|
||||
"failed_job_command": "Command {command} failed for job: {job}",
|
||||
"failed_to_create_album": "Failed to create album",
|
||||
"failed_to_create_shared_link": "Failed to create shared link",
|
||||
"failed_to_edit_shared_link": "Failed to edit shared link",
|
||||
@@ -867,6 +875,7 @@
|
||||
"paths_validation_failed": "{paths, plural, one {# path} other {# paths}} failed validation",
|
||||
"profile_picture_transparent_pixels": "Profile pictures cannot have transparent pixels. Please zoom in and/or move the image.",
|
||||
"quota_higher_than_disk_size": "You set a quota higher than the disk size",
|
||||
"repair_unable_to_check_items": "Unable to check {count, select, one {item} other {items}}",
|
||||
"unable_to_add_album_users": "Unable to add users to album",
|
||||
"unable_to_add_assets_to_shared_link": "Unable to add assets to shared link",
|
||||
"unable_to_add_comment": "Unable to add comment",
|
||||
@@ -878,13 +887,13 @@
|
||||
"unable_to_archive_unarchive": "Unable to {archived, select, true {archive} other {unarchive}}",
|
||||
"unable_to_change_album_user_role": "Unable to change the album user's role",
|
||||
"unable_to_change_date": "Unable to change date",
|
||||
"unable_to_change_description": "Unable to change description",
|
||||
"unable_to_change_favorite": "Unable to change favorite for asset",
|
||||
"unable_to_change_location": "Unable to change location",
|
||||
"unable_to_change_password": "Unable to change password",
|
||||
"unable_to_change_visibility": "Unable to change the visibility for {count, plural, one {# person} other {# people}}",
|
||||
"unable_to_complete_oauth_login": "Unable to complete OAuth login",
|
||||
"unable_to_connect": "Unable to connect",
|
||||
"unable_to_connect_to_server": "Unable to connect to server",
|
||||
"unable_to_copy_to_clipboard": "Cannot copy to clipboard, make sure you are accessing the page through https",
|
||||
"unable_to_create_admin_account": "Unable to create admin account",
|
||||
"unable_to_create_api_key": "Unable to create a new API Key",
|
||||
@@ -908,6 +917,10 @@
|
||||
"unable_to_hide_person": "Unable to hide person",
|
||||
"unable_to_link_motion_video": "Unable to link motion video",
|
||||
"unable_to_link_oauth_account": "Unable to link OAuth account",
|
||||
"unable_to_load_album": "Unable to load album",
|
||||
"unable_to_load_asset_activity": "Unable to load asset activity",
|
||||
"unable_to_load_items": "Unable to load items",
|
||||
"unable_to_load_liked_status": "Unable to load liked status",
|
||||
"unable_to_log_out_all_devices": "Unable to log out all devices",
|
||||
"unable_to_log_out_device": "Unable to log out device",
|
||||
"unable_to_login_with_oauth": "Unable to login with OAuth",
|
||||
@@ -918,9 +931,11 @@
|
||||
"unable_to_remove_album_users": "Unable to remove users from album",
|
||||
"unable_to_remove_api_key": "Unable to remove API Key",
|
||||
"unable_to_remove_assets_from_shared_link": "Unable to remove assets from shared link",
|
||||
"unable_to_remove_deleted_assets": "Unable to remove offline files",
|
||||
"unable_to_remove_library": "Unable to remove library",
|
||||
"unable_to_remove_partner": "Unable to remove partner",
|
||||
"unable_to_remove_reaction": "Unable to remove reaction",
|
||||
"unable_to_repair_items": "Unable to repair items",
|
||||
"unable_to_reset_password": "Unable to reset password",
|
||||
"unable_to_reset_pin_code": "Unable to reset PIN code",
|
||||
"unable_to_resolve_duplicate": "Unable to resolve duplicate",
|
||||
@@ -956,6 +971,7 @@
|
||||
"exif_bottom_sheet_location": "LOCATION",
|
||||
"exif_bottom_sheet_people": "PEOPLE",
|
||||
"exif_bottom_sheet_person_add_person": "Add name",
|
||||
"exif_bottom_sheet_person_age": "Age {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Age {months} months",
|
||||
"exif_bottom_sheet_person_age_year_months": "Age 1 year, {months} months",
|
||||
"exif_bottom_sheet_person_age_years": "Age {years}",
|
||||
@@ -979,7 +995,6 @@
|
||||
"external_network_sheet_info": "When not on the preferred Wi-Fi network, the app will connect to the server through the first of the below URLs it can reach, starting from top to bottom",
|
||||
"face_unassigned": "Unassigned",
|
||||
"failed": "Failed",
|
||||
"failed_to_authenticate": "Failed to authenticate",
|
||||
"failed_to_load_assets": "Failed to load assets",
|
||||
"failed_to_load_folder": "Failed to load folder",
|
||||
"favorite": "Favorite",
|
||||
@@ -1003,8 +1018,6 @@
|
||||
"folders": "Folders",
|
||||
"folders_feature_description": "Browsing the folder view for the photos and videos on the file system",
|
||||
"forward": "Forward",
|
||||
"gcast_enabled": "Google Cast",
|
||||
"gcast_enabled_description": "This feature loads external resources from Google in order to work.",
|
||||
"general": "General",
|
||||
"get_help": "Get Help",
|
||||
"get_wifiname_error": "Could not get Wi-Fi name. Make sure you have granted the necessary permissions and are connected to a Wi-Fi network",
|
||||
@@ -1047,13 +1060,10 @@
|
||||
"home_page_favorite_err_local": "Can not favorite local assets yet, skipping",
|
||||
"home_page_favorite_err_partner": "Can not favorite partner assets yet, skipping",
|
||||
"home_page_first_time_notice": "If this is your first time using the app, please make sure to choose a backup album so that the timeline can populate photos and videos in it",
|
||||
"home_page_locked_error_local": "Can not move local assets to locked folder, skipping",
|
||||
"home_page_locked_error_partner": "Can not move partner assets to locked folder, skipping",
|
||||
"home_page_share_err_local": "Can not share local assets via link, skipping",
|
||||
"home_page_upload_err_limit": "Can only upload a maximum of 30 assets at a time, skipping",
|
||||
"host": "Host",
|
||||
"hour": "Hour",
|
||||
"id": "ID",
|
||||
"ignore_icloud_photos": "Ignore iCloud photos",
|
||||
"ignore_icloud_photos_description": "Photos that are stored on iCloud will not be uploaded to the Immich server",
|
||||
"image": "Image",
|
||||
@@ -1093,12 +1103,6 @@
|
||||
"invalid_date_format": "Invalid date format",
|
||||
"invite_people": "Invite People",
|
||||
"invite_to_album": "Invite to album",
|
||||
"ios_debug_info_fetch_ran_at": "Fetch ran {dateTime}",
|
||||
"ios_debug_info_last_sync_at": "Last sync {dateTime}",
|
||||
"ios_debug_info_no_processes_queued": "No background processes queued",
|
||||
"ios_debug_info_no_sync_yet": "No background sync job has run yet",
|
||||
"ios_debug_info_processes_queued": "{count, plural, one {{count} background process queued} other {{count} background processes queued}}",
|
||||
"ios_debug_info_processing_ran_at": "Processing ran {dateTime}",
|
||||
"items_count": "{count, plural, one {# item} other {# items}}",
|
||||
"jobs": "Jobs",
|
||||
"keep": "Keep",
|
||||
@@ -1107,9 +1111,6 @@
|
||||
"kept_this_deleted_others": "Kept this asset and deleted {count, plural, one {# asset} other {# assets}}",
|
||||
"keyboard_shortcuts": "Keyboard shortcuts",
|
||||
"language": "Language",
|
||||
"language_no_results_subtitle": "Try adjusting your search term",
|
||||
"language_no_results_title": "No languages found",
|
||||
"language_search_hint": "Search languages...",
|
||||
"language_setting_description": "Select your preferred language",
|
||||
"last_seen": "Last seen",
|
||||
"latest_version": "Latest Version",
|
||||
@@ -1135,7 +1136,6 @@
|
||||
"list": "List",
|
||||
"loading": "Loading",
|
||||
"loading_search_results_failed": "Loading search results failed",
|
||||
"local_asset_cast_failed": "Unable to cast an asset that is not uploaded to the server",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "The app will connect to the server through this URL when using the specified Wi-Fi network",
|
||||
"location_permission": "Location permission",
|
||||
@@ -1145,8 +1145,6 @@
|
||||
"location_picker_latitude_hint": "Enter your latitude here",
|
||||
"location_picker_longitude_error": "Enter a valid longitude",
|
||||
"location_picker_longitude_hint": "Enter your longitude here",
|
||||
"lock": "Lock",
|
||||
"locked_folder": "Locked Folder",
|
||||
"log_out": "Log out",
|
||||
"log_out_all_devices": "Log Out All Devices",
|
||||
"logged_out_all_devices": "Logged out all devices",
|
||||
@@ -1180,7 +1178,7 @@
|
||||
"look": "Look",
|
||||
"loop_videos": "Loop videos",
|
||||
"loop_videos_description": "Enable to automatically loop a video in the detail viewer.",
|
||||
"main_branch_warning": "You're using a development version; we strongly recommend using a release version!",
|
||||
"main_branch_warning": "You’re using a development version; we strongly recommend using a release version!",
|
||||
"main_menu": "Main menu",
|
||||
"make": "Make",
|
||||
"manage_shared_links": "Manage shared links",
|
||||
@@ -1215,8 +1213,8 @@
|
||||
"map_settings_only_show_favorites": "Show Favorite Only",
|
||||
"map_settings_theme_settings": "Map Theme",
|
||||
"map_zoom_to_see_photos": "Zoom out to see photos",
|
||||
"mark_all_as_read": "Mark all as read",
|
||||
"mark_as_read": "Mark as read",
|
||||
"mark_all_as_read": "Mark all as read",
|
||||
"marked_all_as_read": "Marked all as read",
|
||||
"matches": "Matches",
|
||||
"media_type": "Media type",
|
||||
@@ -1226,6 +1224,8 @@
|
||||
"memories_setting_description": "Manage what you see in your memories",
|
||||
"memories_start_over": "Start Over",
|
||||
"memories_swipe_to_close": "Swipe up to close",
|
||||
"memories_year_ago": "A year ago",
|
||||
"memories_years_ago": "{years} years ago",
|
||||
"memory": "Memory",
|
||||
"memory_lane_title": "Memory Lane {title}",
|
||||
"menu": "Menu",
|
||||
@@ -1242,10 +1242,6 @@
|
||||
"month": "Month",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "More",
|
||||
"move": "Move",
|
||||
"move_off_locked_folder": "Move out of locked folder",
|
||||
"move_to_locked_folder": "Move to locked folder",
|
||||
"move_to_locked_folder_confirmation": "These photos and video will be removed from all albums, and only viewable from the locked folder",
|
||||
"moved_to_archive": "Moved {count, plural, one {# asset} other {# assets}} to archive",
|
||||
"moved_to_library": "Moved {count, plural, one {# asset} other {# assets}} to library",
|
||||
"moved_to_trash": "Moved to trash",
|
||||
@@ -1262,8 +1258,6 @@
|
||||
"new_api_key": "New API Key",
|
||||
"new_password": "New password",
|
||||
"new_person": "New person",
|
||||
"new_pin_code": "New PIN code",
|
||||
"new_pin_code_subtitle": "This is your first time accessing the locked folder. Create a PIN code to securely access this page",
|
||||
"new_user_created": "New user created",
|
||||
"new_version_available": "NEW VERSION AVAILABLE",
|
||||
"newest_first": "Newest first",
|
||||
@@ -1276,44 +1270,42 @@
|
||||
"no_archived_assets_message": "Archive photos and videos to hide them from your Photos view",
|
||||
"no_assets_message": "CLICK TO UPLOAD YOUR FIRST PHOTO",
|
||||
"no_assets_to_show": "No assets to show",
|
||||
"no_cast_devices_found": "No cast devices found",
|
||||
"no_duplicates_found": "No duplicates were found.",
|
||||
"no_exif_info_available": "No exif info available",
|
||||
"no_explore_results_message": "Upload more photos to explore your collection.",
|
||||
"no_favorites_message": "Add favorites to quickly find your best pictures and videos",
|
||||
"no_libraries_message": "Create an external library to view your photos and videos",
|
||||
"no_locked_photos_message": "Photos and videos in the locked folder are hidden and won't show up as you browse or search your library.",
|
||||
"no_name": "No Name",
|
||||
"no_notifications": "No notifications",
|
||||
"no_people_found": "No matching people found",
|
||||
"no_places": "No places",
|
||||
"no_results": "No results",
|
||||
"no_results_description": "Try a synonym or more general keyword",
|
||||
"no_notifications": "No notifications",
|
||||
"no_shared_albums_message": "Create an album to share photos and videos with people in your network",
|
||||
"not_in_any_album": "Not in any album",
|
||||
"not_selected": "Not selected",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Note: To apply the Storage Label to previously uploaded assets, run the",
|
||||
"notes": "Notes",
|
||||
"nothing_here_yet": "Nothing here yet",
|
||||
"notification_permission_dialog_content": "To enable notifications, go to Settings and select allow.",
|
||||
"notification_permission_list_tile_content": "Grant permission to enable notifications.",
|
||||
"notification_permission_list_tile_enable_button": "Enable Notifications",
|
||||
"notification_permission_list_tile_title": "Notification Permission",
|
||||
"notification_toggle_setting_description": "Enable email notifications",
|
||||
"email_notifications": "Email notifications",
|
||||
"notifications": "Notifications",
|
||||
"notifications_setting_description": "Manage notifications",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Official Immich Resources",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Offline paths",
|
||||
"offline_paths_description": "These results may be due to manual deletion of files that are not part of an external library.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Oldest first",
|
||||
"on_this_device": "On this device",
|
||||
"onboarding": "Onboarding",
|
||||
"onboarding_locale_description": "Select your preferred language. You can change this later in your settings.",
|
||||
"onboarding_privacy_description": "The following (optional) features rely on external services, and can be disabled at any time in settings.",
|
||||
"onboarding_server_welcome_description": "Let's get your instance set up with some common settings.",
|
||||
"onboarding_privacy_description": "The following (optional) features rely on external services, and can be disabled at any time in the administration settings.",
|
||||
"onboarding_theme_description": "Choose a color theme for your instance. You can change this later in your settings.",
|
||||
"onboarding_user_welcome_description": "Let's get you started!",
|
||||
"onboarding_welcome_description": "Let's get your instance set up with some common settings.",
|
||||
"onboarding_welcome_user": "Welcome, {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Only favorites",
|
||||
@@ -1370,8 +1362,6 @@
|
||||
"permanently_delete_assets_prompt": "Are you sure you want to permanently delete {count, plural, one {this asset?} other {these <b>#</b> assets?}} This will also remove {count, plural, one {it from its} other {them from their}} album(s).",
|
||||
"permanently_deleted_asset": "Permanently deleted asset",
|
||||
"permanently_deleted_assets_count": "Permanently deleted {count, plural, one {# asset} other {# assets}}",
|
||||
"permission": "Permission",
|
||||
"permission_empty": "Your permission shouldn't be empty",
|
||||
"permission_onboarding_back": "Back",
|
||||
"permission_onboarding_continue_anyway": "Continue anyway",
|
||||
"permission_onboarding_get_started": "Get started",
|
||||
@@ -1389,10 +1379,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Photo} other {{count, number} Photos}}",
|
||||
"photos_from_previous_years": "Photos from previous years",
|
||||
"pick_a_location": "Pick a location",
|
||||
"pin_code_changed_successfully": "Successfully changed PIN code",
|
||||
"pin_code_reset_successfully": "Successfully reset PIN code",
|
||||
"pin_code_setup_successfully": "Successfully setup a PIN code",
|
||||
"pin_verification": "PIN code verification",
|
||||
"place": "Place",
|
||||
"places": "Places",
|
||||
"places_count": "{count, plural, one {{count, number} Place} other {{count, number} Places}}",
|
||||
@@ -1400,7 +1386,6 @@
|
||||
"play_memories": "Play memories",
|
||||
"play_motion_photo": "Play Motion Photo",
|
||||
"play_or_pause_video": "Play or pause video",
|
||||
"please_auth_to_access": "Please authenticate to access",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Manage the app's preferences",
|
||||
"preferences_settings_title": "Preferences",
|
||||
@@ -1408,10 +1393,7 @@
|
||||
"preview": "Preview",
|
||||
"previous": "Previous",
|
||||
"previous_memory": "Previous memory",
|
||||
"previous_or_next_day": "Day forward/back",
|
||||
"previous_or_next_month": "Month forward/back",
|
||||
"previous_or_next_photo": "Photo forward/back",
|
||||
"previous_or_next_year": "Year forward/back",
|
||||
"previous_or_next_photo": "Previous or next photo",
|
||||
"primary": "Primary",
|
||||
"privacy": "Privacy",
|
||||
"profile": "Profile",
|
||||
@@ -1428,7 +1410,7 @@
|
||||
"public_share": "Public Share",
|
||||
"purchase_account_info": "Supporter",
|
||||
"purchase_activated_subtitle": "Thank you for supporting Immich and open-source software",
|
||||
"purchase_activated_time": "Activated on {date}",
|
||||
"purchase_activated_time": "Activated on {date, date}",
|
||||
"purchase_activated_title": "Your key has been successfully activated",
|
||||
"purchase_button_activate": "Activate",
|
||||
"purchase_button_buy": "Buy",
|
||||
@@ -1446,7 +1428,7 @@
|
||||
"purchase_lifetime_description": "Lifetime purchase",
|
||||
"purchase_option_title": "PURCHASE OPTIONS",
|
||||
"purchase_panel_info_1": "Building Immich takes a lot of time and effort, and we have full-time engineers working on it to make it as good as we possibly can. Our mission is for open-source software and ethical business practices to become a sustainable income source for developers and to create a privacy-respecting ecosystem with real alternatives to exploitative cloud services.",
|
||||
"purchase_panel_info_2": "As we're committed not to add paywalls, this purchase will not grant you any additional features in Immich. We rely on users like you to support Immich's ongoing development.",
|
||||
"purchase_panel_info_2": "As we’re committed not to add paywalls, this purchase will not grant you any additional features in Immich. We rely on users like you to support Immich’s ongoing development.",
|
||||
"purchase_panel_title": "Support the project",
|
||||
"purchase_per_server": "Per server",
|
||||
"purchase_per_user": "Per user",
|
||||
@@ -1494,12 +1476,9 @@
|
||||
"remove_deleted_assets": "Remove Deleted Assets",
|
||||
"remove_from_album": "Remove from album",
|
||||
"remove_from_favorites": "Remove from favorites",
|
||||
"remove_from_locked_folder": "Remove from locked folder",
|
||||
"remove_from_locked_folder_confirmation": "Are you sure you want to move these photos and videos out of the locked folder? They will be visible in your library.",
|
||||
"remove_from_shared_link": "Remove from shared link",
|
||||
"remove_memory": "Remove memory",
|
||||
"remove_photo_from_memory": "Remove photo from this memory",
|
||||
"remove_tag": "Remove tag",
|
||||
"remove_url": "Remove URL",
|
||||
"remove_user": "Remove user",
|
||||
"removed_api_key": "Removed API Key: {name}",
|
||||
@@ -1520,7 +1499,6 @@
|
||||
"reset": "Reset",
|
||||
"reset_password": "Reset password",
|
||||
"reset_people_visibility": "Reset people visibility",
|
||||
"reset_pin_code": "Reset PIN code",
|
||||
"reset_to_default": "Reset to default",
|
||||
"resolve_duplicates": "Resolve duplicates",
|
||||
"resolved_all_duplicates": "Resolved all duplicates",
|
||||
@@ -1626,7 +1604,6 @@
|
||||
"server_info_box_server_url": "Server URL",
|
||||
"server_offline": "Server Offline",
|
||||
"server_online": "Server Online",
|
||||
"server_privacy": "Server Privacy",
|
||||
"server_stats": "Server Stats",
|
||||
"server_version": "Server Version",
|
||||
"set": "Set",
|
||||
@@ -1636,7 +1613,6 @@
|
||||
"set_date_of_birth": "Set date of birth",
|
||||
"set_profile_picture": "Set profile picture",
|
||||
"set_slideshow_to_fullscreen": "Set Slideshow to fullscreen",
|
||||
"set_stack_primary_asset": "Set as primary asset",
|
||||
"setting_image_viewer_help": "The detail viewer loads the small thumbnail first, then loads the medium-size preview (if enabled), finally loads the original (if enabled).",
|
||||
"setting_image_viewer_original_subtitle": "Enable to load the original full-resolution image (large!). Disable to reduce data usage (both network and on device cache).",
|
||||
"setting_image_viewer_original_title": "Load original image",
|
||||
@@ -1645,6 +1621,7 @@
|
||||
"setting_image_viewer_title": "Images",
|
||||
"setting_languages_apply": "Apply",
|
||||
"setting_languages_subtitle": "Change the app's language",
|
||||
"setting_languages_title": "Languages",
|
||||
"setting_notifications_notify_failures_grace_period": "Notify background backup failures: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} hours",
|
||||
"setting_notifications_notify_immediately": "immediately",
|
||||
@@ -1662,12 +1639,10 @@
|
||||
"settings": "Settings",
|
||||
"settings_require_restart": "Please restart Immich to apply this setting",
|
||||
"settings_saved": "Settings saved",
|
||||
"setup_pin_code": "Setup a PIN code",
|
||||
"share": "Share",
|
||||
"share_add_photos": "Add photos",
|
||||
"share_assets_selected": "{count} selected",
|
||||
"share_dialog_preparing": "Preparing...",
|
||||
"share_link": "Share Link",
|
||||
"shared": "Shared",
|
||||
"shared_album_activities_input_disable": "Comment is disabled",
|
||||
"shared_album_activity_remove_content": "Do you want to delete this activity?",
|
||||
@@ -1774,15 +1749,14 @@
|
||||
"start_date": "Start date",
|
||||
"state": "State",
|
||||
"status": "Status",
|
||||
"stop_casting": "Stop casting",
|
||||
"stop_motion_photo": "Stop Motion Photo",
|
||||
"stop_photo_sharing": "Stop sharing your photos?",
|
||||
"stop_photo_sharing_description": "{partner} will no longer be able to access your photos.",
|
||||
"stop_sharing_photos_with_user": "Stop sharing your photos with this user",
|
||||
"storage": "Storage space",
|
||||
"storage_label": "Storage label",
|
||||
"storage_quota": "Storage Quota",
|
||||
"storage_usage": "{used} of {available} used",
|
||||
"storage_quota": "Storage Quota",
|
||||
"submit": "Submit",
|
||||
"suggestions": "Suggestions",
|
||||
"sunrise_on_the_beach": "Sunrise on the beach",
|
||||
@@ -1832,6 +1806,7 @@
|
||||
"to_parent": "Go to parent",
|
||||
"to_trash": "Trash",
|
||||
"toggle_settings": "Toggle settings",
|
||||
"toggle_theme": "Toggle dark theme",
|
||||
"total": "Total",
|
||||
"total_usage": "Total usage",
|
||||
"trash": "Trash",
|
||||
@@ -1849,11 +1824,8 @@
|
||||
"trash_page_title": "Trash ({count})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Trashed items will be permanently deleted after {days, plural, one {# day} other {# days}}.",
|
||||
"type": "Type",
|
||||
"unable_to_change_pin_code": "Unable to change PIN code",
|
||||
"unable_to_setup_pin_code": "Unable to setup PIN code",
|
||||
"unarchive": "Unarchive",
|
||||
"unarchived_count": "{count, plural, other {Unarchived #}}",
|
||||
"undo": "Undo",
|
||||
"unfavorite": "Unfavorite",
|
||||
"unhide_person": "Unhide person",
|
||||
"unknown": "Unknown",
|
||||
@@ -1872,8 +1844,9 @@
|
||||
"unselect_all_duplicates": "Unselect all duplicates",
|
||||
"unstack": "Un-stack",
|
||||
"unstacked_assets_count": "Un-stacked {count, plural, one {# asset} other {# assets}}",
|
||||
"untracked_files": "Untracked files",
|
||||
"untracked_files_decription": "These files are not tracked by the application. They can be the results of failed moves, interrupted uploads, or left behind due to a bug",
|
||||
"up_next": "Up next",
|
||||
"updated_at": "Updated",
|
||||
"updated_password": "Updated password",
|
||||
"upload": "Upload",
|
||||
"upload_concurrency": "Upload concurrency",
|
||||
@@ -1888,18 +1861,16 @@
|
||||
"upload_success": "Upload success, refresh the page to see new upload assets.",
|
||||
"upload_to_immich": "Upload to Immich ({count})",
|
||||
"uploading": "Uploading",
|
||||
"id": "ID",
|
||||
"url": "URL",
|
||||
"usage": "Usage",
|
||||
"use_biometric": "Use biometric",
|
||||
"use_current_connection": "use current connection",
|
||||
"use_custom_date_range": "Use custom date range instead",
|
||||
"user": "User",
|
||||
"user_has_been_deleted": "This user has been deleted.",
|
||||
"user_id": "User ID",
|
||||
"user_liked": "{user} liked {type, select, photo {this photo} video {this video} asset {this asset} other {it}}",
|
||||
"user_pin_code_settings": "PIN Code",
|
||||
"user_pin_code_settings_description": "Manage your PIN code",
|
||||
"user_privacy": "User Privacy",
|
||||
"created_at": "Created",
|
||||
"updated_at": "Updated",
|
||||
"user_purchase_settings": "Purchase",
|
||||
"user_purchase_settings_description": "Manage your purchase",
|
||||
"user_role_set": "Set {user} as {role}",
|
||||
@@ -1915,6 +1886,11 @@
|
||||
"version": "Version",
|
||||
"version_announcement_closing": "Your friend, Alex",
|
||||
"version_announcement_message": "Hi there! A new version of Immich is available. Please take some time to read the <link>release notes</link> to ensure your setup is up-to-date to prevent any misconfigurations, especially if you use WatchTower or any mechanism that handles updating your Immich instance automatically.",
|
||||
"version_announcement_overlay_release_notes": "release notes",
|
||||
"version_announcement_overlay_text_1": "Hi friend, there is a new release of",
|
||||
"version_announcement_overlay_text_2": "please take your time to visit the ",
|
||||
"version_announcement_overlay_text_3": " and ensure your docker-compose and .env setup is up-to-date to prevent any misconfigurations, especially if you use WatchTower or any mechanism that handles updating your server application automatically.",
|
||||
"version_announcement_overlay_title": "New Server Version Available 🎉",
|
||||
"version_history": "Version History",
|
||||
"version_history_item": "Installed {version} on {date}",
|
||||
"video": "Video",
|
||||
@@ -1934,7 +1910,6 @@
|
||||
"view_previous_asset": "View previous asset",
|
||||
"view_qr_code": "View QR code",
|
||||
"view_stack": "View Stack",
|
||||
"view_user": "View User",
|
||||
"viewer_remove_from_stack": "Remove from Stack",
|
||||
"viewer_stack_use_as_main_asset": "Use as Main Asset",
|
||||
"viewer_unstack": "Un-Stack",
|
||||
@@ -1945,7 +1920,6 @@
|
||||
"welcome": "Welcome",
|
||||
"welcome_to_immich": "Welcome to Immich",
|
||||
"wifi_name": "Wi-Fi Name",
|
||||
"wrong_pin_code": "Wrong PIN code",
|
||||
"year": "Year",
|
||||
"years_ago": "{years, plural, one {# year} other {# years}} ago",
|
||||
"yes": "Yes",
|
||||
|
||||
211
i18n/es.json
211
i18n/es.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Incluir en álbum",
|
||||
"add_to_album_bottom_sheet_added": "Agregado a {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Ya se encuentra en {album}",
|
||||
"add_to_locked_folder": "Añadir a carpeta bloqueada",
|
||||
"add_to_shared_album": "Incluir en álbum compartido",
|
||||
"add_url": "Añadir URL",
|
||||
"added_to_archive": "Agregado al Archivado",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Para confirmar, escribe \"{email}\" a continuación",
|
||||
"confirm_reprocess_all_faces": "¿Estás seguro de que deseas reprocesar todas las caras? Esto borrará a todas las personas que nombraste.",
|
||||
"confirm_user_password_reset": "¿Estás seguro de que quieres restablecer la contraseña de {user}?",
|
||||
"confirm_user_pin_code_reset": "Está seguro de que quiere restablecer el PIN de {user}?",
|
||||
"create_job": "Crear trabajo",
|
||||
"cron_expression": "Expresión CRON",
|
||||
"cron_expression_description": "Establece el intervalo de escaneo utilizando el formato CRON. Para más información puedes consultar, por ejemplo, <link> Crontab Guru</link>",
|
||||
@@ -194,7 +192,6 @@
|
||||
"oauth_auto_register": "Registro automático",
|
||||
"oauth_auto_register_description": "Registre automáticamente nuevos usuarios después de iniciar sesión con OAuth",
|
||||
"oauth_button_text": "Texto del botón",
|
||||
"oauth_client_secret_description": "Requerido si PKCE (Prueba de clave para el intercambio de códigos) no es compatible con el proveedor OAuth",
|
||||
"oauth_enable_description": "Iniciar sesión con OAuth",
|
||||
"oauth_mobile_redirect_uri": "URI de redireccionamiento móvil",
|
||||
"oauth_mobile_redirect_uri_override": "Sobreescribir URI de redirección móvil",
|
||||
@@ -208,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "Establezca automáticamente la cuota de almacenamiento del usuario al valor de esta solicitud.",
|
||||
"oauth_storage_quota_default": "Cuota de almacenamiento predeterminada (GiB)",
|
||||
"oauth_storage_quota_default_description": "Cuota en GiB que se utilizará cuando no se proporcione ninguna por defecto (ingrese 0 para una cuota ilimitada).",
|
||||
"oauth_timeout": "Expiración de solicitud",
|
||||
"oauth_timeout_description": "Tiempo de espera de solicitudes en milisegundos",
|
||||
"offline_paths": "Rutas sin conexión",
|
||||
"offline_paths_description": "Estos resultados pueden deberse al eliminar manualmente archivos que no son parte de una biblioteca externa.",
|
||||
"password_enable_description": "Iniciar sesión con correo electrónico y contraseña",
|
||||
@@ -350,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "Número de días después de la eliminación para eliminar permanentemente la cuenta y los activos de un usuario. El trabajo de eliminación de usuarios se ejecuta a medianoche para comprobar si hay usuarios que estén listos para su eliminación. Los cambios a esta configuración se evaluarán en la próxima ejecución.",
|
||||
"user_delete_immediately": "La cuenta <b>{user}</b> y los archivos se pondrán en cola para su eliminación permanente <b>inmediatamente</b>.",
|
||||
"user_delete_immediately_checkbox": "Poner en cola la eliminación inmediata de usuarios y elementos",
|
||||
"user_details": "Detalles de Usuario",
|
||||
"user_management": "Gestión de usuarios",
|
||||
"user_password_has_been_reset": "La contraseña del usuario ha sido restablecida:",
|
||||
"user_password_reset_description": "Proporcione una contraseña temporal al usuario e infórmele que deberá cambiar la contraseña en su próximo inicio de sesión.",
|
||||
@@ -372,7 +366,7 @@
|
||||
"advanced": "Avanzada",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Usa esta opción para filtrar medios durante la sincronización según criterios alternativos. Intenta esto solo si tienes problemas con que la aplicación detecte todos los álbumes.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTAL] Usar filtro alternativo de sincronización de álbumes del dispositivo",
|
||||
"advanced_settings_log_level_title": "Nivel de registro: {level}",
|
||||
"advanced_settings_log_level_title": "Nivel de registro: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Algunos dispositivos tardan mucho en cargar las miniaturas de los elementos encontrados en el dispositivo. Activa esta opción para cargar imágenes remotas en su lugar.",
|
||||
"advanced_settings_prefer_remote_title": "Preferir imágenes remotas",
|
||||
"advanced_settings_proxy_headers_subtitle": "Configura headers HTTP que Immich incluirá en cada petición de red",
|
||||
@@ -403,9 +397,9 @@
|
||||
"album_remove_user_confirmation": "¿Estás seguro de que quieres eliminar a {user}?",
|
||||
"album_share_no_users": "Parece que has compartido este álbum con todos los usuarios o no tienes ningún usuario con quien compartirlo.",
|
||||
"album_thumbnail_card_item": "1 elemento",
|
||||
"album_thumbnail_card_items": "{count} elementos",
|
||||
"album_thumbnail_card_items": "{} elementos",
|
||||
"album_thumbnail_card_shared": " · Compartido",
|
||||
"album_thumbnail_shared_by": "Compartido por {user}",
|
||||
"album_thumbnail_shared_by": "Compartido por {}",
|
||||
"album_updated": "Album actualizado",
|
||||
"album_updated_setting_description": "Reciba una notificación por correo electrónico cuando un álbum compartido tenga nuevos archivos",
|
||||
"album_user_left": "Salida {album}",
|
||||
@@ -443,7 +437,7 @@
|
||||
"archive": "Archivo",
|
||||
"archive_or_unarchive_photo": "Archivar o restaurar foto",
|
||||
"archive_page_no_archived_assets": "No se encontraron elementos archivados",
|
||||
"archive_page_title": "Archivo ({count})",
|
||||
"archive_page_title": "Archivo ({})",
|
||||
"archive_size": "Tamaño del archivo",
|
||||
"archive_size_description": "Configure el tamaño del archivo para descargas (en GB)",
|
||||
"archived": "Archivado",
|
||||
@@ -480,18 +474,18 @@
|
||||
"assets_added_to_album_count": "Añadido {count, plural, one {# asset} other {# assets}} al álbum",
|
||||
"assets_added_to_name_count": "Añadido {count, plural, one {# asset} other {# assets}} a {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_count": "{count, plural, one {# activo} other {# activos}}",
|
||||
"assets_deleted_permanently": "{count} elemento(s) eliminado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{count} recurso(s) eliminado(s) de forma permanente del servidor de Immich",
|
||||
"assets_deleted_permanently": "{} elemento(s) eliminado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{} recurso(s) eliminado(s) de forma permanente del servidor de Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# elemento movido} other {# elementos movidos}} a la papelera",
|
||||
"assets_permanently_deleted_count": "Eliminado permanentemente {count, plural, one {# elemento} other {# elementos}}",
|
||||
"assets_removed_count": "Eliminado {count, plural, one {# elemento} other {# elementos}}",
|
||||
"assets_removed_permanently_from_device": "{count} elemento(s) eliminado(s) permanentemente de su dispositivo",
|
||||
"assets_removed_permanently_from_device": "{} elemento(s) eliminado(s) permanentemente de su dispositivo",
|
||||
"assets_restore_confirmation": "¿Estás seguro de que quieres restaurar todos tus activos eliminados? ¡No puede deshacer esta acción! Tenga en cuenta que los archivos sin conexión no se pueden restaurar de esta manera.",
|
||||
"assets_restored_count": "Restaurado {count, plural, one {# elemento} other {# elementos}}",
|
||||
"assets_restored_successfully": "{count} elemento(s) restaurado(s) exitosamente",
|
||||
"assets_trashed": "{count} elemento(s) eliminado(s)",
|
||||
"assets_restored_successfully": "{} elemento(s) restaurado(s) exitosamente",
|
||||
"assets_trashed": "{} elemento(s) eliminado(s)",
|
||||
"assets_trashed_count": "Borrado {count, plural, one {# elemento} other {# elementos}}",
|
||||
"assets_trashed_from_server": "{count} recurso(s) enviado(s) a la papelera desde el servidor de Immich",
|
||||
"assets_trashed_from_server": "{} recurso(s) enviado(s) a la papelera desde el servidor de Immich",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Asset was} other {Assets were}} ya forma parte del álbum",
|
||||
"authorized_devices": "Dispositivos Autorizados",
|
||||
"automatic_endpoint_switching_subtitle": "Conectarse localmente a través de la Wi-Fi designada cuando esté disponible y usar conexiones alternativas en otros lugares",
|
||||
@@ -500,7 +494,7 @@
|
||||
"back_close_deselect": "Atrás, cerrar o anular la selección",
|
||||
"background_location_permission": "Permiso de ubicación en segundo plano",
|
||||
"background_location_permission_content": "Para poder cambiar de red mientras se ejecuta en segundo plano, Immich debe tener *siempre* acceso a la ubicación precisa para que la aplicación pueda leer el nombre de la red Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Álbumes en el dispositivo ({count})",
|
||||
"backup_album_selection_page_albums_device": "Álbumes en el dispositivo ({})",
|
||||
"backup_album_selection_page_albums_tap": "Toque para incluir, doble toque para excluir",
|
||||
"backup_album_selection_page_assets_scatter": "Los elementos pueden dispersarse en varios álbumes. De este modo, los álbumes pueden ser incluidos o excluidos durante el proceso de copia de seguridad.",
|
||||
"backup_album_selection_page_select_albums": "Seleccionar Álbumes",
|
||||
@@ -509,11 +503,11 @@
|
||||
"backup_all": "Todos",
|
||||
"backup_background_service_backup_failed_message": "Error al copiar elementos. Reintentando…",
|
||||
"backup_background_service_connection_failed_message": "Error al conectar con el servidor. Reintentando…",
|
||||
"backup_background_service_current_upload_notification": "Subiendo {filename}",
|
||||
"backup_background_service_current_upload_notification": "Subiendo {}",
|
||||
"backup_background_service_default_notification": "Comprobando nuevos elementos…",
|
||||
"backup_background_service_error_title": "Error de copia de seguridad",
|
||||
"backup_background_service_in_progress_notification": "Creando copia de seguridad de tus elementos…",
|
||||
"backup_background_service_upload_failure_notification": "Error al subir {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Error al subir {}",
|
||||
"backup_controller_page_albums": "Álbumes de copia de seguridad",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Activa la actualización en segundo plano de la aplicación en Configuración > General > Actualización en segundo plano para usar la copia de seguridad en segundo plano.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Actualización en segundo plano desactivada",
|
||||
@@ -524,7 +518,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "Optimizaciones de batería",
|
||||
"backup_controller_page_background_charging": "Solo mientras se carga",
|
||||
"backup_controller_page_background_configure_error": "Error al configurar el servicio en segundo plano",
|
||||
"backup_controller_page_background_delay": "Retrasar la copia de seguridad de los nuevos elementos: {duration}",
|
||||
"backup_controller_page_background_delay": "Retrasar la copia de seguridad de los nuevos elementos: {}",
|
||||
"backup_controller_page_background_description": "Activa el servicio en segundo plano para copiar automáticamente cualquier nuevos elementos sin necesidad de abrir la aplicación",
|
||||
"backup_controller_page_background_is_off": "La copia de seguridad en segundo plano automática está desactivada",
|
||||
"backup_controller_page_background_is_on": "La copia de seguridad en segundo plano automática está activada",
|
||||
@@ -534,11 +528,12 @@
|
||||
"backup_controller_page_backup": "Copia de Seguridad",
|
||||
"backup_controller_page_backup_selected": "Seleccionado: ",
|
||||
"backup_controller_page_backup_sub": "Fotos y videos respaldados",
|
||||
"backup_controller_page_created": "Creado el: {date}",
|
||||
"backup_controller_page_created": "Creado el: {}",
|
||||
"backup_controller_page_desc_backup": "Active la copia de seguridad para subir automáticamente los nuevos elementos al servidor cuando se abre la aplicación.",
|
||||
"backup_controller_page_excluded": "Excluido: ",
|
||||
"backup_controller_page_failed": "Fallidos ({count})",
|
||||
"backup_controller_page_filename": "Nombre del archivo: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Fallidos ({})",
|
||||
"backup_controller_page_filename": "Nombre del archivo: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Información de la Copia de Seguridad",
|
||||
"backup_controller_page_none_selected": "Ninguno seleccionado",
|
||||
"backup_controller_page_remainder": "Restante",
|
||||
@@ -547,7 +542,7 @@
|
||||
"backup_controller_page_start_backup": "Iniciar copia de seguridad",
|
||||
"backup_controller_page_status_off": "La copia de seguridad está desactivada",
|
||||
"backup_controller_page_status_on": "La copia de seguridad está activada",
|
||||
"backup_controller_page_storage_format": "{used} de {total} usadas",
|
||||
"backup_controller_page_storage_format": "{} de {} usadas",
|
||||
"backup_controller_page_to_backup": "Álbumes a respaldar",
|
||||
"backup_controller_page_total_sub": "Todas las fotos y vídeos únicos de los álbumes seleccionados",
|
||||
"backup_controller_page_turn_off": "Apagar la copia de seguridad",
|
||||
@@ -562,10 +557,6 @@
|
||||
"backup_options_page_title": "Opciones de Copia de Seguridad",
|
||||
"backup_setting_subtitle": "Administra las configuraciones de respaldo en segundo y primer plano",
|
||||
"backward": "Retroceder",
|
||||
"biometric_auth_enabled": "Autentificación biométrica habilitada",
|
||||
"biometric_locked_out": "Estás bloqueado de la autentificación biométrica",
|
||||
"biometric_no_options": "Sin opciones biométricas disponibles",
|
||||
"biometric_not_available": "Autentificación biométrica no disponible en este dispositivo",
|
||||
"birthdate_saved": "Fecha de nacimiento guardada con éxito",
|
||||
"birthdate_set_description": "La fecha de nacimiento se utiliza para calcular la edad de esta persona en el momento de la fotografía.",
|
||||
"blurred_background": "Fondo borroso",
|
||||
@@ -576,21 +567,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "¿Estas seguro de que desea mantener {count, plural, one {# duplicate asset} other {# duplicate assets}} archivos duplicados? Esto resolverá todos los grupos duplicados sin borrar nada.",
|
||||
"bulk_trash_duplicates_confirmation": "¿Estas seguro de que desea eliminar masivamente {count, plural, one {# duplicate asset} other {# duplicate assets}} archivos duplicados? Esto mantendrá el archivo más grande de cada grupo y eliminará todos los demás duplicados.",
|
||||
"buy": "Comprar Immich",
|
||||
"cache_settings_album_thumbnails": "Miniaturas de la página de la biblioteca ({count} elementos)",
|
||||
"cache_settings_album_thumbnails": "Miniaturas de la página de la biblioteca ({} elementos)",
|
||||
"cache_settings_clear_cache_button": "Borrar caché",
|
||||
"cache_settings_clear_cache_button_title": "Borra la caché de la aplicación. Esto afectará significativamente el rendimiento de la aplicación hasta que se reconstruya la caché.",
|
||||
"cache_settings_duplicated_assets_clear_button": "LIMPIAR",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos y vídeos en la lista negra de la app",
|
||||
"cache_settings_duplicated_assets_title": "Elementos duplicados ({count})",
|
||||
"cache_settings_image_cache_size": "Tamaño de la caché de imágenes ({count} elementos)",
|
||||
"cache_settings_duplicated_assets_title": "Elementos duplicados ({})",
|
||||
"cache_settings_image_cache_size": "Tamaño de la caché de imágenes ({} elementos)",
|
||||
"cache_settings_statistics_album": "Miniaturas de la biblioteca",
|
||||
"cache_settings_statistics_assets": "{count} elementos ({size})",
|
||||
"cache_settings_statistics_assets": "{} elementos ({})",
|
||||
"cache_settings_statistics_full": "Imágenes completas",
|
||||
"cache_settings_statistics_shared": "Miniaturas de álbumes compartidos",
|
||||
"cache_settings_statistics_thumbnail": "Miniaturas",
|
||||
"cache_settings_statistics_title": "Uso de caché",
|
||||
"cache_settings_subtitle": "Controla el comportamiento del almacenamiento en caché de la aplicación móvil Immich",
|
||||
"cache_settings_thumbnail_size": "Tamaño de la caché de miniaturas ({count} elementos)",
|
||||
"cache_settings_thumbnail_size": "Tamaño de la caché de miniaturas ({} elementos)",
|
||||
"cache_settings_tile_subtitle": "Controla el comportamiento del almacenamiento local",
|
||||
"cache_settings_tile_title": "Almacenamiento local",
|
||||
"cache_settings_title": "Configuración de la caché",
|
||||
@@ -603,9 +594,7 @@
|
||||
"cannot_merge_people": "No se pueden fusionar personas",
|
||||
"cannot_undo_this_action": "¡No puedes deshacer esta acción!",
|
||||
"cannot_update_the_description": "No se puede actualizar la descripción",
|
||||
"cast": "Convertir",
|
||||
"change_date": "Cambiar fecha",
|
||||
"change_description": "Cambiar descripción",
|
||||
"change_display_order": "Cambiar orden de visualización",
|
||||
"change_expiration_time": "Cambiar fecha de caducidad",
|
||||
"change_location": "Cambiar ubicación",
|
||||
@@ -618,7 +607,6 @@
|
||||
"change_password_form_new_password": "Nueva Contraseña",
|
||||
"change_password_form_password_mismatch": "Las contraseñas no coinciden",
|
||||
"change_password_form_reenter_new_password": "Vuelve a ingresar la nueva contraseña",
|
||||
"change_pin_code": "Cambiar PIN",
|
||||
"change_your_password": "Cambia tu contraseña",
|
||||
"changed_visibility_successfully": "Visibilidad cambiada correctamente",
|
||||
"check_all": "Comprobar todo",
|
||||
@@ -633,6 +621,7 @@
|
||||
"clear_all_recent_searches": "Borrar búsquedas recientes",
|
||||
"clear_message": "Limpiar mensaje",
|
||||
"clear_value": "Limpiar valor",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Introduzca contraseña",
|
||||
"client_cert_import": "Importar",
|
||||
"client_cert_import_success_msg": "El certificado de cliente está importado",
|
||||
@@ -644,6 +633,7 @@
|
||||
"close": "Cerrar",
|
||||
"collapse": "Agrupar",
|
||||
"collapse_all": "Desplegar todo",
|
||||
"color": "Color",
|
||||
"color_theme": "Color del tema",
|
||||
"comment_deleted": "Comentario borrado",
|
||||
"comment_options": "Opciones de comentarios",
|
||||
@@ -657,13 +647,11 @@
|
||||
"confirm_delete_face": "¿Estás seguro que deseas eliminar la cara de {name} del archivo?",
|
||||
"confirm_delete_shared_link": "¿Estás seguro de que deseas eliminar este enlace compartido?",
|
||||
"confirm_keep_this_delete_others": "Todos los demás activos de la pila se eliminarán excepto este activo. ¿Está seguro de que quiere continuar?",
|
||||
"confirm_new_pin_code": "Confirmar nuevo pin",
|
||||
"confirm_password": "Confirmar contraseña",
|
||||
"connected_to": "Conectado a",
|
||||
"contain": "Incluido",
|
||||
"context": "Contexto",
|
||||
"continue": "Continuar",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} elementos · Compartidos",
|
||||
"control_bottom_app_bar_album_info_shared": "{} elementos · Compartidos",
|
||||
"control_bottom_app_bar_create_new_album": "Crear nuevo álbum",
|
||||
"control_bottom_app_bar_delete_from_immich": "Borrar de Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Borrar del dispositivo",
|
||||
@@ -701,11 +689,9 @@
|
||||
"create_tag_description": "Crear una nueva etiqueta. Para las etiquetas anidadas, ingresa la ruta completa de la etiqueta, incluidas las barras diagonales.",
|
||||
"create_user": "Crear usuario",
|
||||
"created": "Creado",
|
||||
"created_at": "Creado",
|
||||
"crop": "Recortar",
|
||||
"curated_object_page_title": "Objetos",
|
||||
"current_device": "Dispositivo actual",
|
||||
"current_pin_code": "PIN actual",
|
||||
"current_server_address": "Dirección actual del servidor",
|
||||
"custom_locale": "Configuración regional personalizada",
|
||||
"custom_locale_description": "Formatear fechas y números según el idioma y la región",
|
||||
@@ -753,10 +739,11 @@
|
||||
"description": "Descripción",
|
||||
"description_input_hint_text": "Agregar descripción...",
|
||||
"description_input_submit_error": "Error al actualizar la descripción, verifica el registro para obtener más detalles",
|
||||
"details": "Detalles",
|
||||
"details": "DETALLES",
|
||||
"direction": "Dirección",
|
||||
"disabled": "Deshabilitado",
|
||||
"disallow_edits": "Bloquear edición",
|
||||
"discord": "Discord",
|
||||
"discover": "Descubrir",
|
||||
"dismiss_all_errors": "Descartar todos los errores",
|
||||
"dismiss_error": "Descartar error",
|
||||
@@ -773,7 +760,7 @@
|
||||
"download_enqueue": "Descarga en cola",
|
||||
"download_error": "Error al descargar",
|
||||
"download_failed": "Descarga fallida",
|
||||
"download_filename": "archivo: {filename}",
|
||||
"download_filename": "archivo: {}",
|
||||
"download_finished": "Descarga completada",
|
||||
"download_include_embedded_motion_videos": "Vídeos incrustados",
|
||||
"download_include_embedded_motion_videos_description": "Incluir vídeos incrustados en fotografías en movimiento como un archivo separado",
|
||||
@@ -797,8 +784,6 @@
|
||||
"edit_avatar": "Editar avatar",
|
||||
"edit_date": "Editar fecha",
|
||||
"edit_date_and_time": "Editar fecha y hora",
|
||||
"edit_description": "Editar descripción",
|
||||
"edit_description_prompt": "Por favor selecciona una nueva descripción:",
|
||||
"edit_exclusion_pattern": "Editar patrón de exclusión",
|
||||
"edit_faces": "Editar rostros",
|
||||
"edit_import_path": "Editar ruta de importación",
|
||||
@@ -813,26 +798,25 @@
|
||||
"edit_title": "Editar Titulo",
|
||||
"edit_user": "Editar usuario",
|
||||
"edited": "Editado",
|
||||
"editor": "Editor",
|
||||
"editor_close_without_save_prompt": "No se guardarán los cambios",
|
||||
"editor_close_without_save_title": "¿Cerrar el editor?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Proporciones del aspecto",
|
||||
"editor_crop_tool_h2_rotation": "Rotación",
|
||||
"email": "Correo",
|
||||
"email_notifications": "Notificaciones por correo electrónico",
|
||||
"empty_folder": "Esta carpeta está vacía",
|
||||
"empty_trash": "Vaciar papelera",
|
||||
"empty_trash_confirmation": "¿Estás seguro de que quieres vaciar la papelera? Esto eliminará permanentemente todos los archivos de la basura de Immich.\n¡No puedes deshacer esta acción!",
|
||||
"enable": "Habilitar",
|
||||
"enable_biometric_auth_description": "Introduce tu código PIN para habilitar la autentificación biométrica",
|
||||
"enabled": "Habilitado",
|
||||
"end_date": "Fecha final",
|
||||
"enqueued": "Añadido a la cola",
|
||||
"enter_wifi_name": "Introduce el nombre Wi-Fi",
|
||||
"enter_your_pin_code": "Introduce tu código PIN",
|
||||
"enter_your_pin_code_subtitle": "Introduce tu código PIN para acceder a la carpeta bloqueada",
|
||||
"error": "Error",
|
||||
"error_change_sort_album": "No se pudo cambiar el orden de visualización del álbum",
|
||||
"error_delete_face": "Error al eliminar la cara del archivo",
|
||||
"error_loading_image": "Error al cargar la imagen",
|
||||
"error_saving_image": "Error: {}",
|
||||
"error_title": "Error: algo salió mal",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "No puedes navegar al siguiente archivo",
|
||||
@@ -885,7 +869,6 @@
|
||||
"unable_to_archive_unarchive": "Añade a {archived, select, true {archive} other {unarchive}}",
|
||||
"unable_to_change_album_user_role": "No se puede cambiar la función del usuario del álbum",
|
||||
"unable_to_change_date": "No se puede cambiar la fecha",
|
||||
"unable_to_change_description": "Imposible cambiar la descripción",
|
||||
"unable_to_change_favorite": "Imposible cambiar el archivo favorito",
|
||||
"unable_to_change_location": "No se puede cambiar de ubicación",
|
||||
"unable_to_change_password": "No se puede cambiar la contraseña",
|
||||
@@ -923,7 +906,6 @@
|
||||
"unable_to_log_out_all_devices": "No se pueden cerrar las sesiones en todos los dispositivos",
|
||||
"unable_to_log_out_device": "No se puede cerrar la sesión en el dispositivo",
|
||||
"unable_to_login_with_oauth": "No se puede iniciar sesión con OAuth",
|
||||
"unable_to_move_to_locked_folder": "Imposible mover a la carpeta bloqueada",
|
||||
"unable_to_play_video": "No se puede reproducir el vídeo",
|
||||
"unable_to_reassign_assets_existing_person": "No se pueden reasignar a {name, select, null {an existing person} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "No se pueden reasignar archivos a una nueva persona",
|
||||
@@ -937,7 +919,6 @@
|
||||
"unable_to_remove_reaction": "No se puede eliminar la reacción",
|
||||
"unable_to_repair_items": "No se pueden reparar los items",
|
||||
"unable_to_reset_password": "No se puede restablecer la contraseña",
|
||||
"unable_to_reset_pin_code": "No se ha podido restablecer el PIN",
|
||||
"unable_to_resolve_duplicate": "No se resolver duplicado",
|
||||
"unable_to_restore_assets": "No se pueden restaurar los archivos",
|
||||
"unable_to_restore_trash": "No se puede restaurar la papelera",
|
||||
@@ -971,15 +952,16 @@
|
||||
"exif_bottom_sheet_location": "UBICACIÓN",
|
||||
"exif_bottom_sheet_people": "PERSONAS",
|
||||
"exif_bottom_sheet_person_add_person": "Añadir nombre",
|
||||
"exif_bottom_sheet_person_age": "Edad {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Edad {months} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Edad 1 año, {months} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Edad {years}",
|
||||
"exif_bottom_sheet_person_age": "Antigüedad {}",
|
||||
"exif_bottom_sheet_person_age_months": "Antigüedad {} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Antigüedad 1 año, {} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Antigüedad {}",
|
||||
"exit_slideshow": "Salir de la presentación",
|
||||
"expand_all": "Expandir todo",
|
||||
"experimental_settings_new_asset_list_subtitle": "Trabajo en progreso",
|
||||
"experimental_settings_new_asset_list_title": "Habilitar cuadrícula fotográfica experimental",
|
||||
"experimental_settings_subtitle": "¡Úsalo bajo tu propia responsabilidad!",
|
||||
"experimental_settings_title": "Experimental",
|
||||
"expire_after": "Expirar después de",
|
||||
"expired": "Caducado",
|
||||
"expires_date": "Expira el {date}",
|
||||
@@ -987,13 +969,13 @@
|
||||
"explorer": "Explorador",
|
||||
"export": "Exportar",
|
||||
"export_as_json": "Exportar a JSON",
|
||||
"extension": "Extension",
|
||||
"external": "Externo",
|
||||
"external_libraries": "Bibliotecas Externas",
|
||||
"external_network": "Red externa",
|
||||
"external_network_sheet_info": "Cuando no estés conectado a la red Wi-Fi preferida, la aplicación se conectará al servidor utilizando la primera de las siguientes URLs a la que pueda acceder, comenzando desde la parte superior de la lista hacia abajo",
|
||||
"face_unassigned": "Sin asignar",
|
||||
"failed": "Fallido",
|
||||
"failed_to_authenticate": "Fallo al autentificar",
|
||||
"failed_to_load_assets": "Error al cargar los activos",
|
||||
"failed_to_load_folder": "No se pudo cargar la carpeta",
|
||||
"favorite": "Favorito",
|
||||
@@ -1017,6 +999,7 @@
|
||||
"folders": "Carpetas",
|
||||
"folders_feature_description": "Explorar la vista de carpetas para las fotos y los videos en el sistema de archivos",
|
||||
"forward": "Reenviar",
|
||||
"general": "General",
|
||||
"get_help": "Solicitar ayuda",
|
||||
"get_wifiname_error": "No se pudo obtener el nombre de la red Wi-Fi. Asegúrate de haber concedido los permisos necesarios y de estar conectado a una red Wi-Fi",
|
||||
"getting_started": "Comenzamos",
|
||||
@@ -1058,10 +1041,9 @@
|
||||
"home_page_favorite_err_local": "Aún no se pueden archivar elementos locales, omitiendo",
|
||||
"home_page_favorite_err_partner": "Aún no se pueden marcar elementos de compañeros como favoritos, omitiendo",
|
||||
"home_page_first_time_notice": "Si es la primera vez que usas la aplicación, asegúrate de elegir un álbum de copia de seguridad para que la línea de tiempo pueda mostrar fotos y vídeos en él",
|
||||
"home_page_locked_error_local": "Imposible mover archivos locales a carpeta bloqueada, saltando",
|
||||
"home_page_locked_error_partner": "Imposible mover los archivos del compañero a carpeta bloqueada, obviando",
|
||||
"home_page_share_err_local": "No se pueden compartir elementos locales a través de un enlace, omitiendo",
|
||||
"home_page_upload_err_limit": "Solo se pueden subir 30 elementos simultáneamente, omitiendo",
|
||||
"host": "Host",
|
||||
"hour": "Hora",
|
||||
"ignore_icloud_photos": "Ignorar fotos de iCloud",
|
||||
"ignore_icloud_photos_description": "Las fotos almacenadas en iCloud no se subirán a Immich",
|
||||
@@ -1135,6 +1117,7 @@
|
||||
"list": "Listar",
|
||||
"loading": "Cargando",
|
||||
"loading_search_results_failed": "Error al cargar los resultados de la búsqueda",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "La aplicación se conectará al servidor a través de esta URL cuando utilice la red Wi-Fi especificada",
|
||||
"location_permission": "Permiso de ubicación",
|
||||
"location_permission_content": "Para usar la función de cambio automático, Immich necesita permiso de ubicación precisa para poder leer el nombre de la red Wi-Fi actual",
|
||||
@@ -1143,8 +1126,6 @@
|
||||
"location_picker_latitude_hint": "Introduce tu latitud aquí",
|
||||
"location_picker_longitude_error": "Introduce una longitud válida",
|
||||
"location_picker_longitude_hint": "Introduce tu longitud aquí",
|
||||
"lock": "Bloquear",
|
||||
"locked_folder": "Bloquear carpeta",
|
||||
"log_out": "Cerrar sesión",
|
||||
"log_out_all_devices": "Cerrar sesión en todos los dispositivos",
|
||||
"logged_out_all_devices": "Cierre la sesión en todos los dispositivos",
|
||||
@@ -1189,8 +1170,8 @@
|
||||
"manage_your_devices": "Administre sus dispositivos conectados",
|
||||
"manage_your_oauth_connection": "Administra tu conexión OAuth",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} fotos",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} fotos",
|
||||
"map_cannot_get_user_location": "No se pudo obtener la posición del usuario",
|
||||
"map_location_dialog_yes": "Sí",
|
||||
"map_location_picker_page_use_location": "Usar esta ubicación",
|
||||
@@ -1204,9 +1185,9 @@
|
||||
"map_settings": "Ajustes mapa",
|
||||
"map_settings_dark_mode": "Modo oscuro",
|
||||
"map_settings_date_range_option_day": "Últimas 24 horas",
|
||||
"map_settings_date_range_option_days": "Últimos {days} días",
|
||||
"map_settings_date_range_option_days": "Últimos {} días",
|
||||
"map_settings_date_range_option_year": "Último año",
|
||||
"map_settings_date_range_option_years": "Últimos {years} años",
|
||||
"map_settings_date_range_option_years": "Últimos {} años",
|
||||
"map_settings_dialog_title": "Ajustes mapa",
|
||||
"map_settings_include_show_archived": "Incluir archivados",
|
||||
"map_settings_include_show_partners": "Incluir Parejas",
|
||||
@@ -1224,6 +1205,8 @@
|
||||
"memories_setting_description": "Gestiona lo que ves en tus recuerdos",
|
||||
"memories_start_over": "Empezar de nuevo",
|
||||
"memories_swipe_to_close": "Desliza para cerrar",
|
||||
"memories_year_ago": "Hace un año",
|
||||
"memories_years_ago": "Hace {} años",
|
||||
"memory": "Recuerdo",
|
||||
"memory_lane_title": "Baúl de los recuerdos {title}",
|
||||
"menu": "Menú",
|
||||
@@ -1238,13 +1221,8 @@
|
||||
"missing": "Perdido",
|
||||
"model": "Modelo",
|
||||
"month": "Mes",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Mas",
|
||||
"move": "Mover",
|
||||
"move_off_locked_folder": "Mover fuera de carpeta protegida",
|
||||
"move_to_locked_folder": "Mover a carpeta protegida",
|
||||
"move_to_locked_folder_confirmation": "Estas fotos y vídeos serán eliminados de todos los álbumes y sólo podrán ser vistos desde la carpeta protegida",
|
||||
"moved_to_archive": "Movido(s) {count, plural, one {# recurso} other {# recursos}} a archivo",
|
||||
"moved_to_library": "Movido(s) {count, plural, one {# recurso} other {# recursos}} a biblioteca",
|
||||
"moved_to_trash": "Movido a la papelera",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "No se puede cambiar la fecha del archivo(s) de solo lectura, omitiendo",
|
||||
"multiselect_grid_edit_gps_err_read_only": "No se puede editar la ubicación de activos de solo lectura, omitiendo",
|
||||
@@ -1254,18 +1232,17 @@
|
||||
"name_or_nickname": "Nombre o apodo",
|
||||
"networking_settings": "Red",
|
||||
"networking_subtitle": "Configuraciones de acceso por URL al servidor",
|
||||
"never": "Nunca",
|
||||
"never": "nunca",
|
||||
"new_album": "Nuevo álbum",
|
||||
"new_api_key": "Nueva clave API",
|
||||
"new_password": "Nueva contraseña",
|
||||
"new_person": "Nueva persona",
|
||||
"new_pin_code": "Nuevo PIN",
|
||||
"new_pin_code_subtitle": "Esta es tu primera vez accediendo a la carpeta protegida. Crea un PIN seguro para acceder a esta página",
|
||||
"new_user_created": "Nuevo usuario creado",
|
||||
"new_version_available": "NUEVA VERSIÓN DISPONIBLE",
|
||||
"newest_first": "El más reciente primero",
|
||||
"next": "Siguiente",
|
||||
"next_memory": "Siguiente recuerdo",
|
||||
"no": "No",
|
||||
"no_albums_message": "Crea un álbum para organizar tus fotos y vídeos",
|
||||
"no_albums_with_name_yet": "Parece que todavía no tienes ningún álbum con este nombre.",
|
||||
"no_albums_yet": "Parece que aún no tienes ningún álbum.",
|
||||
@@ -1277,10 +1254,8 @@
|
||||
"no_explore_results_message": "Sube más fotos para explorar tu colección.",
|
||||
"no_favorites_message": "Agregue favoritos para encontrar rápidamente sus mejores fotos y videos",
|
||||
"no_libraries_message": "Crea una biblioteca externa para ver tus fotos y vídeos",
|
||||
"no_locked_photos_message": "Fotos y vídeos en la carpeta protegida están ocultos y no se verán en tus búsquedas de tu librería.",
|
||||
"no_name": "Sin nombre",
|
||||
"no_notifications": "Ninguna notificación",
|
||||
"no_people_found": "No se encontraron personas coincidentes",
|
||||
"no_places": "Sin lugares",
|
||||
"no_results": "Sin resultados",
|
||||
"no_results_description": "Pruebe con un sinónimo o una palabra clave más general",
|
||||
@@ -1289,7 +1264,6 @@
|
||||
"not_selected": "No seleccionado",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Nota: Para aplicar la etiqueta de almacenamiento a los archivos subidos previamente, ejecute el",
|
||||
"notes": "Notas",
|
||||
"nothing_here_yet": "Sin nada aún",
|
||||
"notification_permission_dialog_content": "Para activar las notificaciones, ve a Configuración y selecciona permitir.",
|
||||
"notification_permission_list_tile_content": "Concede permiso para habilitar las notificaciones.",
|
||||
"notification_permission_list_tile_enable_button": "Permitir notificaciones",
|
||||
@@ -1297,6 +1271,7 @@
|
||||
"notification_toggle_setting_description": "Habilitar notificaciones de correo electrónico",
|
||||
"notifications": "Notificaciones",
|
||||
"notifications_setting_description": "Administrar notificaciones",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Recursos oficiales de Immich",
|
||||
"offline": "Desconectado",
|
||||
"offline_paths": "Rutas sin conexión",
|
||||
@@ -1318,6 +1293,7 @@
|
||||
"options": "Opciones",
|
||||
"or": "o",
|
||||
"organize_your_library": "Organiza tu biblioteca",
|
||||
"original": "original",
|
||||
"other": "Otro",
|
||||
"other_devices": "Otro dispositivo",
|
||||
"other_variables": "Otras variables",
|
||||
@@ -1334,7 +1310,7 @@
|
||||
"partner_page_partner_add_failed": "No se pudo añadir el socio",
|
||||
"partner_page_select_partner": "Seleccionar compañero",
|
||||
"partner_page_shared_to_title": "Compartido con",
|
||||
"partner_page_stop_sharing_content": "{partner} ya no podrá acceder a tus fotos.",
|
||||
"partner_page_stop_sharing_content": "{} ya no podrá acceder a tus fotos.",
|
||||
"partner_sharing": "Compartir con invitados",
|
||||
"partners": "Invitados",
|
||||
"password": "Contraseña",
|
||||
@@ -1380,10 +1356,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Foto} other {{count, number} Fotos}}",
|
||||
"photos_from_previous_years": "Fotos de años anteriores",
|
||||
"pick_a_location": "Elige una ubicación",
|
||||
"pin_code_changed_successfully": "PIN cambiado exitosamente",
|
||||
"pin_code_reset_successfully": "PIN restablecido exitosamente",
|
||||
"pin_code_setup_successfully": "PIN establecido exitosamente",
|
||||
"pin_verification": "Verificación con código PIN",
|
||||
"place": "Lugar",
|
||||
"places": "Lugares",
|
||||
"places_count": "{count, plural, one {{count, number} Lugar} other {{count, number} Lugares}}",
|
||||
@@ -1391,7 +1363,6 @@
|
||||
"play_memories": "Reproducir recuerdos",
|
||||
"play_motion_photo": "Reproducir foto en movimiento",
|
||||
"play_or_pause_video": "Reproducir o pausar vídeo",
|
||||
"please_auth_to_access": "Por favor, autentícate para acceder",
|
||||
"port": "Puerto",
|
||||
"preferences_settings_subtitle": "Configuraciones de la aplicación",
|
||||
"preferences_settings_title": "Preferencias",
|
||||
@@ -1402,11 +1373,11 @@
|
||||
"previous_or_next_photo": "Foto anterior o siguiente",
|
||||
"primary": "Básico",
|
||||
"privacy": "Privacidad",
|
||||
"profile": "Perfil",
|
||||
"profile_drawer_app_logs": "Registros",
|
||||
"profile_drawer_client_out_of_date_major": "La app está desactualizada. Por favor actualiza a la última versión principal.",
|
||||
"profile_drawer_client_out_of_date_minor": "La app está desactualizada. Por favor actualiza a la última versión menor.",
|
||||
"profile_drawer_client_server_up_to_date": "El Cliente y el Servidor están actualizados",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "El servidor está desactualizado. Por favor actualiza a la última versión principal.",
|
||||
"profile_drawer_server_out_of_date_minor": "El servidor está desactualizado. Por favor actualiza a la última versión menor.",
|
||||
"profile_image_of_user": "Foto de perfil de {user}",
|
||||
@@ -1415,7 +1386,7 @@
|
||||
"public_share": "Compartir públicamente",
|
||||
"purchase_account_info": "Seguidor",
|
||||
"purchase_activated_subtitle": "Gracias por apoyar a Immich y al software de código abierto",
|
||||
"purchase_activated_time": "Activado el {date}",
|
||||
"purchase_activated_time": "Activado el {date, date}",
|
||||
"purchase_activated_title": "Su clave ha sido activada correctamente",
|
||||
"purchase_button_activate": "Activar",
|
||||
"purchase_button_buy": "Comprar",
|
||||
@@ -1427,6 +1398,7 @@
|
||||
"purchase_failed_activation": "¡Error al activar! ¡Por favor, revisa tu correo electrónico para obtener la clave del producto correcta!",
|
||||
"purchase_individual_description_1": "Para un usuario",
|
||||
"purchase_individual_description_2": "Estado de soporte",
|
||||
"purchase_individual_title": "Individual",
|
||||
"purchase_input_suggestion": "¿Tiene una clave de producto? Introdúzcala a continuación",
|
||||
"purchase_license_subtitle": "Compre Immich para apoyar el desarrollo continuo del servicio",
|
||||
"purchase_lifetime_description": "Compra de por vida",
|
||||
@@ -1480,8 +1452,6 @@
|
||||
"remove_deleted_assets": "Eliminar archivos sin conexión",
|
||||
"remove_from_album": "Eliminar del álbum",
|
||||
"remove_from_favorites": "Quitar de favoritos",
|
||||
"remove_from_locked_folder": "Eliminar de carpeta protegida",
|
||||
"remove_from_locked_folder_confirmation": "¿Estás seguro de que quieres mover estas fotos y vídeos de la carpeta protegida? Serán visibles en tu biblioteca",
|
||||
"remove_from_shared_link": "Eliminar desde enlace compartido",
|
||||
"remove_memory": "Quitar memoria",
|
||||
"remove_photo_from_memory": "Quitar foto de esta memoria",
|
||||
@@ -1505,7 +1475,6 @@
|
||||
"reset": "Reiniciar",
|
||||
"reset_password": "Restablecer la contraseña",
|
||||
"reset_people_visibility": "Restablecer la visibilidad de las personas",
|
||||
"reset_pin_code": "Restablecer PIN",
|
||||
"reset_to_default": "Restablecer los valores predeterminados",
|
||||
"resolve_duplicates": "Resolver duplicados",
|
||||
"resolved_all_duplicates": "Todos los duplicados resueltos",
|
||||
@@ -1517,6 +1486,7 @@
|
||||
"retry_upload": "Reintentar subida",
|
||||
"review_duplicates": "Revisar duplicados",
|
||||
"role": "Rol",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visor",
|
||||
"save": "Guardar",
|
||||
"save_to_gallery": "Guardado en la galería",
|
||||
@@ -1566,6 +1536,7 @@
|
||||
"search_page_no_places": "No hay información de lugares disponibles",
|
||||
"search_page_screenshots": "Capturas de pantalla",
|
||||
"search_page_search_photos_videos": "Busca tus fotos y videos",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Cosas",
|
||||
"search_page_view_all_button": "Ver todo",
|
||||
"search_page_your_activity": "Tu actividad",
|
||||
@@ -1596,7 +1567,6 @@
|
||||
"select_keep_all": "Conservar todo",
|
||||
"select_library_owner": "Seleccionar propietario de la biblioteca",
|
||||
"select_new_face": "Seleccionar nueva cara",
|
||||
"select_person_to_tag": "Elija una persona a etiquetar",
|
||||
"select_photos": "Seleccionar Fotos",
|
||||
"select_trash_all": "Seleccionar eliminar todo",
|
||||
"select_user_for_sharing_page_err_album": "Fallo al crear el álbum",
|
||||
@@ -1627,12 +1597,12 @@
|
||||
"setting_languages_apply": "Aplicar",
|
||||
"setting_languages_subtitle": "Cambia el idioma de la aplicación",
|
||||
"setting_languages_title": "Idiomas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notificar fallos de copia de seguridad en segundo plano: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} horas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notificar fallos de copia de seguridad en segundo plano: {}",
|
||||
"setting_notifications_notify_hours": "{} horas",
|
||||
"setting_notifications_notify_immediately": "inmediatamente",
|
||||
"setting_notifications_notify_minutes": "{count} minutos",
|
||||
"setting_notifications_notify_minutes": "{} minutos",
|
||||
"setting_notifications_notify_never": "nunca",
|
||||
"setting_notifications_notify_seconds": "{count} segundos",
|
||||
"setting_notifications_notify_seconds": "{} segundos",
|
||||
"setting_notifications_single_progress_subtitle": "Información detallada del progreso de subida de cada archivo",
|
||||
"setting_notifications_single_progress_title": "Mostrar progreso detallado de copia de seguridad en segundo plano",
|
||||
"setting_notifications_subtitle": "Ajusta tus preferencias de notificación",
|
||||
@@ -1644,12 +1614,10 @@
|
||||
"settings": "Ajustes",
|
||||
"settings_require_restart": "Por favor, reinicia Immich para aplicar este ajuste",
|
||||
"settings_saved": "Ajustes guardados",
|
||||
"setup_pin_code": "Establecer un PIN",
|
||||
"share": "Compartir",
|
||||
"share_add_photos": "Agregar fotos",
|
||||
"share_assets_selected": "{count} seleccionado(s)",
|
||||
"share_assets_selected": "{} seleccionado(s)",
|
||||
"share_dialog_preparing": "Preparando...",
|
||||
"share_link": "Compartir Enlace",
|
||||
"shared": "Compartido",
|
||||
"shared_album_activities_input_disable": "Los comentarios están deshabilitados",
|
||||
"shared_album_activity_remove_content": "¿Deseas eliminar esta actividad?",
|
||||
@@ -1662,33 +1630,34 @@
|
||||
"shared_by_user": "Compartido por {user}",
|
||||
"shared_by_you": "Compartido por ti",
|
||||
"shared_from_partner": "Fotos de {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Cargado(s)",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Cargado(s)",
|
||||
"shared_link_app_bar_title": "Enlaces compartidos",
|
||||
"shared_link_clipboard_copied_massage": "Copiado al portapapeles",
|
||||
"shared_link_clipboard_text": "Enlace: {link}\nContraseña: {password}",
|
||||
"shared_link_clipboard_text": "Enlace: {}\nContraseña: {}",
|
||||
"shared_link_create_error": "Error creando el enlace compartido",
|
||||
"shared_link_edit_description_hint": "Introduce la descripción del enlace",
|
||||
"shared_link_edit_expire_after_option_day": "1 día",
|
||||
"shared_link_edit_expire_after_option_days": "{count} días",
|
||||
"shared_link_edit_expire_after_option_days": "{} días",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hora",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} horas",
|
||||
"shared_link_edit_expire_after_option_hours": "{} horas",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuto",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{count} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{count} año",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{} año",
|
||||
"shared_link_edit_password_hint": "Introduce la contraseña del enlace",
|
||||
"shared_link_edit_submit_button": "Actualizar enlace",
|
||||
"shared_link_error_server_url_fetch": "No se puede adquirir la URL del servidor",
|
||||
"shared_link_expires_day": "Caduca en {count} día",
|
||||
"shared_link_expires_days": "Caduca en {count} días",
|
||||
"shared_link_expires_hour": "Caduca en {count} hora",
|
||||
"shared_link_expires_hours": "Caduca en {count} horas",
|
||||
"shared_link_expires_minute": "Caduca en {count} minuto",
|
||||
"shared_link_expires_minutes": "Caduca en {count} minutos",
|
||||
"shared_link_expires_day": "Caduca en {} día",
|
||||
"shared_link_expires_days": "Caduca en {} días",
|
||||
"shared_link_expires_hour": "Caduca en {} hora",
|
||||
"shared_link_expires_hours": "Caduca en {} horas",
|
||||
"shared_link_expires_minute": "Caduca en {} minuto",
|
||||
"shared_link_expires_minutes": "Caduca en {} minutos",
|
||||
"shared_link_expires_never": "Caduca ∞",
|
||||
"shared_link_expires_second": "Caduca en {count} segundo",
|
||||
"shared_link_expires_seconds": "Caduca en {count} segundos",
|
||||
"shared_link_expires_second": "Caduca en {} segundo",
|
||||
"shared_link_expires_seconds": "Caduca en {} segundos",
|
||||
"shared_link_individual_shared": "Compartido individualmente",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Administrar enlaces compartidos",
|
||||
"shared_link_options": "Opciones de enlaces compartidos",
|
||||
"shared_links": "Enlaces compartidos",
|
||||
@@ -1761,7 +1730,6 @@
|
||||
"stop_sharing_photos_with_user": "Deja de compartir tus fotos con este usuario",
|
||||
"storage": "Espacio de almacenamiento",
|
||||
"storage_label": "Etiqueta de almacenamiento",
|
||||
"storage_quota": "Cuota de Almacenamiento",
|
||||
"storage_usage": "{used} de {available} en uso",
|
||||
"submit": "Enviar",
|
||||
"suggestions": "Sugerencias",
|
||||
@@ -1788,7 +1756,7 @@
|
||||
"theme_selection": "Selección de tema",
|
||||
"theme_selection_description": "Establece el tema automáticamente como \"claro\" u \"oscuro\" según las preferencias del sistema/navegador",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Mostrar indicador de almacenamiento en las miniaturas de los archivos",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Número de elementos por fila ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Número de elementos por fila ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Aplicar el color primario a las superficies de fondo.",
|
||||
"theme_setting_colorful_interface_title": "Color de Interfaz",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Ajustar la calidad del visor de detalles de imágenes",
|
||||
@@ -1813,6 +1781,7 @@
|
||||
"to_trash": "Descartar",
|
||||
"toggle_settings": "Alternar ajustes",
|
||||
"toggle_theme": "Alternar tema oscuro",
|
||||
"total": "Total",
|
||||
"total_usage": "Uso total",
|
||||
"trash": "Papelera",
|
||||
"trash_all": "Descartar todo",
|
||||
@@ -1822,15 +1791,13 @@
|
||||
"trash_no_results_message": "Las fotos y videos que se envíen a la papelera aparecerán aquí.",
|
||||
"trash_page_delete_all": "Eliminar todos",
|
||||
"trash_page_empty_trash_dialog_content": "¿Está seguro que quiere eliminar los elementos? Estos elementos serán eliminados de Immich permanentemente",
|
||||
"trash_page_info": "Los archivos en la papelera serán eliminados automáticamente de forma permanente después de {days} días",
|
||||
"trash_page_info": "Los archivos en la papelera serán eliminados automáticamente de forma permanente después de {} días",
|
||||
"trash_page_no_assets": "No hay elementos en la papelera",
|
||||
"trash_page_restore_all": "Restaurar todos",
|
||||
"trash_page_select_assets_btn": "Seleccionar elementos",
|
||||
"trash_page_title": "Papelera ({count})",
|
||||
"trash_page_title": "Papelera ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Los elementos en la papelera serán eliminados permanentemente tras {days, plural, one {# día} other {# días}}.",
|
||||
"type": "Tipo",
|
||||
"unable_to_change_pin_code": "No se ha podido cambiar el PIN",
|
||||
"unable_to_setup_pin_code": "No se ha podido establecer el PIN",
|
||||
"unarchive": "Desarchivar",
|
||||
"unarchived_count": "{count, plural, one {# No archivado} other {# No archivados}}",
|
||||
"unfavorite": "Retirar favorito",
|
||||
@@ -1854,7 +1821,6 @@
|
||||
"untracked_files": "Archivos no monitorizados",
|
||||
"untracked_files_decription": "Estos archivos no están siendo monitorizados por la aplicación. Es posible que sean resultado de errores al moverlos, subidas interrumpidas o por un fallo de la aplicación",
|
||||
"up_next": "A continuación",
|
||||
"updated_at": "Actualizado",
|
||||
"updated_password": "Contraseña actualizada",
|
||||
"upload": "Subir",
|
||||
"upload_concurrency": "Subidas simultáneas",
|
||||
@@ -1867,18 +1833,15 @@
|
||||
"upload_status_errors": "Errores",
|
||||
"upload_status_uploaded": "Subido",
|
||||
"upload_success": "Subida realizada correctamente, actualice la página para ver los nuevos recursos de subida.",
|
||||
"upload_to_immich": "Subir a Immich ({count})",
|
||||
"upload_to_immich": "Subir a Immich ({})",
|
||||
"uploading": "Subiendo",
|
||||
"url": "URL",
|
||||
"usage": "Uso",
|
||||
"use_biometric": "Uso biométrico",
|
||||
"use_current_connection": "Usar conexión actual",
|
||||
"use_custom_date_range": "Usa un intervalo de fechas personalizado",
|
||||
"user": "Usuario",
|
||||
"user_has_been_deleted": "Este usuario ha sido eliminado.",
|
||||
"user_id": "ID de usuario",
|
||||
"user_liked": "{user} le gustó {type, select, photo {this photo} video {this video} asset {this asset} other {it}}",
|
||||
"user_pin_code_settings": "PIN",
|
||||
"user_pin_code_settings_description": "Gestione su PIN",
|
||||
"user_purchase_settings": "Compra",
|
||||
"user_purchase_settings_description": "Gestiona tu compra",
|
||||
"user_role_set": "Establecer {user} como {role}",
|
||||
@@ -1890,6 +1853,7 @@
|
||||
"utilities": "Utilidades",
|
||||
"validate": "Validar",
|
||||
"validate_endpoint_error": "Por favor, introduce una URL válida",
|
||||
"variables": "Variables",
|
||||
"version": "Versión",
|
||||
"version_announcement_closing": "Tu amigo, Alex",
|
||||
"version_announcement_message": "¡Hola! Hay una nueva versión de Immich disponible. Tómese un tiempo para leer las <link> notas de la versión </link> para asegurarse de que su configuración esté actualizada y evitar errores de configuración, especialmente si utiliza WatchTower o cualquier mecanismo que se encargue de actualizar su instancia de Immich automáticamente.",
|
||||
@@ -1927,7 +1891,6 @@
|
||||
"welcome": "Bienvenido",
|
||||
"welcome_to_immich": "Bienvenido a Immich",
|
||||
"wifi_name": "Nombre Wi-Fi",
|
||||
"wrong_pin_code": "Código PIN incorrecto",
|
||||
"year": "Año",
|
||||
"years_ago": "Hace {years, plural, one {# año} other {# años}}",
|
||||
"yes": "Sí",
|
||||
|
||||
388
i18n/et.json
388
i18n/et.json
File diff suppressed because it is too large
Load Diff
19
i18n/eu.json
19
i18n/eu.json
@@ -1,18 +1 @@
|
||||
{
|
||||
"active": "Martxan",
|
||||
"add": "Gehitu",
|
||||
"add_a_description": "Azalpena gehitu",
|
||||
"add_a_name": "Izena gehitu",
|
||||
"add_a_title": "Izenburua gehitu",
|
||||
"add_more_users": "Erabiltzaile gehiago gehitu",
|
||||
"add_photos": "Argazkiak gehitu",
|
||||
"add_to_album": "Albumera gehitu",
|
||||
"add_to_album_bottom_sheet_already_exists": "Dagoeneko {album} albumenean",
|
||||
"add_to_shared_album": "Gehitu partekatutako albumera",
|
||||
"add_url": "URL-a gehitu",
|
||||
"added_to_favorites": "Faboritoetara gehituta",
|
||||
"admin": {
|
||||
"cleanup": "Garbiketa",
|
||||
"image_quality": "Kalitatea"
|
||||
}
|
||||
}
|
||||
{}
|
||||
|
||||
185
i18n/fa.json
185
i18n/fa.json
@@ -4,7 +4,6 @@
|
||||
"account_settings": "تنظیمات حساب کاربری",
|
||||
"acknowledge": "متوجه شدم",
|
||||
"action": "عملکرد",
|
||||
"action_common_update": "به روزرسانی",
|
||||
"actions": "عملکرد",
|
||||
"active": "فعال",
|
||||
"activity": "فعالیت",
|
||||
@@ -65,6 +64,8 @@
|
||||
"job_settings": "تنظیمات کار",
|
||||
"job_settings_description": "مدیریت همزمانی کار",
|
||||
"job_status": "وضعیت کار",
|
||||
"jobs_delayed": "",
|
||||
"jobs_failed": "",
|
||||
"library_created": "کتابخانه ایجاد شده: {library}",
|
||||
"library_deleted": "کتابخانه حذف شد",
|
||||
"library_import_path_description": "یک پوشه برای وارد کردن مشخص کنید. این پوشه، به همراه زیرپوشهها، برای یافتن تصاویر و ویدیوها اسکن خواهد شد.",
|
||||
@@ -126,6 +127,7 @@
|
||||
"metadata_extraction_job": "استخراج فرا داده",
|
||||
"metadata_extraction_job_description": "استخراج اطلاعات ابرداده، مانند موقعیت جغرافیایی و کیفیت از هر فایل",
|
||||
"migration_job": "مهاجرت",
|
||||
"migration_job_description": "",
|
||||
"no_paths_added": "هیچ مسیری اضافه نشده",
|
||||
"no_pattern_added": "هیچ الگوی اضافه نشده",
|
||||
"note_apply_storage_label_previous_assets": "توجه: برای اعمال برچسب ذخیره سازی به دارایی هایی که قبلاً بارگذاری شده اند، دستور زیر را اجرا کنید",
|
||||
@@ -175,6 +177,8 @@
|
||||
"registration": "ثبت نام مدیر",
|
||||
"registration_description": "از آنجایی که شما اولین کاربر در سیستم هستید، به عنوان مدیر تعیین شدهاید و مسئولیت انجام وظایف مدیریتی بر عهده شما خواهد بود و کاربران اضافی توسط شما ایجاد خواهند شد.",
|
||||
"repair_all": "بازسازی همه",
|
||||
"repair_matched_items": "",
|
||||
"repaired_items": "",
|
||||
"require_password_change_on_login": "الزام کاربر به تغییر گذرواژه در اولین ورود",
|
||||
"reset_settings_to_default": "بازنشانی تنظیمات به حالت پیشفرض",
|
||||
"reset_settings_to_recent_saved": "بازنشانی تنظیمات به آخرین تنظیمات ذخیره شده",
|
||||
@@ -191,6 +195,7 @@
|
||||
"smart_search_job_description": "اجرای یادگیری ماشینی بر روی داراییها برای پشتیبانی از جستجوی هوشمند",
|
||||
"storage_template_date_time_description": "زمانبندی ایجاد دارایی برای اطلاعات تاریخ و زمان استفاده میشود",
|
||||
"storage_template_date_time_sample": "نمونه زمان {date}",
|
||||
"storage_template_enable_description": "",
|
||||
"storage_template_hash_verification_enabled": "تأیید هَش فعال شد",
|
||||
"storage_template_hash_verification_enabled_description": "تأیید هَش را فعال میکند؛ این گزینه را غیرفعال نکنید مگر اینکه از عواقب آن مطمئن باشید",
|
||||
"storage_template_migration": "انتقال الگوی ذخیره سازی",
|
||||
@@ -236,6 +241,7 @@
|
||||
"transcoding_hardware_acceleration": "شتاب دهنده سخت افزاری",
|
||||
"transcoding_hardware_acceleration_description": "آزمایشی؛ بسیار سریعتر است، اما در همان بیتریت کیفیت کمتری خواهد داشت",
|
||||
"transcoding_hardware_decoding": "رمزگشایی سخت افزاری",
|
||||
"transcoding_hardware_decoding_setting_description": "",
|
||||
"transcoding_hevc_codec": "کدک HEVC",
|
||||
"transcoding_max_b_frames": "بیشترین B-frames",
|
||||
"transcoding_max_b_frames_description": "مقادیر بالاتر کارایی فشرده سازی را بهبود میبخشند، اما کدگذاری را کند میکنند. ممکن است با شتاب دهی سختافزاری در دستگاههای قدیمی سازگار نباشد. مقدار( 0 ) B-frames را غیرفعال میکند، در حالی که مقدار ( 1 ) این مقدار را به صورت خودکار تنظیم میکند.",
|
||||
@@ -259,6 +265,7 @@
|
||||
"transcoding_temporal_aq_description": "این مورد فقط برای NVENC اعمال می شود. افزایش کیفیت در صحنه های با جزئیات بالا و حرکت کم. ممکن است با دستگاه های قدیمی تر سازگار نباشد.",
|
||||
"transcoding_threads": "رشته ها ( موضوعات )",
|
||||
"transcoding_threads_description": "مقادیر بالاتر منجر به رمزگذاری سریع تر می شود، اما فضای کمتری برای پردازش سایر وظایف سرور در حین فعالیت باقی می گذارد. این مقدار نباید بیشتر از تعداد هسته های CPU باشد. اگر روی 0 تنظیم شود، بیشترین استفاده را خواهد داشت.",
|
||||
"transcoding_tone_mapping": "",
|
||||
"transcoding_tone_mapping_description": "تلاش برای حفظ ظاهر ویدیوهای HDR هنگام تبدیل به SDR. هر الگوریتم تعادل های متفاوتی را برای رنگ، جزئیات و روشنایی ایجاد می کند. Hable جزئیات را حفظ می کند، Mobius رنگ را حفظ می کند و Reinhard روشنایی را حفظ می کند.",
|
||||
"transcoding_transcode_policy": "سیاست رمزگذاری",
|
||||
"transcoding_transcode_policy_description": "سیاست برای زمانی که ویدیویی باید مجددا تبدیل (رمزگذاری) شود. ویدیوهای HDR همیشه تبدیل (رمزگذاری) مجدد خواهند شد (مگر رمزگذاری مجدد غیرفعال باشد).",
|
||||
@@ -298,12 +305,15 @@
|
||||
"administration": "مدیریت",
|
||||
"advanced": "پیشرفته",
|
||||
"album_added": "آلبوم اضافه شد",
|
||||
"album_added_notification_setting_description": "",
|
||||
"album_cover_updated": "جلد آلبوم بهروزرسانی شد",
|
||||
"album_info_updated": "اطلاعات آلبوم بهروزرسانی شد",
|
||||
"album_name": "نام آلبوم",
|
||||
"album_options": "گزینههای آلبوم",
|
||||
"album_updated": "آلبوم بهروزرسانی شد",
|
||||
"album_updated_setting_description": "",
|
||||
"albums": "آلبومها",
|
||||
"albums_count": "",
|
||||
"all": "همه",
|
||||
"all_people": "همه افراد",
|
||||
"allow_dark_mode": "اجازه دادن به حالت تاریک",
|
||||
@@ -313,13 +323,18 @@
|
||||
"app_settings": "تنظیمات برنامه",
|
||||
"appears_in": "ظاهر میشود در",
|
||||
"archive": "بایگانی",
|
||||
"archive_or_unarchive_photo": "",
|
||||
"archive_size": "اندازه بایگانی",
|
||||
"archive_size_description": "",
|
||||
"asset_offline": "محتوا آفلاین",
|
||||
"assets": "محتواها",
|
||||
"authorized_devices": "دستگاههای مجاز",
|
||||
"back": "بازگشت",
|
||||
"backward": "عقب",
|
||||
"blurred_background": "پسزمینه محو",
|
||||
"bulk_delete_duplicates_confirmation": "",
|
||||
"bulk_keep_duplicates_confirmation": "",
|
||||
"bulk_trash_duplicates_confirmation": "",
|
||||
"camera": "دوربین",
|
||||
"camera_brand": "برند دوربین",
|
||||
"camera_model": "مدل دوربین",
|
||||
@@ -334,8 +349,10 @@
|
||||
"change_name_successfully": "نام با موفقیت تغییر یافت",
|
||||
"change_password": "تغییر رمز عبور",
|
||||
"change_your_password": "رمز عبور خود را تغییر دهید",
|
||||
"changed_visibility_successfully": "",
|
||||
"check_all": "انتخاب همه",
|
||||
"check_logs": "بررسی لاگها",
|
||||
"choose_matching_people_to_merge": "",
|
||||
"city": "شهر",
|
||||
"clear": "پاک کردن",
|
||||
"clear_all": "پاک کردن همه",
|
||||
@@ -348,6 +365,7 @@
|
||||
"comments_are_disabled": "نظرات غیرفعال هستند",
|
||||
"confirm": "تأیید",
|
||||
"confirm_admin_password": "تأیید رمز عبور مدیر",
|
||||
"confirm_delete_shared_link": "",
|
||||
"confirm_password": "تأیید رمز عبور",
|
||||
"contain": "شامل",
|
||||
"context": "زمینه",
|
||||
@@ -374,6 +392,8 @@
|
||||
"create_user": "ایجاد کاربر",
|
||||
"created": "ایجاد شد",
|
||||
"current_device": "دستگاه فعلی",
|
||||
"custom_locale": "",
|
||||
"custom_locale_description": "",
|
||||
"dark": "تاریک",
|
||||
"date_after": "تاریخ پس از",
|
||||
"date_and_time": "تاریخ و زمان",
|
||||
@@ -381,8 +401,12 @@
|
||||
"date_range": "بازه زمانی",
|
||||
"day": "روز",
|
||||
"deduplicate_all": "حذف تکراریها به صورت کامل",
|
||||
"default_locale": "",
|
||||
"default_locale_description": "",
|
||||
"delete": "حذف",
|
||||
"delete_album": "حذف آلبوم",
|
||||
"delete_api_key_prompt": "",
|
||||
"delete_duplicates_confirmation": "",
|
||||
"delete_key": "حذف کلید",
|
||||
"delete_library": "حذف کتابخانه",
|
||||
"delete_link": "حذف لینک",
|
||||
@@ -400,12 +424,14 @@
|
||||
"display_options": "گزینههای نمایش",
|
||||
"display_order": "ترتیب نمایش",
|
||||
"display_original_photos": "نمایش عکسهای اصلی",
|
||||
"display_original_photos_setting_description": "",
|
||||
"done": "انجام شد",
|
||||
"download": "دانلود",
|
||||
"download_settings": "تنظیمات دانلود",
|
||||
"download_settings_description": "مدیریت تنظیمات مرتبط با دانلود محتوا",
|
||||
"downloading": "در حال دانلود",
|
||||
"duplicates": "تکراریها",
|
||||
"duplicates_description": "",
|
||||
"duration": "مدت زمان",
|
||||
"edit_album": "ویرایش آلبوم",
|
||||
"edit_avatar": "ویرایش آواتار",
|
||||
@@ -413,6 +439,8 @@
|
||||
"edit_date_and_time": "ویرایش تاریخ و زمان",
|
||||
"edit_exclusion_pattern": "ویرایش الگوی استثناء",
|
||||
"edit_faces": "ویرایش چهرهها",
|
||||
"edit_import_path": "",
|
||||
"edit_import_paths": "",
|
||||
"edit_key": "ویرایش کلید",
|
||||
"edit_link": "ویرایش لینک",
|
||||
"edit_location": "ویرایش مکان",
|
||||
@@ -427,6 +455,73 @@
|
||||
"end_date": "تاریخ پایان",
|
||||
"error": "خطا",
|
||||
"error_loading_image": "خطا در بارگذاری تصویر",
|
||||
"errors": {
|
||||
"exclusion_pattern_already_exists": "",
|
||||
"import_path_already_exists": "",
|
||||
"paths_validation_failed": "",
|
||||
"quota_higher_than_disk_size": "",
|
||||
"repair_unable_to_check_items": "",
|
||||
"unable_to_add_album_users": "",
|
||||
"unable_to_add_comment": "",
|
||||
"unable_to_add_exclusion_pattern": "",
|
||||
"unable_to_add_import_path": "",
|
||||
"unable_to_add_partners": "",
|
||||
"unable_to_change_album_user_role": "",
|
||||
"unable_to_change_date": "",
|
||||
"unable_to_change_location": "",
|
||||
"unable_to_change_password": "",
|
||||
"unable_to_copy_to_clipboard": "",
|
||||
"unable_to_create_api_key": "",
|
||||
"unable_to_create_library": "",
|
||||
"unable_to_create_user": "",
|
||||
"unable_to_delete_album": "",
|
||||
"unable_to_delete_asset": "",
|
||||
"unable_to_delete_exclusion_pattern": "",
|
||||
"unable_to_delete_import_path": "",
|
||||
"unable_to_delete_shared_link": "",
|
||||
"unable_to_delete_user": "",
|
||||
"unable_to_edit_exclusion_pattern": "",
|
||||
"unable_to_edit_import_path": "",
|
||||
"unable_to_empty_trash": "",
|
||||
"unable_to_enter_fullscreen": "",
|
||||
"unable_to_exit_fullscreen": "",
|
||||
"unable_to_hide_person": "",
|
||||
"unable_to_link_oauth_account": "",
|
||||
"unable_to_load_album": "",
|
||||
"unable_to_load_asset_activity": "",
|
||||
"unable_to_load_items": "",
|
||||
"unable_to_load_liked_status": "",
|
||||
"unable_to_play_video": "",
|
||||
"unable_to_refresh_user": "",
|
||||
"unable_to_remove_album_users": "",
|
||||
"unable_to_remove_api_key": "",
|
||||
"unable_to_remove_deleted_assets": "",
|
||||
"unable_to_remove_library": "",
|
||||
"unable_to_remove_partner": "",
|
||||
"unable_to_remove_reaction": "",
|
||||
"unable_to_repair_items": "",
|
||||
"unable_to_reset_password": "",
|
||||
"unable_to_resolve_duplicate": "",
|
||||
"unable_to_restore_assets": "",
|
||||
"unable_to_restore_trash": "",
|
||||
"unable_to_restore_user": "",
|
||||
"unable_to_save_album": "",
|
||||
"unable_to_save_api_key": "",
|
||||
"unable_to_save_name": "",
|
||||
"unable_to_save_profile": "",
|
||||
"unable_to_save_settings": "",
|
||||
"unable_to_scan_libraries": "",
|
||||
"unable_to_scan_library": "",
|
||||
"unable_to_set_profile_picture": "",
|
||||
"unable_to_submit_job": "",
|
||||
"unable_to_trash_asset": "",
|
||||
"unable_to_unlink_account": "",
|
||||
"unable_to_update_library": "",
|
||||
"unable_to_update_location": "",
|
||||
"unable_to_update_settings": "",
|
||||
"unable_to_update_timeline_display_status": "",
|
||||
"unable_to_update_user": ""
|
||||
},
|
||||
"exit_slideshow": "خروج از نمایش اسلاید",
|
||||
"expand_all": "باز کردن همه",
|
||||
"expire_after": "منقضی شدن بعد از",
|
||||
@@ -438,12 +533,15 @@
|
||||
"external": "خارجی",
|
||||
"external_libraries": "کتابخانههای خارجی",
|
||||
"favorite": "علاقهمندی",
|
||||
"favorite_or_unfavorite_photo": "",
|
||||
"favorites": "علاقهمندیها",
|
||||
"feature_photo_updated": "",
|
||||
"file_name": "نام فایل",
|
||||
"file_name_or_extension": "نام فایل یا پسوند",
|
||||
"filename": "نام فایل",
|
||||
"filetype": "نوع فایل",
|
||||
"filter_people": "فیلتر افراد",
|
||||
"find_them_fast": "",
|
||||
"fix_incorrect_match": "رفع تطابق نادرست",
|
||||
"forward": "جلو",
|
||||
"general": "عمومی",
|
||||
@@ -463,11 +561,19 @@
|
||||
"immich_web_interface": "رابط وب Immich",
|
||||
"import_from_json": "وارد کردن از JSON",
|
||||
"import_path": "مسیر وارد کردن",
|
||||
"in_albums": "",
|
||||
"in_archive": "در بایگانی",
|
||||
"include_archived": "شامل بایگانی شدهها",
|
||||
"include_shared_albums": "شامل آلبومهای اشتراکی",
|
||||
"include_shared_partner_assets": "",
|
||||
"individual_share": "اشتراک فردی",
|
||||
"info": "اطلاعات",
|
||||
"interval": {
|
||||
"day_at_onepm": "",
|
||||
"hours": "",
|
||||
"night_at_midnight": "",
|
||||
"night_at_twoam": ""
|
||||
},
|
||||
"invite_people": "دعوت افراد",
|
||||
"invite_to_album": "دعوت به آلبوم",
|
||||
"jobs": "وظایف",
|
||||
@@ -494,22 +600,28 @@
|
||||
"login_has_been_disabled": "ورود غیرفعال شده است.",
|
||||
"look": "نگاه کردن",
|
||||
"loop_videos": "پخش مداوم ویدئوها",
|
||||
"loop_videos_description": "",
|
||||
"make": "ساختن",
|
||||
"manage_shared_links": "مدیریت لینکهای اشتراکی",
|
||||
"manage_sharing_with_partners": "",
|
||||
"manage_the_app_settings": "مدیریت تنظیمات برنامه",
|
||||
"manage_your_account": "مدیریت حساب کاربری شما",
|
||||
"manage_your_api_keys": "مدیریت کلیدهای API شما",
|
||||
"manage_your_devices": "مدیریت دستگاههای متصل",
|
||||
"manage_your_oauth_connection": "مدیریت اتصال OAuth شما",
|
||||
"map": "نقشه",
|
||||
"map_marker_with_image": "",
|
||||
"map_settings": "تنظیمات نقشه",
|
||||
"matches": "تطابقها",
|
||||
"media_type": "نوع رسانه",
|
||||
"memories": "خاطرات",
|
||||
"memories_setting_description": "",
|
||||
"memory": "خاطره",
|
||||
"menu": "منو",
|
||||
"merge": "ادغام",
|
||||
"merge_people": "ادغام افراد",
|
||||
"merge_people_limit": "",
|
||||
"merge_people_prompt": "",
|
||||
"merge_people_successfully": "ادغام افراد با موفقیت انجام شد",
|
||||
"minimize": "کوچک کردن",
|
||||
"minute": "دقیقه",
|
||||
@@ -530,18 +642,28 @@
|
||||
"next": "بعدی",
|
||||
"next_memory": "خاطره بعدی",
|
||||
"no": "خیر",
|
||||
"no_albums_message": "",
|
||||
"no_archived_assets_message": "",
|
||||
"no_assets_message": "",
|
||||
"no_duplicates_found": "هیچ تکراری یافت نشد.",
|
||||
"no_exif_info_available": "اطلاعات EXIF موجود نیست",
|
||||
"no_explore_results_message": "",
|
||||
"no_favorites_message": "",
|
||||
"no_libraries_message": "",
|
||||
"no_name": "بدون نام",
|
||||
"no_places": "مکانی یافت نشد",
|
||||
"no_results": "نتیجهای یافت نشد",
|
||||
"no_shared_albums_message": "",
|
||||
"not_in_any_album": "در هیچ آلبومی نیست",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "",
|
||||
"notes": "یادداشتها",
|
||||
"notification_toggle_setting_description": "اعلانهای ایمیلی را فعال کنید",
|
||||
"notifications": "اعلانها",
|
||||
"notifications_setting_description": "مدیریت اعلانها",
|
||||
"oauth": "OAuth",
|
||||
"offline": "آفلاین",
|
||||
"offline_paths": "مسیرهای آفلاین",
|
||||
"offline_paths_description": "",
|
||||
"ok": "تأیید",
|
||||
"oldest_first": "قدیمیترین ابتدا",
|
||||
"online": "آنلاین",
|
||||
@@ -556,6 +678,7 @@
|
||||
"owner": "مالک",
|
||||
"partner": "شریک",
|
||||
"partner_can_access": "{partner} میتواند دسترسی داشته باشد",
|
||||
"partner_can_access_assets": "",
|
||||
"partner_can_access_location": "مکانهایی که عکسهای شما گرفته شدهاند",
|
||||
"partner_sharing": "اشتراکگذاری با شریک",
|
||||
"partners": "شرکا",
|
||||
@@ -563,6 +686,11 @@
|
||||
"password_does_not_match": "رمز عبور مطابقت ندارد",
|
||||
"password_required": "رمز عبور مورد نیاز است",
|
||||
"password_reset_success": "بازنشانی رمز عبور موفقیتآمیز بود",
|
||||
"past_durations": {
|
||||
"days": "",
|
||||
"hours": "",
|
||||
"years": ""
|
||||
},
|
||||
"path": "مسیر",
|
||||
"pattern": "الگو",
|
||||
"pause": "توقف",
|
||||
@@ -570,12 +698,14 @@
|
||||
"paused": "متوقف شده",
|
||||
"pending": "در انتظار",
|
||||
"people": "افراد",
|
||||
"people_sidebar_description": "",
|
||||
"permanent_deletion_warning": "هشدار حذف دائمی",
|
||||
"permanent_deletion_warning_setting_description": "نمایش هشدار هنگام حذف دائمی محتواها",
|
||||
"permanently_delete": "حذف دائمی",
|
||||
"permanently_deleted_asset": "محتوای حذف شده دائمی",
|
||||
"person": "فرد",
|
||||
"photos": "عکسها",
|
||||
"photos_count": "",
|
||||
"photos_from_previous_years": "عکسهای سالهای گذشته",
|
||||
"pick_a_location": "یک مکان انتخاب کنید",
|
||||
"place": "مکان",
|
||||
@@ -599,27 +729,38 @@
|
||||
"recent_searches": "جستجوهای اخیر",
|
||||
"refresh": "تازه سازی",
|
||||
"refreshed": "تازه سازی شد",
|
||||
"refreshes_every_file": "",
|
||||
"remove": "حذف",
|
||||
"remove_deleted_assets": "حذف محتواهای حذفشده",
|
||||
"remove_from_album": "حذف از آلبوم",
|
||||
"remove_from_favorites": "حذف از علاقهمندیها",
|
||||
"remove_from_shared_link": "",
|
||||
"removed_api_key": "",
|
||||
"rename": "تغییر نام",
|
||||
"repair": "تعمیر",
|
||||
"repair_no_results_message": "",
|
||||
"replace_with_upload": "جایگزینی با آپلود",
|
||||
"require_password": "",
|
||||
"require_user_to_change_password_on_first_login": "",
|
||||
"reset": "بازنشانی",
|
||||
"reset_password": "بازنشانی رمز عبور",
|
||||
"reset_people_visibility": "",
|
||||
"resolved_all_duplicates": "",
|
||||
"restore": "بازیابی",
|
||||
"restore_all": "بازیابی همه",
|
||||
"restore_user": "بازیابی کاربر",
|
||||
"resume": "ادامه",
|
||||
"retry_upload": "",
|
||||
"review_duplicates": "بررسی تکراریها",
|
||||
"role": "نقش",
|
||||
"save": "ذخیره",
|
||||
"saved_api_key": "",
|
||||
"saved_profile": "پروفایل ذخیره شد",
|
||||
"saved_settings": "تنظیمات ذخیره شد",
|
||||
"say_something": "چیزی بگویید",
|
||||
"scan_all_libraries": "اسکن همه کتابخانهها",
|
||||
"scan_settings": "تنظیمات اسکن",
|
||||
"scanning_for_album": "",
|
||||
"search": "جستجو",
|
||||
"search_albums": "جستجوی آلبومها",
|
||||
"search_by_context": "جستجو براساس زمینه",
|
||||
@@ -633,6 +774,8 @@
|
||||
"search_state": "جستجوی ایالت...",
|
||||
"search_timezone": "جستجوی منطقه زمانی...",
|
||||
"search_type": "نوع جستجو",
|
||||
"search_your_photos": "",
|
||||
"searching_locales": "",
|
||||
"second": "ثانیه",
|
||||
"select_album_cover": "انتخاب جلد آلبوم",
|
||||
"select_all": "انتخاب همه",
|
||||
@@ -643,28 +786,41 @@
|
||||
"select_library_owner": "انتخاب مالک کتابخانه",
|
||||
"select_new_face": "انتخاب چهره جدید",
|
||||
"select_photos": "انتخاب عکسها",
|
||||
"select_trash_all": "",
|
||||
"selected": "انتخاب شده",
|
||||
"send_message": "ارسال پیام",
|
||||
"send_welcome_email": "ارسال ایمیل خوشآمدگویی",
|
||||
"server_stats": "آمار سرور",
|
||||
"set": "تنظیم",
|
||||
"set_as_album_cover": "",
|
||||
"set_as_profile_picture": "",
|
||||
"set_date_of_birth": "تنظیم تاریخ تولد",
|
||||
"set_profile_picture": "تنظیم تصویر پروفایل",
|
||||
"set_slideshow_to_fullscreen": "",
|
||||
"settings": "تنظیمات",
|
||||
"settings_saved": "تنظیمات ذخیره شد",
|
||||
"share": "اشتراکگذاری",
|
||||
"shared": "مشترک",
|
||||
"shared_by": "مشترک توسط",
|
||||
"shared_by_you": "",
|
||||
"shared_from_partner": "عکسها از {partner}",
|
||||
"shared_links": "لینکهای اشتراکی",
|
||||
"shared_photos_and_videos_count": "",
|
||||
"shared_with_partner": "مشترک با {partner}",
|
||||
"sharing": "اشتراکگذاری",
|
||||
"sharing_sidebar_description": "",
|
||||
"show_album_options": "نمایش گزینههای آلبوم",
|
||||
"show_and_hide_people": "",
|
||||
"show_file_location": "نمایش مسیر فایل",
|
||||
"show_gallery": "نمایش گالری",
|
||||
"show_hidden_people": "نمایش افراد پنهان",
|
||||
"show_in_timeline": "",
|
||||
"show_in_timeline_setting_description": "",
|
||||
"show_keyboard_shortcuts": "",
|
||||
"show_metadata": "نمایش اطلاعات متا",
|
||||
"show_or_hide_info": "",
|
||||
"show_password": "نمایش رمز عبور",
|
||||
"show_person_options": "",
|
||||
"show_progress_bar": "نمایش نوار پیشرفت",
|
||||
"show_search_options": "نمایش گزینههای جستجو",
|
||||
"shuffle": "تصادفی",
|
||||
@@ -674,39 +830,60 @@
|
||||
"skip_to_content": "رفتن به محتوا",
|
||||
"slideshow": "نمایش اسلاید",
|
||||
"slideshow_settings": "تنظیمات نمایش اسلاید",
|
||||
"sort_albums_by": "",
|
||||
"stack": "پشته",
|
||||
"stack_selected_photos": "",
|
||||
"stacktrace": "",
|
||||
"start": "شروع",
|
||||
"start_date": "تاریخ شروع",
|
||||
"state": "ایالت",
|
||||
"status": "وضعیت",
|
||||
"stop_motion_photo": "توقف عکس متحرک",
|
||||
"stop_photo_sharing": "",
|
||||
"stop_photo_sharing_description": "",
|
||||
"stop_sharing_photos_with_user": "",
|
||||
"storage": "فضای ذخیرهسازی",
|
||||
"storage_label": "برچسب فضای ذخیرهسازی",
|
||||
"storage_usage": "",
|
||||
"submit": "ارسال",
|
||||
"suggestions": "پیشنهادات",
|
||||
"sunrise_on_the_beach": "",
|
||||
"swap_merge_direction": "تغییر جهت ادغام",
|
||||
"sync": "همگامسازی",
|
||||
"template": "الگو",
|
||||
"theme": "تم",
|
||||
"theme_selection": "انتخاب تم",
|
||||
"theme_selection_description": "",
|
||||
"time_based_memories": "",
|
||||
"timezone": "منطقه زمانی",
|
||||
"to_archive": "بایگانی",
|
||||
"to_favorite": "به علاقهمندیها",
|
||||
"to_trash": "",
|
||||
"toggle_settings": "تغییر تنظیمات",
|
||||
"toggle_theme": "تغییر تم تاریک",
|
||||
"total_usage": "استفاده کلی",
|
||||
"trash": "سطل زباله",
|
||||
"trash_all": "",
|
||||
"trash_count": "",
|
||||
"trash_no_results_message": "",
|
||||
"trashed_items_will_be_permanently_deleted_after": "",
|
||||
"type": "نوع",
|
||||
"unarchive": "",
|
||||
"unfavorite": "حذف از علاقهمندیها",
|
||||
"unhide_person": "آشکار کردن فرد",
|
||||
"unknown": "ناشناخته",
|
||||
"unknown_year": "سال نامشخص",
|
||||
"unlimited": "نامحدود",
|
||||
"unlink_oauth": "لغو اتصال OAuth",
|
||||
"unlinked_oauth_account": "",
|
||||
"unnamed_album": "آلبوم بدون نام",
|
||||
"unnamed_share": "اشتراک بدون نام",
|
||||
"unselect_all": "لغو انتخاب همه",
|
||||
"unstack": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_decription": "",
|
||||
"up_next": "مورد بعدی",
|
||||
"updated_password": "",
|
||||
"upload": "آپلود",
|
||||
"upload_concurrency": "تعداد آپلود همزمان",
|
||||
"url": "آدرس",
|
||||
@@ -720,8 +897,12 @@
|
||||
"validate": "اعتبارسنجی",
|
||||
"variables": "متغیرها",
|
||||
"version": "نسخه",
|
||||
"version_announcement_message": "",
|
||||
"video": "ویدیو",
|
||||
"video_hover_setting": "",
|
||||
"video_hover_setting_description": "",
|
||||
"videos": "ویدیوها",
|
||||
"videos_count": "",
|
||||
"view": "مشاهده",
|
||||
"view_all": "مشاهده همه",
|
||||
"view_all_users": "مشاهده همه کاربران",
|
||||
@@ -731,7 +912,9 @@
|
||||
"waiting": "در انتظار",
|
||||
"week": "هفته",
|
||||
"welcome": "خوش آمدید",
|
||||
"welcome_to_immich": "",
|
||||
"year": "سال",
|
||||
"yes": "بله",
|
||||
"you_dont_have_any_shared_links": "",
|
||||
"zoom_image": "بزرگنمایی تصویر"
|
||||
}
|
||||
|
||||
206
i18n/fi.json
206
i18n/fi.json
@@ -2,13 +2,13 @@
|
||||
"about": "Tietoja",
|
||||
"account": "Tili",
|
||||
"account_settings": "Tilin asetukset",
|
||||
"acknowledge": "Hyväksy",
|
||||
"acknowledge": "Tiedostan",
|
||||
"action": "Toiminta",
|
||||
"action_common_update": "Päivitä",
|
||||
"actions": "Toimintoja",
|
||||
"active": "Aktiivinen",
|
||||
"activity": "Tapahtumat",
|
||||
"activity_changed": "Toiminto {enabled, select, true {otettu käyttöön} other {poistettu käytöstä}}",
|
||||
"activity": "Aktiviteetti",
|
||||
"activity_changed": "Aktiviteetti {enabled, select, true {otettu käyttöön} other {poistettu käytöstä}}",
|
||||
"add": "Lisää",
|
||||
"add_a_description": "Lisää kuvaus",
|
||||
"add_a_location": "Lisää sijainti",
|
||||
@@ -53,7 +53,6 @@
|
||||
"confirm_email_below": "Kirjota \"{email}\" vahvistaaksesi",
|
||||
"confirm_reprocess_all_faces": "Haluatko varmasti käsitellä uudelleen kaikki kasvot? Tämä poistaa myös nimetyt henkilöt.",
|
||||
"confirm_user_password_reset": "Haluatko varmasti nollata käyttäjän {user} salasanan?",
|
||||
"confirm_user_pin_code_reset": "Haluatko varmasti nollata käyttäjän {user} PIN-koodin?",
|
||||
"create_job": "Luo tehtävä",
|
||||
"cron_expression": "Cron-lauseke",
|
||||
"cron_expression_description": "Aseta skannausväli käyttämällä cron-formaattia. Lisätietoja linkistä. <link>Crontab Guru</link>",
|
||||
@@ -349,7 +348,6 @@
|
||||
"user_delete_delay_settings_description": "Kuinka monta päivää poistamisen jälkeen käyttäjä ja hänen aineistonsa poistetaan pysyvästi. Joka keskiyö käydään läpi poistettavaksi merkityt käyttäjät. Tämä muutos astuu voimaan seuraavalla ajokerralla.",
|
||||
"user_delete_immediately": "<b>{user}</b>:n tili ja sen kohteet on ajastettu poistettavaksi <b>heti</b>.",
|
||||
"user_delete_immediately_checkbox": "Aseta tili ja sen kohteet jonoon välitöntä poistoa varten",
|
||||
"user_details": "Käyttäjätiedot",
|
||||
"user_management": "Käyttäjien hallinta",
|
||||
"user_password_has_been_reset": "Käyttäjän salasana on nollattu:",
|
||||
"user_password_reset_description": "Anna väliaikainen salasana ja ohjeista käyttäjää vaihtamaan se seuraavan kirjautumisen yhteydessä.",
|
||||
@@ -371,11 +369,11 @@
|
||||
"advanced": "Edistyneet",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Käytä tätä vaihtoehtoa suodattaaksesi mediaa synkronoinnin aikana vaihtoehtoisten kriteerien perusteella. Kokeile tätä vain, jos sovelluksessa on ongelmia kaikkien albumien tunnistamisessa.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[KOKEELLINEN] Käytä vaihtoehtoisen laitteen albumin synkronointisuodatinta",
|
||||
"advanced_settings_log_level_title": "Kirjaustaso: {level}",
|
||||
"advanced_settings_log_level_title": "Kirjaustaso: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Jotkut laitteet ovat erittäin hitaita lataamaan esikatselukuvia laitteen kohteista. Aktivoi tämä asetus käyttääksesi etäkuvia.",
|
||||
"advanced_settings_prefer_remote_title": "Suosi etäkuvia",
|
||||
"advanced_settings_proxy_headers_subtitle": "Määritä välityspalvelimen otsikot(proxy headers), jotka Immichin tulisi lähettää jokaisen verkkopyynnön mukana",
|
||||
"advanced_settings_proxy_headers_title": "Välityspalvelimen otsikot",
|
||||
"advanced_settings_proxy_headers_title": "Proxy Headers",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Ohita SSL sertifikaattivarmennus palvelimen päätepisteellä. Vaaditaan self-signed -sertifikaateissa.",
|
||||
"advanced_settings_self_signed_ssl_title": "Salli self-signed SSL -sertifikaatit",
|
||||
"advanced_settings_sync_remote_deletions_subtitle": "Poista tai palauta kohde automaattisesti tällä laitteella, kun kyseinen toiminto suoritetaan verkossa",
|
||||
@@ -402,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "Oletko varma että haluat poistaa {user}?",
|
||||
"album_share_no_users": "Näyttää että olet jakanut tämän albumin kaikkien kanssa, tai sinulla ei ole käyttäjiä joille jakaa.",
|
||||
"album_thumbnail_card_item": "1 kohde",
|
||||
"album_thumbnail_card_items": "{count} kohdetta",
|
||||
"album_thumbnail_card_items": "{} kohdetta",
|
||||
"album_thumbnail_card_shared": " · Jaettu",
|
||||
"album_thumbnail_shared_by": "Jakanut {user}",
|
||||
"album_thumbnail_shared_by": "Jakanut {}",
|
||||
"album_updated": "Albumi päivitetty",
|
||||
"album_updated_setting_description": "Saa sähköpostia kun jaetussa albumissa on uutta sisältöä",
|
||||
"album_user_left": "Poistuttiin albumista {album}",
|
||||
@@ -442,7 +440,7 @@
|
||||
"archive": "Arkisto",
|
||||
"archive_or_unarchive_photo": "Arkistoi kuva tai palauta arkistosta",
|
||||
"archive_page_no_archived_assets": "Arkistoituja kohteita ei löytynyt",
|
||||
"archive_page_title": "Arkisto ({count})",
|
||||
"archive_page_title": "Arkisto ({})",
|
||||
"archive_size": "Arkiston koko",
|
||||
"archive_size_description": "Määritä arkiston koko latauksissa (Gt)",
|
||||
"archived": "Arkistoitu",
|
||||
@@ -474,23 +472,23 @@
|
||||
"asset_uploading": "Ladataan…",
|
||||
"asset_viewer_settings_subtitle": "Galleriakatseluohjelman asetusten hallinta",
|
||||
"asset_viewer_settings_title": "Katselin",
|
||||
"assets": "Kohteet",
|
||||
"assets": "kohdetta",
|
||||
"assets_added_count": "Lisätty {count, plural, one {# kohde} other {# kohdetta}}",
|
||||
"assets_added_to_album_count": "Albumiin lisätty {count, plural, one {# kohde} other {# kohdetta}}",
|
||||
"assets_added_to_name_count": "Lisätty {count, plural, one {# kohde} other {# kohdetta}} {hasName, select, true {<b>{name}</b>} other {uuteen albumiin}}",
|
||||
"assets_count": "{count, plural, one {# media} other {# mediaa}}",
|
||||
"assets_deleted_permanently": "{count} kohdetta poistettu pysyvästi",
|
||||
"assets_deleted_permanently_from_server": "{count} objektia poistettu pysyvästi Immich-palvelimelta",
|
||||
"assets_deleted_permanently": "{} kohdetta poistettu pysyvästi",
|
||||
"assets_deleted_permanently_from_server": "{} objektia poistettu pysyvästi Immich-palvelimelta",
|
||||
"assets_moved_to_trash_count": "Siirretty {count, plural, one {# media} other {# mediaa}} roskakoriin",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# media} other {# mediaa}} poistettu pysyvästi",
|
||||
"assets_removed_count": "{count, plural, one {# media} other {# mediaa}} poistettu",
|
||||
"assets_removed_permanently_from_device": "{count} kohdetta on poistettu pysyvästi laitteeltasi",
|
||||
"assets_restore_confirmation": "Haluatko varmasti palauttaa kaikki roskakoriisi siirretyt kohteet? Tätä toimintoa ei voi peruuttaa! Huomaa, että offline-kohteita ei voida palauttaa tällä tavalla.",
|
||||
"assets_removed_permanently_from_device": "{} kohdetta on poistettu pysyvästi laitteeltasi",
|
||||
"assets_restore_confirmation": "Haluatko varmasti palauttaa kaikki roskakoriisi siirretyt resurssit? Tätä toimintoa ei voi peruuttaa! Huomaa, että offline-resursseja ei voida palauttaa tällä tavalla.",
|
||||
"assets_restored_count": "{count, plural, one {# media} other {# mediaa}} palautettu",
|
||||
"assets_restored_successfully": "{count} kohdetta palautettu onnistuneesti",
|
||||
"assets_trashed": "{count} kohdetta siirretty roskakoriin",
|
||||
"assets_restored_successfully": "{} kohdetta palautettu onnistuneesti",
|
||||
"assets_trashed": "{} kohdetta siirretty roskakoriin",
|
||||
"assets_trashed_count": "{count, plural, one {# media} other {# mediaa}} siirretty roskakoriin",
|
||||
"assets_trashed_from_server": "{count} kohdetta siirretty roskakoriin Immich-palvelimelta",
|
||||
"assets_trashed_from_server": "{} kohdetta siirretty roskakoriin Immich-palvelimelta",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Media oli} other {Mediat olivat}} jo albumissa",
|
||||
"authorized_devices": "Valtuutetut laitteet",
|
||||
"automatic_endpoint_switching_subtitle": "Yhdistä paikallisesti nimetyn Wi-Fi-yhteyden kautta, kun se on saatavilla, ja käytä vaihtoehtoisia yhteyksiä muualla",
|
||||
@@ -499,30 +497,31 @@
|
||||
"back_close_deselect": "Palaa, sulje tai poista valinnat",
|
||||
"background_location_permission": "Taustasijainnin käyttöoikeus",
|
||||
"background_location_permission_content": "Jotta sovellus voi vaihtaa verkkoa taustalla toimiessaan, Immichillä on *aina* oltava pääsy tarkkaan sijaintiin, jotta se voi lukea Wi-Fi-verkon nimen",
|
||||
"backup_album_selection_page_albums_device": "Laitteen albumit ({count})",
|
||||
"backup_album_selection_page_albums_device": "Laitteen albumit ({})",
|
||||
"backup_album_selection_page_albums_tap": "Napauta sisällyttääksesi, kaksoisnapauta jättääksesi pois",
|
||||
"backup_album_selection_page_assets_scatter": "Kohteet voivat olla hajaantuneina useisiin albumeihin. Albumeita voidaan sisällyttää varmuuskopiointiin tai jättää siitä pois.",
|
||||
"backup_album_selection_page_select_albums": "Valitse albumit",
|
||||
"backup_album_selection_page_selection_info": "Valintatiedot",
|
||||
"backup_album_selection_page_total_assets": "Ainulaatuisia kohteita yhteensä",
|
||||
"backup_album_selection_page_total_assets": "Uniikkeja kohteita yhteensä",
|
||||
"backup_all": "Kaikki",
|
||||
"backup_background_service_backup_failed_message": "Kohteiden varmuuskopiointi epäonnistui. Yritetään uudelleen…",
|
||||
"backup_background_service_connection_failed_message": "Palvelimeen ei saatu yhteyttä. Yritetään uudelleen…",
|
||||
"backup_background_service_current_upload_notification": "Lähetetään {filename}",
|
||||
"backup_background_service_current_upload_notification": "Lähetetään {}",
|
||||
"backup_background_service_default_notification": "Tarkistetaan uusia kohteita…",
|
||||
"backup_background_service_error_title": "Virhe varmuuskopioinnissa",
|
||||
"backup_background_service_in_progress_notification": "Varmuuskopioidaan kohteita…",
|
||||
"backup_background_service_upload_failure_notification": "Lähetys epäonnistui {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Lähetys epäonnistui {}",
|
||||
"backup_controller_page_albums": "Varmuuskopioi albumit",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Salli sovelluksen päivittäminen taustalla suorittaaksesi varmuuskopiointia taustalla: Asetukset > Yleiset > Appien päivitys taustalla.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Sovelluksen päivittäminen taustalla on pois päältä",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Siirry asetuksiin",
|
||||
"backup_controller_page_background_battery_info_link": "Näytä minulle miten",
|
||||
"backup_controller_page_background_battery_info_message": "Kytke pois päältä kaikki Immichin taustatyöskentelyyn liittyvät akun optimoinnit, jotta varmistat taustavarmuuskopioinnin parhaan mahdollisen toiminnan.\n\nKoska tämä on laitekohtaista, tarkista tarvittavat toimet laitevalmistajan ohjeista.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Akun optimointi",
|
||||
"backup_controller_page_background_charging": "Vain laitteen ollessa kytkettynä laturiin",
|
||||
"backup_controller_page_background_configure_error": "Taustapalvelun asettaminen epäonnistui",
|
||||
"backup_controller_page_background_delay": "Viivästytä uusien kohteiden varmuuskopiointia: {duration}",
|
||||
"backup_controller_page_background_delay": "Viivästytä uusien kohteiden varmuuskopiointia: {}",
|
||||
"backup_controller_page_background_description": "Kytke taustapalvelu päälle varmuuskopioidaksesi uudet kohteet automaattisesti, ilman sovelluksen avaamista",
|
||||
"backup_controller_page_background_is_off": "Automaattinen varmuuskopiointi taustalla on pois päältä",
|
||||
"backup_controller_page_background_is_on": "Automaattinen varmuuskopiointi taustalla on päällä",
|
||||
@@ -532,11 +531,12 @@
|
||||
"backup_controller_page_backup": "Varmuuskopiointi",
|
||||
"backup_controller_page_backup_selected": "Valittu: ",
|
||||
"backup_controller_page_backup_sub": "Varmuuskopioidut kuvat ja videot",
|
||||
"backup_controller_page_created": "Luotu: {date}",
|
||||
"backup_controller_page_created": "Luotu: {}",
|
||||
"backup_controller_page_desc_backup": "Kytke varmuuskopiointi päälle lähettääksesi uudet kohteet palvelimelle automaattisesti.",
|
||||
"backup_controller_page_excluded": "Poissuljettu: ",
|
||||
"backup_controller_page_failed": "Epäonnistui ({count})",
|
||||
"backup_controller_page_filename": "Tiedostonimi: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Epäonnistui ({})",
|
||||
"backup_controller_page_filename": "Tiedostonimi: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Varmuuskopioinnin tiedot",
|
||||
"backup_controller_page_none_selected": "Ei mitään",
|
||||
"backup_controller_page_remainder": "Jäljellä",
|
||||
@@ -545,14 +545,14 @@
|
||||
"backup_controller_page_start_backup": "Aloita varmuuskopiointi",
|
||||
"backup_controller_page_status_off": "Varmuuskopiointi on pois päältä",
|
||||
"backup_controller_page_status_on": "Varmuuskopiointi on päällä",
|
||||
"backup_controller_page_storage_format": "{used} / {total} käytetty",
|
||||
"backup_controller_page_storage_format": "{} / {} käytetty",
|
||||
"backup_controller_page_to_backup": "Varmuuskopioitavat albumit",
|
||||
"backup_controller_page_total_sub": "Kaikki uniikit kuvat ja videot valituista albumeista",
|
||||
"backup_controller_page_turn_off": "Varmuuskopiointi pois päältä",
|
||||
"backup_controller_page_turn_on": "Varmuuskopiointi päälle",
|
||||
"backup_controller_page_uploading_file_info": "Tiedostojen lähetystiedot",
|
||||
"backup_err_only_album": "Vähintään yhden albumin tulee olla valittuna",
|
||||
"backup_info_card_assets": "kohteet",
|
||||
"backup_info_card_assets": "kohdetta",
|
||||
"backup_manual_cancelled": "Peruutettu",
|
||||
"backup_manual_in_progress": "Lähetys palvelimelle on jo käynnissä. Kokeile myöhemmin uudelleen",
|
||||
"backup_manual_success": "Onnistui",
|
||||
@@ -570,21 +570,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Haluatko varmasti säilyttää {count, plural, one {# kaksoiskappaleen} other {# kaksoiskappaleet}}? Tämä merkitsee kaikki kaksoiskappaleet ratkaistuiksi, eikä poista mitään.",
|
||||
"bulk_trash_duplicates_confirmation": "Haluatko varmasti siirtää {count, plural, one {# kaksoiskappaleen} other {# kaksoiskappaleet}} roskakoriin? Tämä säilyttää kustakin mediasta kookkaimman ja siirtää loput roskakoriin.",
|
||||
"buy": "Osta lisenssi Immich:iin",
|
||||
"cache_settings_album_thumbnails": "Kirjastosivun esikatselukuvat ({count} kohdetta)",
|
||||
"cache_settings_album_thumbnails": "Kirjastosivun esikatselukuvat ({} kohdetta)",
|
||||
"cache_settings_clear_cache_button": "Tyhjennä välimuisti",
|
||||
"cache_settings_clear_cache_button_title": "Tyhjennä sovelluksen välimuisti. Tämä vaikuttaa merkittävästi sovelluksen suorituskykyyn, kunnes välimuisti on rakennettu uudelleen.",
|
||||
"cache_settings_duplicated_assets_clear_button": "Tyhjennä",
|
||||
"cache_settings_duplicated_assets_subtitle": "Sovelluksen mustalle listalle merkitsemät valokuvat ja videot",
|
||||
"cache_settings_duplicated_assets_title": "Kaksoiskappaleet ({count})",
|
||||
"cache_settings_image_cache_size": "Kuvavälimuistin koko ({count} kohdetta)",
|
||||
"cache_settings_duplicated_assets_title": "Kaksoiskappaleet ({})",
|
||||
"cache_settings_image_cache_size": "Kuvavälimuistin koko ({} kohdetta)",
|
||||
"cache_settings_statistics_album": "Kirjaston esikatselukuvat",
|
||||
"cache_settings_statistics_assets": "{count} kohdetta ({size})",
|
||||
"cache_settings_statistics_assets": "{} kohdetta ({})",
|
||||
"cache_settings_statistics_full": "Täysikokoiset kuvat",
|
||||
"cache_settings_statistics_shared": "Jaettujen albumien esikatselukuvat",
|
||||
"cache_settings_statistics_thumbnail": "Esikatselukuvat",
|
||||
"cache_settings_statistics_title": "Välimuistin käyttö",
|
||||
"cache_settings_subtitle": "Hallitse Immich-mobiilisovelluksen välimuistin käyttöä",
|
||||
"cache_settings_thumbnail_size": "Esikatselukuvien välimuistin koko ({count} kohdetta)",
|
||||
"cache_settings_thumbnail_size": "Esikatselukuvien välimuistin koko ({} kohdetta)",
|
||||
"cache_settings_tile_subtitle": "Hallitse paikallista tallenustilaa",
|
||||
"cache_settings_tile_title": "Paikallinen tallennustila",
|
||||
"cache_settings_title": "Välimuistin asetukset",
|
||||
@@ -610,7 +610,6 @@
|
||||
"change_password_form_new_password": "Uusi salasana",
|
||||
"change_password_form_password_mismatch": "Salasanat eivät täsmää",
|
||||
"change_password_form_reenter_new_password": "Uusi salasana uudelleen",
|
||||
"change_pin_code": "Vaihda PIN-koodi",
|
||||
"change_your_password": "Vaihda salasanasi",
|
||||
"changed_visibility_successfully": "Näkyvyys vaihdettu",
|
||||
"check_all": "Valitse kaikki",
|
||||
@@ -625,6 +624,9 @@
|
||||
"clear_all_recent_searches": "Tyhjennä viimeisimmät haut",
|
||||
"clear_message": "Tyhjennä viesti",
|
||||
"clear_value": "Tyhjää arvo",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Enter Password",
|
||||
"client_cert_import": "Import",
|
||||
"client_cert_import_success_msg": "Asiakasvarmenne tuotu",
|
||||
"client_cert_invalid_msg": "Virheellinen varmennetiedosto tai väärä salasana",
|
||||
"client_cert_remove_msg": "Asiakassertifikaatti on poistettu",
|
||||
@@ -648,12 +650,11 @@
|
||||
"confirm_delete_face": "Haluatko poistaa {name} kasvot kohteesta?",
|
||||
"confirm_delete_shared_link": "Haluatko varmasti poistaa tämän jaetun linkin?",
|
||||
"confirm_keep_this_delete_others": "Kuvapinon muut kuvat tätä lukuunottamatta poistetaan. Oletko varma, että haluat jatkaa?",
|
||||
"confirm_new_pin_code": "Vahvista uusi PIN-koodi",
|
||||
"confirm_password": "Vahvista salasana",
|
||||
"contain": "Mahduta",
|
||||
"context": "Konteksti",
|
||||
"continue": "Jatka",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} kohdetta · Jaettu",
|
||||
"control_bottom_app_bar_album_info_shared": "{} kohdetta · Jaettu",
|
||||
"control_bottom_app_bar_create_new_album": "Luo uusi albumi",
|
||||
"control_bottom_app_bar_delete_from_immich": "Poista Immichistä",
|
||||
"control_bottom_app_bar_delete_from_local": "Poista laitteelta",
|
||||
@@ -681,6 +682,7 @@
|
||||
"create_link": "Luo linkki",
|
||||
"create_link_to_share": "Luo linkki jaettavaksi",
|
||||
"create_link_to_share_description": "Salli kaikkien linkin saaneiden nähdä valitut kuvat",
|
||||
"create_new": "CREATE NEW",
|
||||
"create_new_person": "Luo uusi henkilö",
|
||||
"create_new_person_hint": "Määritä valitut mediat uudelle henkilölle",
|
||||
"create_new_user": "Luo uusi käyttäjä",
|
||||
@@ -690,21 +692,19 @@
|
||||
"create_tag_description": "Luo uusi tunniste. Sisäkkäisiä tunnisteita varten syötä tunnisteen täydellinen polku kauttaviivat mukaan luettuna.",
|
||||
"create_user": "Luo käyttäjä",
|
||||
"created": "Luotu",
|
||||
"created_at": "Luotu",
|
||||
"crop": "Rajaa",
|
||||
"curated_object_page_title": "Asiat",
|
||||
"current_device": "Nykyinen laite",
|
||||
"current_pin_code": "Nykyinen PIN-koodi",
|
||||
"current_server_address": "Nykyinen palvelinosoite",
|
||||
"custom_locale": "Muokatut maa-asetukset",
|
||||
"custom_locale_description": "Muotoile päivämäärät ja numerot perustuen alueen kieleen",
|
||||
"daily_title_text_date": "E, dd MMM",
|
||||
"daily_title_text_date_year": "E, dd MMM, yyyy",
|
||||
"daily_title_text_date": "E, MMM dd",
|
||||
"daily_title_text_date_year": "E, MMM dd, yyyy",
|
||||
"dark": "Tumma",
|
||||
"date_after": "Päivämäärän jälkeen",
|
||||
"date_and_time": "Päivämäärä ja aika",
|
||||
"date_before": "Päivä ennen",
|
||||
"date_format": "E d. LLL y • hh:mm",
|
||||
"date_format": "E, LLL d, y • h:mm a",
|
||||
"date_of_birth_saved": "Syntymäaika tallennettu",
|
||||
"date_range": "Päivämäärän rajaus",
|
||||
"day": "Päivä",
|
||||
@@ -738,14 +738,15 @@
|
||||
"delete_tag_confirmation_prompt": "Haluatko varmasti poistaa tunnisteen {tagName}?",
|
||||
"delete_user": "Poista käyttäjä",
|
||||
"deleted_shared_link": "Jaettu linkki poistettu",
|
||||
"deletes_missing_assets": "Poistaa levyltä puuttuvat kohteet",
|
||||
"deletes_missing_assets": "Poistaa levyltä puuttuvat resurssit",
|
||||
"description": "Kuvaus",
|
||||
"description_input_hint_text": "Lisää kuvaus...",
|
||||
"description_input_submit_error": "Virhe kuvauksen päivittämisessä, tarkista lisätiedot lokista",
|
||||
"details": "Tiedot",
|
||||
"details": "TIEDOT",
|
||||
"direction": "Suunta",
|
||||
"disabled": "Poistettu käytöstä",
|
||||
"disallow_edits": "Älä salli muokkauksia",
|
||||
"discord": "Discord",
|
||||
"discover": "Tutki",
|
||||
"dismiss_all_errors": "Sivuuta kaikki virheet",
|
||||
"dismiss_error": "Sivuuta virhe",
|
||||
@@ -760,8 +761,9 @@
|
||||
"download_canceled": "Lataus peruutettu",
|
||||
"download_complete": "Lataus valmis",
|
||||
"download_enqueue": "Latausjonossa",
|
||||
"download_error": "Download Error",
|
||||
"download_failed": "Lataus epäonnistui",
|
||||
"download_filename": "tiedosto: {filename}",
|
||||
"download_filename": "tiedosto: {}",
|
||||
"download_finished": "Lataus valmis",
|
||||
"download_include_embedded_motion_videos": "Upotetut videot",
|
||||
"download_include_embedded_motion_videos_description": "Sisällytä liikekuviin upotetut videot erillisinä tiedostoina",
|
||||
@@ -805,7 +807,6 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "Kuvasuhteet",
|
||||
"editor_crop_tool_h2_rotation": "Rotaatio",
|
||||
"email": "Sähköposti",
|
||||
"email_notifications": "Sähköposti-ilmoitukset",
|
||||
"empty_folder": "Kansio on tyhjä",
|
||||
"empty_trash": "Tyhjennä roskakori",
|
||||
"empty_trash_confirmation": "Haluatko varmasti tyhjentää roskakorin? Tämä poistaa pysyvästi kaikki tiedostot Immich:stä.\nToimintoa ei voi perua!",
|
||||
@@ -818,7 +819,7 @@
|
||||
"error_change_sort_album": "Albumin lajittelujärjestyksen muuttaminen epäonnistui",
|
||||
"error_delete_face": "Virhe kasvojen poistamisessa kohteesta",
|
||||
"error_loading_image": "Kuvan lataus ei onnistunut",
|
||||
"error_saving_image": "Virhe: {error}",
|
||||
"error_saving_image": "Virhe: {}",
|
||||
"error_title": "Virhe - Jotain meni pieleen",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Seuraavaan mediaan ei voi siirtyä",
|
||||
@@ -921,7 +922,6 @@
|
||||
"unable_to_remove_reaction": "Reaktion poistaminen epäonnistui",
|
||||
"unable_to_repair_items": "Kohteiden korjaaminen epäonnistui",
|
||||
"unable_to_reset_password": "Salasanan nollaaminen epäonnistui",
|
||||
"unable_to_reset_pin_code": "PIN-koodin nollaaminen epäonnistui",
|
||||
"unable_to_resolve_duplicate": "Kaksoiskappaleen ratkaiseminen epäonnistui",
|
||||
"unable_to_restore_assets": "Kohteen palauttaminen epäonnistui",
|
||||
"unable_to_restore_trash": "Kohteiden palauttaminen epäonnistui",
|
||||
@@ -949,15 +949,16 @@
|
||||
"unable_to_update_user": "Käyttäjän muokkaus epäonnistui",
|
||||
"unable_to_upload_file": "Tiedostoa ei voitu ladata"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Lisää kuvaus…",
|
||||
"exif_bottom_sheet_details": "TIEDOT",
|
||||
"exif_bottom_sheet_location": "SIJAINTI",
|
||||
"exif_bottom_sheet_people": "IHMISET",
|
||||
"exif_bottom_sheet_person_add_person": "Lisää nimi",
|
||||
"exif_bottom_sheet_person_age": "Ikä {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Ikä {months} kuukautta",
|
||||
"exif_bottom_sheet_person_age_year_months": "Ikä 1 vuosi, {months} kuukautta",
|
||||
"exif_bottom_sheet_person_age_years": "Ikä {years}",
|
||||
"exif_bottom_sheet_person_age": "Ikä {}",
|
||||
"exif_bottom_sheet_person_age_months": "Ikä {} kuukautta",
|
||||
"exif_bottom_sheet_person_age_year_months": "Ikä 1 vuosi, {} kuukautta",
|
||||
"exif_bottom_sheet_person_age_years": "Ikä {}",
|
||||
"exit_slideshow": "Poistu diaesityksestä",
|
||||
"expand_all": "Laajenna kaikki",
|
||||
"experimental_settings_new_asset_list_subtitle": "Työn alla",
|
||||
@@ -991,6 +992,7 @@
|
||||
"file_name_or_extension": "Tiedostonimi tai tiedostopääte",
|
||||
"filename": "Tiedostonimi",
|
||||
"filetype": "Tiedostotyyppi",
|
||||
"filter": "Filter",
|
||||
"filter_people": "Suodata henkilöt",
|
||||
"filter_places": "Suodata paikkoja",
|
||||
"find_them_fast": "Löydä nopeasti hakemalla nimellä",
|
||||
@@ -1019,8 +1021,8 @@
|
||||
"has_quota": "On kiintiö",
|
||||
"header_settings_add_header_tip": "Lisää otsikko",
|
||||
"header_settings_field_validator_msg": "Arvo ei voi olla tyhjä",
|
||||
"header_settings_header_name_input": "Otsikon nimi",
|
||||
"header_settings_header_value_input": "Otsikon arvo",
|
||||
"header_settings_header_name_input": "Header name",
|
||||
"header_settings_header_value_input": "Header value",
|
||||
"headers_settings_tile_subtitle": "Määritä välityspalvelimen otsikot, jotka sovelluksen tulisi lähettää jokaisen verkkopyynnön mukana",
|
||||
"headers_settings_tile_title": "Mukautettu proxy headers",
|
||||
"hi_user": "Hei {name} ({email})",
|
||||
@@ -1118,6 +1120,7 @@
|
||||
"list": "Lista",
|
||||
"loading": "Ladataan",
|
||||
"loading_search_results_failed": "Hakutulosten lataaminen epäonnistui",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "Sovellus muodostaa yhteyden palvelimeen tämän URL-osoitteen kautta, kun käytetään määritettyä Wi-Fi-verkkoa",
|
||||
"location_permission": "Sijainnin käyttöoikeus",
|
||||
"location_permission_content": "Automaattisen vaihtotoiminnon käyttämiseksi Immich tarvitsee tarkan sijainnin käyttöoikeuden, jotta se voi lukea nykyisen Wi-Fi-verkon nimen",
|
||||
@@ -1170,8 +1173,8 @@
|
||||
"manage_your_devices": "Hallitse sisäänkirjautuneita laitteitasi",
|
||||
"manage_your_oauth_connection": "Hallitse OAuth-yhteyttäsi",
|
||||
"map": "Kartta",
|
||||
"map_assets_in_bound": "{count} kuva",
|
||||
"map_assets_in_bounds": "{count} kuvaa",
|
||||
"map_assets_in_bound": "{} kuva",
|
||||
"map_assets_in_bounds": "{} kuvaa",
|
||||
"map_cannot_get_user_location": "Käyttäjän sijaintia ei voitu määrittää",
|
||||
"map_location_dialog_yes": "Kyllä",
|
||||
"map_location_picker_page_use_location": "Käytä tätä sijaintia",
|
||||
@@ -1185,9 +1188,9 @@
|
||||
"map_settings": "Kartta-asetukset",
|
||||
"map_settings_dark_mode": "Tumma tila",
|
||||
"map_settings_date_range_option_day": "Viimeiset 24 tuntia",
|
||||
"map_settings_date_range_option_days": "Viimeiset {days} päivää",
|
||||
"map_settings_date_range_option_days": "Viimeiset {} päivää",
|
||||
"map_settings_date_range_option_year": "Viimeisin vuosi",
|
||||
"map_settings_date_range_option_years": "Viimeiset {years} vuotta",
|
||||
"map_settings_date_range_option_years": "Viimeiset {} vuotta",
|
||||
"map_settings_dialog_title": "Kartta-asetukset",
|
||||
"map_settings_include_show_archived": "Sisällytä arkistoidut",
|
||||
"map_settings_include_show_partners": "Sisällytä kumppanit",
|
||||
@@ -1205,6 +1208,8 @@
|
||||
"memories_setting_description": "Hallitse mitä näet muistoissasi",
|
||||
"memories_start_over": "Aloita alusta",
|
||||
"memories_swipe_to_close": "Pyyhkäise ylös sulkeaksesi",
|
||||
"memories_year_ago": "Vuosi sitten",
|
||||
"memories_years_ago": "{} vuotta sitten",
|
||||
"memory": "Muisto",
|
||||
"memory_lane_title": "Muistojen polku {title}",
|
||||
"menu": "Valikko",
|
||||
@@ -1219,6 +1224,7 @@
|
||||
"missing": "Puuttuu",
|
||||
"model": "Malli",
|
||||
"month": "Kuukauden mukaan",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Enemmän",
|
||||
"moved_to_archive": "Siirretty {count, plural, one {# kohde} other {# kohdetta}} arkistoon",
|
||||
"moved_to_library": "Siirretty {count, plural, one {# kohde} other {# kohdetta}} kirjastoon",
|
||||
@@ -1236,7 +1242,6 @@
|
||||
"new_api_key": "Uusi API-avain",
|
||||
"new_password": "Uusi salasana",
|
||||
"new_person": "Uusi henkilö",
|
||||
"new_pin_code": "Uusi PIN-koodi",
|
||||
"new_user_created": "Uusi käyttäjä lisätty",
|
||||
"new_version_available": "UUSI VERSIO SAATAVILLA",
|
||||
"newest_first": "Uusin ensin",
|
||||
@@ -1272,9 +1277,12 @@
|
||||
"notification_toggle_setting_description": "Ota sähköposti-ilmoitukset käyttöön",
|
||||
"notifications": "Ilmoitukset",
|
||||
"notifications_setting_description": "Hallitse ilmoituksia",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Viralliset Immich-resurssit",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Offline-polut",
|
||||
"offline_paths_description": "Nämä tulokset voivat johtua tiedostojen manuaalisesta poistamisesta, jotka eivät ole osa ulkoista kirjastoa.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Vanhin ensin",
|
||||
"on_this_device": "Laitteella",
|
||||
"onboarding": "Käyttöönotto",
|
||||
@@ -1282,6 +1290,7 @@
|
||||
"onboarding_theme_description": "Valitse väriteema istunnollesi. Voit muuttaa tämän myöhemmin asetuksistasi.",
|
||||
"onboarding_welcome_description": "Aloitetaa laittamalla istuntoosi joitakin yleisiä asetuksia.",
|
||||
"onboarding_welcome_user": "Tervetuloa {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Vain suosikit",
|
||||
"open": "Avaa",
|
||||
"open_in_map_view": "Avaa karttanäkymässä",
|
||||
@@ -1307,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "Kumppanin lisääminen epäonnistui",
|
||||
"partner_page_select_partner": "Valitse kumppani",
|
||||
"partner_page_shared_to_title": "Jaettu henkilöille",
|
||||
"partner_page_stop_sharing_content": "{partner} ei voi enää käyttää kuviasi.",
|
||||
"partner_page_stop_sharing_content": "{} ei voi enää käyttää kuviasi.",
|
||||
"partner_sharing": "Kumppanijako",
|
||||
"partners": "Kumppanit",
|
||||
"password": "Salasana",
|
||||
@@ -1333,7 +1342,7 @@
|
||||
"permanent_deletion_warning_setting_description": "Näytä varoitus, kun poistat kohteita pysyvästi",
|
||||
"permanently_delete": "Poista pysyvästi",
|
||||
"permanently_delete_assets_count": "Poista pysyvästi {count, plural, one {kohde} other {kohteita}}",
|
||||
"permanently_delete_assets_prompt": "Haluatko varmasti poistaa pysyvästi {count, plural, one {tämän kohteen?} other {nämä <b>#</b> kohteet?}} Tämä poistaa myös {count, plural, one {sen} other {ne}} kaikista albumeista.",
|
||||
"permanently_delete_assets_prompt": "Oletko varma, että haluat poistaa pysyvästi {count, plural, one {tämän kohteen?} other {nämä <b>#</b> kohteet?}} Tämä poistaa myös {count, plural, one {sen sen} other {ne niiden}} albumista.",
|
||||
"permanently_deleted_asset": "Media poistettu pysyvästi",
|
||||
"permanently_deleted_assets_count": "{count, plural, one {# media} other {# mediaa}} poistettu pysyvästi",
|
||||
"permission_onboarding_back": "Takaisin",
|
||||
@@ -1353,9 +1362,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Kuva} other {{count, number} kuvaa}}",
|
||||
"photos_from_previous_years": "Kuvia edellisiltä vuosilta",
|
||||
"pick_a_location": "Valitse sijainti",
|
||||
"pin_code_changed_successfully": "PIN-koodin vaihto onnistui",
|
||||
"pin_code_reset_successfully": "PIN-koodin nollaus onnistui",
|
||||
"pin_code_setup_successfully": "PIN-koodin asettaminen onnistui",
|
||||
"place": "Sijainti",
|
||||
"places": "Paikat",
|
||||
"places_count": "{count, plural, one {{count, number} Paikka} other {{count, number} Paikkaa}}",
|
||||
@@ -1373,11 +1379,11 @@
|
||||
"previous_or_next_photo": "Edellinen tai seuraava kuva",
|
||||
"primary": "Ensisijainen",
|
||||
"privacy": "Yksityisyys",
|
||||
"profile": "Profiili",
|
||||
"profile_drawer_app_logs": "Lokit",
|
||||
"profile_drawer_client_out_of_date_major": "Sovelluksen mobiiliversio on vanhentunut. Päivitä viimeisimpään merkittävään versioon.",
|
||||
"profile_drawer_client_out_of_date_minor": "Sovelluksen mobiiliversio on vanhentunut. Päivitä viimeisimpään versioon.",
|
||||
"profile_drawer_client_server_up_to_date": "Asiakassovellus ja palvelin ovat ajan tasalla",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Palvelimen ohjelmistoversio on vanhentunut. Päivitä viimeisimpään merkittävään versioon.",
|
||||
"profile_drawer_server_out_of_date_minor": "Palvelimen ohjelmistoversio on vanhentunut. Päivitä viimeisimpään versioon.",
|
||||
"profile_image_of_user": "Käyttäjän {user} profiilikuva",
|
||||
@@ -1386,7 +1392,7 @@
|
||||
"public_share": "Julkinen jako",
|
||||
"purchase_account_info": "Tukija",
|
||||
"purchase_activated_subtitle": "Kiitos Immichin ja avoimen lähdekoodin ohjelmiston tukemisesta",
|
||||
"purchase_activated_time": "Aktivoitu {date}",
|
||||
"purchase_activated_time": "Aktivoitu {date, date}",
|
||||
"purchase_activated_title": "Avaimesi on aktivoitu onnistuneesti",
|
||||
"purchase_button_activate": "Aktivoi",
|
||||
"purchase_button_buy": "Osta",
|
||||
@@ -1475,7 +1481,6 @@
|
||||
"reset": "Nollaa",
|
||||
"reset_password": "Nollaa salasana",
|
||||
"reset_people_visibility": "Nollaa henkilöiden näkyvyysasetukset",
|
||||
"reset_pin_code": "Nollaa PIN-koodi",
|
||||
"reset_to_default": "Palauta oletusasetukset",
|
||||
"resolve_duplicates": "Ratkaise kaksoiskappaleet",
|
||||
"resolved_all_duplicates": "Kaikki kaksoiskappaleet selvitetty",
|
||||
@@ -1513,12 +1518,15 @@
|
||||
"search_country": "Etsi maata...",
|
||||
"search_filter_apply": "Käytä",
|
||||
"search_filter_camera_title": "Valitse kameratyyppi",
|
||||
"search_filter_date": "Date",
|
||||
"search_filter_date_interval": "{start} to {end}",
|
||||
"search_filter_date_title": "Valitse aikaväli",
|
||||
"search_filter_display_option_not_in_album": "Ei kuulu albumiin",
|
||||
"search_filter_display_options": "Näyttöasetukset",
|
||||
"search_filter_filename": "Etsi tiedostonimellä",
|
||||
"search_filter_location": "Sijainti",
|
||||
"search_filter_location_title": "Valitse sijainti",
|
||||
"search_filter_media_type": "Media Type",
|
||||
"search_filter_media_type_title": "Valitse mediatyyppi",
|
||||
"search_filter_people_title": "Valitse ihmiset",
|
||||
"search_for": "Hae",
|
||||
@@ -1596,14 +1604,14 @@
|
||||
"setting_languages_apply": "Käytä",
|
||||
"setting_languages_subtitle": "Vaihda sovelluksen kieli",
|
||||
"setting_languages_title": "Kieli",
|
||||
"setting_notifications_notify_failures_grace_period": "Ilmoita taustalla tapahtuvista varmuuskopiointivirheistä: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} tuntia",
|
||||
"setting_notifications_notify_failures_grace_period": "Ilmoita taustavarmuuskopioinnin epäonnistumisista: {}",
|
||||
"setting_notifications_notify_hours": "{} tuntia",
|
||||
"setting_notifications_notify_immediately": "heti",
|
||||
"setting_notifications_notify_minutes": "{count} minuuttia",
|
||||
"setting_notifications_notify_minutes": "{} minuuttia",
|
||||
"setting_notifications_notify_never": "ei koskaan",
|
||||
"setting_notifications_notify_seconds": "{count} sekuntia",
|
||||
"setting_notifications_notify_seconds": "{} sekuntia",
|
||||
"setting_notifications_single_progress_subtitle": "Yksityiskohtainen tieto palvelimelle lähettämisen edistymisestä kohteittain",
|
||||
"setting_notifications_single_progress_title": "Näytä taustavarmuuskopioinnin edistyminen",
|
||||
"setting_notifications_single_progress_title": "Näytä taustavarmuuskopioinnin eidstminen",
|
||||
"setting_notifications_subtitle": "Ilmoitusasetusten määrittely",
|
||||
"setting_notifications_total_progress_subtitle": "Lähetyksen yleinen edistyminen (kohteita lähetetty/yhteensä)",
|
||||
"setting_notifications_total_progress_title": "Näytä taustavarmuuskopioinnin kokonaisedistyminen",
|
||||
@@ -1613,10 +1621,9 @@
|
||||
"settings": "Asetukset",
|
||||
"settings_require_restart": "Käynnistä Immich uudelleen ottaaksesti tämän asetuksen käyttöön",
|
||||
"settings_saved": "Asetukset tallennettu",
|
||||
"setup_pin_code": "Määritä PIN-koodi",
|
||||
"share": "Jaa",
|
||||
"share_add_photos": "Lisää kuvia",
|
||||
"share_assets_selected": "{count} valittu",
|
||||
"share_assets_selected": "{} valittu",
|
||||
"share_dialog_preparing": "Valmistellaan...",
|
||||
"shared": "Jaettu",
|
||||
"shared_album_activities_input_disable": "Kommentointi on kytketty pois päältä",
|
||||
@@ -1630,33 +1637,34 @@
|
||||
"shared_by_user": "Käyttäjän {user} jakama",
|
||||
"shared_by_you": "Sinun jakamasi",
|
||||
"shared_from_partner": "Kumppanin {partner} kuvia",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Lähetetty",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Lähetetty",
|
||||
"shared_link_app_bar_title": "Jaetut linkit",
|
||||
"shared_link_clipboard_copied_massage": "Kopioitu leikepöydältä",
|
||||
"shared_link_clipboard_text": "Linkki: {link}\nSalasana: {password}",
|
||||
"shared_link_clipboard_text": "Linkki: {}\nSalasana: {}",
|
||||
"shared_link_create_error": "Jaetun linkin luomisessa tapahtui virhe",
|
||||
"shared_link_edit_description_hint": "Lisää jaon kuvaus",
|
||||
"shared_link_edit_expire_after_option_day": "1 päivä",
|
||||
"shared_link_edit_expire_after_option_days": "{count} päivää",
|
||||
"shared_link_edit_expire_after_option_days": "{} päivää",
|
||||
"shared_link_edit_expire_after_option_hour": "1 tunti",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} tuntia",
|
||||
"shared_link_edit_expire_after_option_hours": "{} tuntia",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuutti",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minuuttia",
|
||||
"shared_link_edit_expire_after_option_months": "{count} kuukautta",
|
||||
"shared_link_edit_expire_after_option_year": "{count} vuosi",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minuuttia",
|
||||
"shared_link_edit_expire_after_option_months": "{} kuukautta",
|
||||
"shared_link_edit_expire_after_option_year": "{} vuosi",
|
||||
"shared_link_edit_password_hint": "Syötä jaon salasana",
|
||||
"shared_link_edit_submit_button": "Päivitä linkki",
|
||||
"shared_link_error_server_url_fetch": "Palvelimen URL-osoitetta ei voitu hakea",
|
||||
"shared_link_expires_day": "Vanhenee {count} päivässä",
|
||||
"shared_link_expires_days": "Vanhenee {count} päivässä",
|
||||
"shared_link_expires_hour": "Vanhenee {count} tunnissa",
|
||||
"shared_link_expires_hours": "Vanhenee {count} tunnissa",
|
||||
"shared_link_expires_minute": "Vanhenee {count} minuutissa",
|
||||
"shared_link_expires_minutes": "Vanhenee {count} minuutissa",
|
||||
"shared_link_expires_day": "Vanhenee {} päivässä",
|
||||
"shared_link_expires_days": "Vanhenee {} päivässä",
|
||||
"shared_link_expires_hour": "Vanhenee {} tunnissa",
|
||||
"shared_link_expires_hours": "Vanhenee {} tunnissa",
|
||||
"shared_link_expires_minute": "Vanhenee {} minuutissa",
|
||||
"shared_link_expires_minutes": "Vanhenee {} minuutissa",
|
||||
"shared_link_expires_never": "Voimassaolo päättyy ∞",
|
||||
"shared_link_expires_second": "Vanhenee {count} sekunnissa",
|
||||
"shared_link_expires_seconds": "Vanhenee {count} sekunnissa",
|
||||
"shared_link_expires_second": "Vanhenee {} sekunnissa",
|
||||
"shared_link_expires_seconds": "Vanhenee {} sekunnissa",
|
||||
"shared_link_individual_shared": "Yksilöllisesti jaettu",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Hallitse jaettuja linkkejä",
|
||||
"shared_link_options": "Jaetun linkin vaihtoehdot",
|
||||
"shared_links": "Jaetut linkit",
|
||||
@@ -1729,7 +1737,6 @@
|
||||
"stop_sharing_photos_with_user": "Päätä kuviesi jakaminen tämän käyttäjän kanssa",
|
||||
"storage": "Tallennustila",
|
||||
"storage_label": "Tallennustilan nimike",
|
||||
"storage_quota": "Tallennuskiintiö",
|
||||
"storage_usage": "{used} / {available} käytetty",
|
||||
"submit": "Lähetä",
|
||||
"suggestions": "Ehdotukset",
|
||||
@@ -1751,11 +1758,12 @@
|
||||
"tag_updated": "Päivitetty tunniste: {tag}",
|
||||
"tagged_assets": "Tunnistettu {count, plural, one {# kohde} other {# kohdetta}}",
|
||||
"tags": "Tunnisteet",
|
||||
"template": "Template",
|
||||
"theme": "Teema",
|
||||
"theme_selection": "Teeman valinta",
|
||||
"theme_selection_description": "Aseta vaalea tai tumma tila automaattisesti perustuen selaimesi asetuksiin",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Näytä tallennustilan ilmaisin kohteiden kuvakkeissa",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Kohteiden määrä rivillä ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Kohteiden määrä rivillä ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Levitä pääväri taustalle.",
|
||||
"theme_setting_colorful_interface_title": "Värikäs käyttöliittymä",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Säädä kuvien katselun laatua",
|
||||
@@ -1790,15 +1798,13 @@
|
||||
"trash_no_results_message": "Roskakorissa olevat kuvat ja videot näytetään täällä.",
|
||||
"trash_page_delete_all": "Poista kaikki",
|
||||
"trash_page_empty_trash_dialog_content": "Haluatko tyhjentää roskakorin? Kohteet poistetaan lopullisesti Immich:sta",
|
||||
"trash_page_info": "Roskakorissa olevat kohteet poistetaan pysyvästi {days} päivän kuluttua",
|
||||
"trash_page_info": "Roskakorissa olevat kohteet poistetaan pysyvästi {} päivän kuluttua",
|
||||
"trash_page_no_assets": "Ei poistettuja kohteita",
|
||||
"trash_page_restore_all": "Palauta kaikki",
|
||||
"trash_page_select_assets_btn": "Valitse kohteet",
|
||||
"trash_page_title": "Roskakori ({count})",
|
||||
"trash_page_title": "Roskakori",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Roskakorin kohteet poistetaan pysyvästi {days, plural, one {# päivän} other {# päivän}} päästä.",
|
||||
"type": "Tyyppi",
|
||||
"unable_to_change_pin_code": "PIN-koodin vaihtaminen epäonnistui",
|
||||
"unable_to_setup_pin_code": "PIN-koodin määrittäminen epäonnistui",
|
||||
"unarchive": "Palauta arkistosta",
|
||||
"unarchived_count": "{count, plural, other {# poistettu arkistosta}}",
|
||||
"unfavorite": "Poista suosikeista",
|
||||
@@ -1822,7 +1828,6 @@
|
||||
"untracked_files": "Tiedostot joita ei seurata",
|
||||
"untracked_files_decription": "Järjestelmä ei seuraa näitä tiedostoja. Ne voivat johtua epäonnistuneista siirroista, keskeytyneistä latauksista, tai ovat jääneet ohjelmavian seurauksena",
|
||||
"up_next": "Seuraavaksi",
|
||||
"updated_at": "Päivitetty",
|
||||
"updated_password": "Salasana päivitetty",
|
||||
"upload": "Siirrä palvelimelle",
|
||||
"upload_concurrency": "Latausten samanaikaisuus",
|
||||
@@ -1835,17 +1840,15 @@
|
||||
"upload_status_errors": "Virheet",
|
||||
"upload_status_uploaded": "Ladattu",
|
||||
"upload_success": "Lataus onnistui. Päivitä sivu jotta näet latauksesi.",
|
||||
"upload_to_immich": "Lähetä Immichiin ({count})",
|
||||
"upload_to_immich": "Lähetä Immichiin ({})",
|
||||
"uploading": "Lähettään",
|
||||
"url": "URL",
|
||||
"usage": "Käyttö",
|
||||
"use_current_connection": "käytä nykyistä yhteyttä",
|
||||
"use_custom_date_range": "Käytä omaa aikaväliä",
|
||||
"user": "Käyttäjä",
|
||||
"user_has_been_deleted": "Käyttäjä on poistettu.",
|
||||
"user_id": "Käyttäjän ID",
|
||||
"user_liked": "{user} tykkäsi {type, select, photo {kuvasta} video {videosta} asset {mediasta} other {tästä}}",
|
||||
"user_pin_code_settings": "PIN-koodi",
|
||||
"user_pin_code_settings_description": "Hallinnoi PIN-koodiasi",
|
||||
"user_purchase_settings": "Osta",
|
||||
"user_purchase_settings_description": "Hallitse ostostasi",
|
||||
"user_role_set": "Tee käyttäjästä {user} {role}",
|
||||
@@ -1868,6 +1871,7 @@
|
||||
"version_announcement_overlay_title": "Uusi palvelinversio saatavilla 🎉",
|
||||
"version_history": "Versiohistoria",
|
||||
"version_history_item": "Asennettu {version} päivänä {date}",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Toista esikatselun video kun kursori viedään sen päälle",
|
||||
"video_hover_setting_description": "Toista videon esikatselukuva kun kursori on kuvan päällä. Vaikka toiminto on pois käytöstä, toiston voi aloittaa viemällä kursori toistokuvakkeen päälle.",
|
||||
"videos": "Videot",
|
||||
@@ -1893,11 +1897,11 @@
|
||||
"week": "Viikko",
|
||||
"welcome": "Tervetuloa",
|
||||
"welcome_to_immich": "Tervetuloa Immichiin",
|
||||
"wifi_name": "Wi-Fi-verkon nimi",
|
||||
"wifi_name": "WiFi Name",
|
||||
"year": "Vuosi",
|
||||
"years_ago": "{years, plural, one {# vuosi} other {# vuotta}} sitten",
|
||||
"yes": "Kyllä",
|
||||
"you_dont_have_any_shared_links": "Sinulla ei ole jaettuja linkkejä",
|
||||
"your_wifi_name": "Wi-Fi-verkkosi nimi",
|
||||
"your_wifi_name": "Your WiFi name",
|
||||
"zoom_image": "Zoomaa kuvaa"
|
||||
}
|
||||
|
||||
@@ -1,5 +1,6 @@
|
||||
{
|
||||
"about": "Tungkol sa app na ito",
|
||||
"account": "Account",
|
||||
"account_settings": "Mga Setting ng Account",
|
||||
"acknowledge": "Tanggapin",
|
||||
"action": "Aksyon",
|
||||
@@ -40,17 +41,21 @@
|
||||
},
|
||||
"album_user_left": "Umalis sa {album}",
|
||||
"all_albums": "Lahat ng albums",
|
||||
"anti_clockwise": "",
|
||||
"api_key_description": "Isang beses lamang na ipapakita itong value. Siguraduhin na ikopya itong value bago iclose ang window na ito.",
|
||||
"are_these_the_same_person": "Itong tao na ito ay parehas?",
|
||||
"asset_adding_to_album": "Dinadagdag sa album...",
|
||||
"asset_filename_is_offline": "Offline ang asset {filename}",
|
||||
"asset_uploading": "Ina-upload...",
|
||||
"discord": "Discord",
|
||||
"documentation": "Dokumentasyion",
|
||||
"done": "Tapos na",
|
||||
"download": "I-download",
|
||||
"edit": "I-edit",
|
||||
"edited": "Inedit",
|
||||
"editor_close_without_save_title": "Isara ang editor?",
|
||||
"email": "Email",
|
||||
"exif": "Exif",
|
||||
"explore": "I-explore",
|
||||
"export": "I-export",
|
||||
"has_quota": "May quota",
|
||||
|
||||
226
i18n/fr.json
226
i18n/fr.json
@@ -3,7 +3,9 @@
|
||||
"account": "Compte",
|
||||
"account_settings": "Paramètres du compte",
|
||||
"acknowledge": "Compris",
|
||||
"action": "Action",
|
||||
"action_common_update": "Mise à jour",
|
||||
"actions": "Actions",
|
||||
"active": "En cours",
|
||||
"activity": "Activité",
|
||||
"activity_changed": "Activité {enabled, select, true {autorisée} other {interdite}}",
|
||||
@@ -24,7 +26,6 @@
|
||||
"add_to_album": "Ajouter à l'album",
|
||||
"add_to_album_bottom_sheet_added": "Ajouté à {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Déjà dans {album}",
|
||||
"add_to_locked_folder": "Ajouter au dossier verrouillé",
|
||||
"add_to_shared_album": "Ajouter à l'album partagé",
|
||||
"add_url": "Ajouter l'URL",
|
||||
"added_to_archive": "Ajouté à l'archive",
|
||||
@@ -52,7 +53,6 @@
|
||||
"confirm_email_below": "Pour confirmer, tapez « {email} » ci-dessous",
|
||||
"confirm_reprocess_all_faces": "Êtes-vous sûr de vouloir retraiter tous les visages ? Cela effacera également les personnes déjà identifiées.",
|
||||
"confirm_user_password_reset": "Êtes-vous sûr de vouloir réinitialiser le mot de passe de {user} ?",
|
||||
"confirm_user_pin_code_reset": "Êtes-vous sûr de vouloir réinitialiser le code PIN de l'utilisateur {user} ?",
|
||||
"create_job": "Créer une tâche",
|
||||
"cron_expression": "Expression cron",
|
||||
"cron_expression_description": "Définir l'intervalle d'analyse à l'aide d'une expression cron. Pour plus d'informations, voir <link>Crontab Guru</link>",
|
||||
@@ -63,7 +63,7 @@
|
||||
"external_library_created_at": "Bibliothèque externe (créée le {date})",
|
||||
"external_library_management": "Gestion de la bibliothèque externe",
|
||||
"face_detection": "Détection des visages",
|
||||
"face_detection_description": "Détection des visages dans les médias à l'aide de l'apprentissage automatique. Pour les vidéos, seule la miniature est prise en compte. « Actualiser » (re)traite tous les médias. « Réinitialiser » retraite tous les visages en repartant de zéro. « Manquant » met en file d'attente les médias qui n'ont pas encore été traités. Lorsque la détection est terminée, les visages détectés seront mis en file d'attente pour la reconnaissance faciale.",
|
||||
"face_detection_description": "Détection des visages dans les médias à l'aide de l'apprentissage automatique. Pour les vidéos, seule la miniature est prise en compte. « Actualiser » (re)traite tous les médias. « Réinitialiser » retraite tous les visages en repartant de zéro. « Manquant » met en file d'attente les médias qui n'ont pas encore été pris en compte. Lorsque la détection est terminée, tous les visages détectés sont ensuite mis en file d'attente pour la reconnaissance faciale.",
|
||||
"facial_recognition_job_description": "Regrouper les visages détectés en personnes. Cette étape est exécutée une fois la détection des visages terminée. « Réinitialiser » (re)regroupe tous les visages. « Manquant » met en file d'attente les visages auxquels aucune personne n'a été attribuée.",
|
||||
"failed_job_command": "La commande {command} a échoué pour la tâche : {job}",
|
||||
"force_delete_user_warning": "ATTENTION : Cette opération entraîne la suppression immédiate de l'utilisateur et de tous ses médias. Cette opération ne peut être annulée et les fichiers ne peuvent être récupérés.",
|
||||
@@ -348,7 +348,6 @@
|
||||
"user_delete_delay_settings_description": "Nombre de jours après la validation pour supprimer définitivement le compte et les médias d'un utilisateur. La suppression des utilisateurs se lance à minuit. Les modifications apportées à ce paramètre seront pris en compte lors de la prochaine exécution.",
|
||||
"user_delete_immediately": "Le compte et les médias de <b>{user}</b> seront mis en file d'attente en vue d'une suppression permanente <b>immédiatement</b>.",
|
||||
"user_delete_immediately_checkbox": "Mise en file d'attente d'un utilisateur et de médias en vue d'une suppression immédiate",
|
||||
"user_details": "Détails utilisateur",
|
||||
"user_management": "Gestion des utilisateurs",
|
||||
"user_password_has_been_reset": "Le mot de passe de l'utilisateur a été réinitialisé :",
|
||||
"user_password_reset_description": "Veuillez fournir le mot de passe temporaire à l'utilisateur et informez-le qu'il devra le changer à sa première connexion.",
|
||||
@@ -366,10 +365,11 @@
|
||||
},
|
||||
"admin_email": "Courriel Admin",
|
||||
"admin_password": "Mot de passe Admin",
|
||||
"administration": "Administration",
|
||||
"advanced": "Avancé",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Utilisez cette option pour filtrer les média durant la synchronisation avec des critères alternatifs. N'utilisez cela que lorsque l'application n'arrive pas à détecter tout les albums.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPÉRIMENTAL] Utiliser le filtre de synchronisation d'album alternatif",
|
||||
"advanced_settings_log_level_title": "Niveau de journalisation : {level}",
|
||||
"advanced_settings_log_level_title": "Niveau de journalisation : {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Certains appareils sont très lents à charger des miniatures à partir de ressources présentes sur l'appareil. Activez ce paramètre pour charger des images externes à la place.",
|
||||
"advanced_settings_prefer_remote_title": "Préférer les images externes",
|
||||
"advanced_settings_proxy_headers_subtitle": "Ajoutez des en-têtes personnalisés à chaque requête réseau",
|
||||
@@ -400,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "Êtes-vous sûr de vouloir supprimer {user} ?",
|
||||
"album_share_no_users": "Il semble que vous ayez partagé cet album avec tous les utilisateurs ou que vous n'ayez aucun utilisateur avec lequel le partager.",
|
||||
"album_thumbnail_card_item": "1 élément",
|
||||
"album_thumbnail_card_items": "{count} éléments",
|
||||
"album_thumbnail_card_items": "{} éléments",
|
||||
"album_thumbnail_card_shared": " · Partagé",
|
||||
"album_thumbnail_shared_by": "Partagé par {user}",
|
||||
"album_thumbnail_shared_by": "Partagé par {}",
|
||||
"album_updated": "Album mis à jour",
|
||||
"album_updated_setting_description": "Recevoir une notification par courriel lorsqu'un album partagé a de nouveaux médias",
|
||||
"album_user_left": "{album} quitté",
|
||||
@@ -416,6 +416,8 @@
|
||||
"album_viewer_appbar_share_to": "Partager à",
|
||||
"album_viewer_page_share_add_users": "Ajouter des utilisateurs",
|
||||
"album_with_link_access": "Permettre à n'importe qui possédant le lien de voir les photos et les personnes de cet album.",
|
||||
"albums": "Albums",
|
||||
"albums_count": "{count, plural, one {{count, number} Album} other {{count, number} Albums}}",
|
||||
"all": "Tout",
|
||||
"all_albums": "Tous les albums",
|
||||
"all_people": "Toutes les personnes",
|
||||
@@ -435,8 +437,10 @@
|
||||
"app_bar_signout_dialog_title": "Se déconnecter",
|
||||
"app_settings": "Paramètres de l'application",
|
||||
"appears_in": "Apparaît dans",
|
||||
"archive": "Archive",
|
||||
"archive_or_unarchive_photo": "Archiver ou désarchiver une photo",
|
||||
"archive_page_no_archived_assets": "Aucun élément archivé n'a été trouvé",
|
||||
"archive_page_title": "Archive ({})",
|
||||
"archive_size": "Taille de l'archive",
|
||||
"archive_size_description": "Configurer la taille de l'archive maximale pour les téléchargements (en Go)",
|
||||
"archived": "Archives",
|
||||
@@ -473,18 +477,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {# média ajouté} other {# médias ajoutés}} à l'album",
|
||||
"assets_added_to_name_count": "{count, plural, one {# média ajouté} other {# médias ajoutés}} à {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_count": "{count, plural, one {# média} other {# médias}}",
|
||||
"assets_deleted_permanently": "{count} média(s) supprimé(s) définitivement",
|
||||
"assets_deleted_permanently_from_server": "{count} média(s) supprimé(s) définitivement du serveur Immich",
|
||||
"assets_deleted_permanently": "{} média(s) supprimé(s) définitivement",
|
||||
"assets_deleted_permanently_from_server": "{} média(s) supprimé(s) définitivement du serveur Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# média déplacé} other {# médias déplacés}} dans la corbeille",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# média supprimé} other {# médias supprimés}} définitivement",
|
||||
"assets_removed_count": "{count, plural, one {# média supprimé} other {# médias supprimés}}",
|
||||
"assets_removed_permanently_from_device": "{count} média(s) supprimé(s) définitivement de votre appareil",
|
||||
"assets_removed_permanently_from_device": "{} média(s) supprimé(s) définitivement de votre appareil",
|
||||
"assets_restore_confirmation": "Êtes-vous sûr de vouloir restaurer tous vos médias de la corbeille ? Vous ne pouvez pas annuler cette action ! Notez que les médias hors ligne ne peuvent être restaurés de cette façon.",
|
||||
"assets_restored_count": "{count, plural, one {# média restauré} other {# médias restaurés}}",
|
||||
"assets_restored_successfully": "{count} élément(s) restauré(s) avec succès",
|
||||
"assets_trashed": "{count} média(s) déplacé(s) vers la corbeille",
|
||||
"assets_restored_successfully": "Élément restauré avec succès",
|
||||
"assets_trashed": "{} média(s) déplacé(s) vers la corbeille",
|
||||
"assets_trashed_count": "{count, plural, one {# média} other {# médias}} mis à la corbeille",
|
||||
"assets_trashed_from_server": "{count} média(s) déplacé(s) vers la corbeille du serveur Immich",
|
||||
"assets_trashed_from_server": "{} média(s) déplacé(s) vers la corbeille du serveur Immich",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Un média est} other {Des médias sont}} déjà dans l'album",
|
||||
"authorized_devices": "Appareils autorisés",
|
||||
"automatic_endpoint_switching_subtitle": "Se connecter localement lorsque connecté au WI-FI spécifié mais utiliser une adresse alternative lorsque connecté à un autre réseau",
|
||||
@@ -493,7 +497,7 @@
|
||||
"back_close_deselect": "Retournez en arrière, fermez ou désélectionnez",
|
||||
"background_location_permission": "Permission de localisation en arrière plan",
|
||||
"background_location_permission_content": "Afin de pouvoir changer d'adresse en arrière plan, Immich doit avoir *en permanence* accès à la localisation précise, afin d'accéder au le nom du réseau Wi-Fi utilisé",
|
||||
"backup_album_selection_page_albums_device": "Albums sur l'appareil ({count})",
|
||||
"backup_album_selection_page_albums_device": "Albums sur l'appareil ({})",
|
||||
"backup_album_selection_page_albums_tap": "Tapez pour inclure, tapez deux fois pour exclure",
|
||||
"backup_album_selection_page_assets_scatter": "Les éléments peuvent être répartis sur plusieurs albums. De ce fait, les albums peuvent être inclus ou exclus pendant le processus de sauvegarde.",
|
||||
"backup_album_selection_page_select_albums": "Sélectionner les albums",
|
||||
@@ -502,21 +506,22 @@
|
||||
"backup_all": "Tout",
|
||||
"backup_background_service_backup_failed_message": "Échec de la sauvegarde des médias. Nouvelle tentative…",
|
||||
"backup_background_service_connection_failed_message": "Impossible de se connecter au serveur. Nouvelle tentative…",
|
||||
"backup_background_service_current_upload_notification": "Téléversement de {filename}",
|
||||
"backup_background_service_current_upload_notification": "Téléversement {}",
|
||||
"backup_background_service_default_notification": "Recherche de nouveaux médias…",
|
||||
"backup_background_service_error_title": "Erreur de sauvegarde",
|
||||
"backup_background_service_in_progress_notification": "Sauvegarde de vos médias…",
|
||||
"backup_background_service_upload_failure_notification": "Échec lors du téléversement de {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Échec lors du téléversement {}",
|
||||
"backup_controller_page_albums": "Sauvegarder les albums",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Activez le rafraîchissement de l'application en arrière-plan dans Paramètres > Général > Rafraîchissement de l'application en arrière-plan afin d'utiliser la sauvegarde en arrière-plan.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Rafraîchissement de l'application en arrière-plan désactivé",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Aller aux paramètres",
|
||||
"backup_controller_page_background_battery_info_link": "Montrez-moi comment",
|
||||
"backup_controller_page_background_battery_info_message": "Pour une expérience optimale de la sauvegarde en arrière-plan, veuillez désactiver toute optimisation de la batterie limitant l'activité en arrière-plan pour Immich.\n\nÉtant donné que cela est spécifique à chaque appareil, veuillez consulter les informations requises pour le fabricant de votre appareil.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Optimisation de la batterie",
|
||||
"backup_controller_page_background_charging": "Seulement pendant la charge",
|
||||
"backup_controller_page_background_configure_error": "Échec de la configuration du service d'arrière-plan",
|
||||
"backup_controller_page_background_delay": "Retarder la sauvegarde des nouveaux médias : {duration}",
|
||||
"backup_controller_page_background_delay": "Retarder la sauvegarde des nouveaux médias : {}",
|
||||
"backup_controller_page_background_description": "Activez le service d'arrière-plan pour sauvegarder automatiquement tous les nouveaux médias sans avoir à ouvrir l'application",
|
||||
"backup_controller_page_background_is_off": "La sauvegarde automatique en arrière-plan est désactivée",
|
||||
"backup_controller_page_background_is_on": "La sauvegarde automatique en arrière-plan est activée",
|
||||
@@ -526,12 +531,12 @@
|
||||
"backup_controller_page_backup": "Sauvegardé",
|
||||
"backup_controller_page_backup_selected": "Sélectionné : ",
|
||||
"backup_controller_page_backup_sub": "Photos et vidéos sauvegardées",
|
||||
"backup_controller_page_created": "Créé le : {date}",
|
||||
"backup_controller_page_created": "Créé le : {}",
|
||||
"backup_controller_page_desc_backup": "Activez la sauvegarde au premier plan pour téléverser automatiquement les nouveaux médias sur le serveur lors de l'ouverture de l'application.",
|
||||
"backup_controller_page_excluded": "Exclus : ",
|
||||
"backup_controller_page_failed": "Échec de l'opération ({count})",
|
||||
"backup_controller_page_filename": "Nom du fichier : {filename} [{size}]",
|
||||
"backup_controller_page_id": "ID : {id}",
|
||||
"backup_controller_page_failed": "Échec de l'opération ({})",
|
||||
"backup_controller_page_filename": "Nom du fichier : {} [{}]",
|
||||
"backup_controller_page_id": "ID : {}",
|
||||
"backup_controller_page_info": "Informations de sauvegarde",
|
||||
"backup_controller_page_none_selected": "Aucune sélection",
|
||||
"backup_controller_page_remainder": "Restant",
|
||||
@@ -540,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "Démarrer la sauvegarde",
|
||||
"backup_controller_page_status_off": "La sauvegarde est désactivée",
|
||||
"backup_controller_page_status_on": "La sauvegarde est activée",
|
||||
"backup_controller_page_storage_format": "{used} sur {total} utilisés",
|
||||
"backup_controller_page_storage_format": "{} sur {} utilisés",
|
||||
"backup_controller_page_to_backup": "Albums à sauvegarder",
|
||||
"backup_controller_page_total_sub": "Toutes les photos et vidéos uniques des albums sélectionnés",
|
||||
"backup_controller_page_turn_off": "Désactiver la sauvegarde",
|
||||
@@ -555,10 +560,6 @@
|
||||
"backup_options_page_title": "Options de sauvegarde",
|
||||
"backup_setting_subtitle": "Ajuster les paramètres de téléversement au premier et en arrière-plan",
|
||||
"backward": "Arrière",
|
||||
"biometric_auth_enabled": "Authentification biométrique activée",
|
||||
"biometric_locked_out": "L'authentification biométrique est verrouillé",
|
||||
"biometric_no_options": "Aucune option biométrique disponible",
|
||||
"biometric_not_available": "L'authentification biométrique n'est pas disponible sur cet appareil",
|
||||
"birthdate_saved": "Date de naissance enregistrée avec succès",
|
||||
"birthdate_set_description": "La date de naissance est utilisée pour calculer l'âge de cette personne au moment où la photo a été prise.",
|
||||
"blurred_background": "Arrière-plan flouté",
|
||||
@@ -569,21 +570,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Êtes-vous sûr de vouloir conserver {count, plural, one {# doublon} other {# doublons}} ? Cela résoudra tous les groupes de doublons sans rien supprimer.",
|
||||
"bulk_trash_duplicates_confirmation": "Êtes-vous sûr de vouloir mettre à la corbeille {count, plural, one {# doublon} other {# doublons}} ? Cette opération permet de conserver le plus grand média de chaque groupe et de mettre à la corbeille tous les autres doublons.",
|
||||
"buy": "Acheter Immich",
|
||||
"cache_settings_album_thumbnails": "Page des miniatures de la bibliothèque ({count} médias)",
|
||||
"cache_settings_album_thumbnails": "Page des miniatures de la bibliothèque ({} médias)",
|
||||
"cache_settings_clear_cache_button": "Effacer le cache",
|
||||
"cache_settings_clear_cache_button_title": "Efface le cache de l'application. Cela aura un impact significatif sur les performances de l'application jusqu'à ce que le cache soit reconstruit.",
|
||||
"cache_settings_duplicated_assets_clear_button": "EFFACER",
|
||||
"cache_settings_duplicated_assets_subtitle": "Photos et vidéos qui sont exclues par l'application",
|
||||
"cache_settings_duplicated_assets_title": "Médias dupliqués ({count})",
|
||||
"cache_settings_image_cache_size": "Taille du cache des images ({count} médias)",
|
||||
"cache_settings_duplicated_assets_title": "Médias dupliqués ({})",
|
||||
"cache_settings_image_cache_size": "Taille du cache des images ({} médias)",
|
||||
"cache_settings_statistics_album": "Miniatures de la bibliothèque",
|
||||
"cache_settings_statistics_assets": "{count} médias ({size})",
|
||||
"cache_settings_statistics_assets": "{} médias ({})",
|
||||
"cache_settings_statistics_full": "Images complètes",
|
||||
"cache_settings_statistics_shared": "Miniatures de l'album partagé",
|
||||
"cache_settings_statistics_thumbnail": "Miniatures",
|
||||
"cache_settings_statistics_title": "Utilisation du cache",
|
||||
"cache_settings_subtitle": "Contrôler le comportement de mise en cache de l'application mobile Immich",
|
||||
"cache_settings_thumbnail_size": "Taille du cache des miniatures ({count} médias)",
|
||||
"cache_settings_thumbnail_size": "Taille du cache des miniatures ({} médias)",
|
||||
"cache_settings_tile_subtitle": "Contrôler le comportement du stockage local",
|
||||
"cache_settings_tile_title": "Stockage local",
|
||||
"cache_settings_title": "Paramètres de mise en cache",
|
||||
@@ -596,9 +597,7 @@
|
||||
"cannot_merge_people": "Impossible de fusionner les personnes",
|
||||
"cannot_undo_this_action": "Vous ne pouvez pas annuler cette action !",
|
||||
"cannot_update_the_description": "Impossible de mettre à jour la description",
|
||||
"cast": "Cast",
|
||||
"change_date": "Changer la date",
|
||||
"change_description": "Changer la description",
|
||||
"change_display_order": "Modifier l'ordre d'affichage",
|
||||
"change_expiration_time": "Modifier le délai d'expiration",
|
||||
"change_location": "Changer la localisation",
|
||||
@@ -611,14 +610,13 @@
|
||||
"change_password_form_new_password": "Nouveau mot de passe",
|
||||
"change_password_form_password_mismatch": "Les mots de passe ne correspondent pas",
|
||||
"change_password_form_reenter_new_password": "Saisissez à nouveau le nouveau mot de passe",
|
||||
"change_pin_code": "Changer le code PIN",
|
||||
"change_your_password": "Changer votre mot de passe",
|
||||
"changed_visibility_successfully": "Visibilité modifiée avec succès",
|
||||
"check_all": "Tout sélectionner",
|
||||
"check_corrupt_asset_backup": "Vérifier la corruption des éléments enregistrés",
|
||||
"check_corrupt_asset_backup_button": "Vérifier",
|
||||
"check_corrupt_asset_backup_description": "Lancer cette vérification uniquement lorsque connecté à un réseau Wi-Fi et que tout le contenu a été enregistré. Cette procédure peut durer plusieurs minutes.",
|
||||
"check_logs": "Vérifier les journaux",
|
||||
"check_logs": "Vérifier les logs",
|
||||
"choose_matching_people_to_merge": "Choisir les personnes à fusionner",
|
||||
"city": "Ville",
|
||||
"clear": "Effacer",
|
||||
@@ -652,13 +650,11 @@
|
||||
"confirm_delete_face": "Êtes-vous sûr de vouloir supprimer le visage de {name} du média ?",
|
||||
"confirm_delete_shared_link": "Voulez-vous vraiment supprimer ce lien partagé ?",
|
||||
"confirm_keep_this_delete_others": "Tous les autres médias dans la pile seront supprimés sauf celui-ci. Êtes-vous sûr de vouloir continuer ?",
|
||||
"confirm_new_pin_code": "Confirmer le nouveau code PIN",
|
||||
"confirm_password": "Confirmer le mot de passe",
|
||||
"connected_to": "Connecté à",
|
||||
"contain": "Contenu",
|
||||
"context": "Contexte",
|
||||
"continue": "Continuer",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} médias · Partagés",
|
||||
"control_bottom_app_bar_album_info_shared": "{} médias · Partagés",
|
||||
"control_bottom_app_bar_create_new_album": "Créer un nouvel album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Supprimer de Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Supprimer de l'appareil",
|
||||
@@ -696,11 +692,9 @@
|
||||
"create_tag_description": "Créer une nouvelle étiquette. Pour les étiquettes imbriquées, veuillez entrer le chemin complet de l'étiquette, y compris les caractères \"/\".",
|
||||
"create_user": "Créer un utilisateur",
|
||||
"created": "Créé",
|
||||
"created_at": "Créé à",
|
||||
"crop": "Recadrer",
|
||||
"curated_object_page_title": "Objets",
|
||||
"current_device": "Appareil actuel",
|
||||
"current_pin_code": "Code PIN actuel",
|
||||
"current_server_address": "Adresse actuelle du serveur",
|
||||
"custom_locale": "Paramètres régionaux personnalisés",
|
||||
"custom_locale_description": "Afficher les dates et nombres en fonction des paramètres régionaux",
|
||||
@@ -710,6 +704,7 @@
|
||||
"date_after": "Date après",
|
||||
"date_and_time": "Date et heure",
|
||||
"date_before": "Date avant",
|
||||
"date_format": "E, LLL d, y • h:mm a",
|
||||
"date_of_birth_saved": "Date de naissance enregistrée avec succès",
|
||||
"date_range": "Plage de dates",
|
||||
"day": "Jour",
|
||||
@@ -744,11 +739,14 @@
|
||||
"delete_user": "Supprimer l'utilisateur",
|
||||
"deleted_shared_link": "Lien partagé supprimé",
|
||||
"deletes_missing_assets": "Supprimer les médias manquants du disque",
|
||||
"description": "Description",
|
||||
"description_input_hint_text": "Ajouter une description...",
|
||||
"description_input_submit_error": "Erreur de mise à jour de la description, vérifier le journal pour plus de détails",
|
||||
"details": "Détails",
|
||||
"direction": "Direction",
|
||||
"disabled": "Désactivé",
|
||||
"disallow_edits": "Ne pas autoriser les modifications",
|
||||
"discord": "Discord",
|
||||
"discover": "Découvrir",
|
||||
"dismiss_all_errors": "Ignorer toutes les erreurs",
|
||||
"dismiss_error": "Ignorer l'erreur",
|
||||
@@ -757,6 +755,7 @@
|
||||
"display_original_photos": "Afficher les photos originales",
|
||||
"display_original_photos_setting_description": "Afficher de préférence la photo originale lors de la visualisation d'un média plutôt que sa miniature lorsque cela est possible. Cela peut entraîner des vitesses d'affichage plus lentes.",
|
||||
"do_not_show_again": "Ne plus afficher ce message",
|
||||
"documentation": "Documentation",
|
||||
"done": "Terminé",
|
||||
"download": "Télécharger",
|
||||
"download_canceled": "Téléchargement annulé",
|
||||
@@ -764,7 +763,7 @@
|
||||
"download_enqueue": "Téléchargement en attente",
|
||||
"download_error": "Erreur de téléchargement",
|
||||
"download_failed": "Téléchargement échoué",
|
||||
"download_filename": "fichier : {filename}",
|
||||
"download_filename": "fichier : {}",
|
||||
"download_finished": "Téléchargement terminé",
|
||||
"download_include_embedded_motion_videos": "Vidéos intégrées",
|
||||
"download_include_embedded_motion_videos_description": "Inclure des vidéos intégrées dans les photos de mouvement comme un fichier séparé",
|
||||
@@ -788,8 +787,6 @@
|
||||
"edit_avatar": "Modifier l'avatar",
|
||||
"edit_date": "Modifier la date",
|
||||
"edit_date_and_time": "Modifier la date et l'heure",
|
||||
"edit_description": "Modifier la description",
|
||||
"edit_description_prompt": "Choisir une nouvelle description :",
|
||||
"edit_exclusion_pattern": "Modifier le schéma d'exclusion",
|
||||
"edit_faces": "Modifier les visages",
|
||||
"edit_import_path": "Modifier le chemin d'importation",
|
||||
@@ -808,24 +805,21 @@
|
||||
"editor_close_without_save_prompt": "Les changements ne seront pas enregistrés",
|
||||
"editor_close_without_save_title": "Fermer l'éditeur ?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Rapports hauteur/largeur",
|
||||
"editor_crop_tool_h2_rotation": "Rotation",
|
||||
"email": "Courriel",
|
||||
"email_notifications": "Notifications email",
|
||||
"empty_folder": "Ce dossier est vide",
|
||||
"empty_trash": "Vider la corbeille",
|
||||
"empty_trash_confirmation": "Êtes-vous sûr de vouloir vider la corbeille ? Cela supprimera définitivement de Immich tous les médias qu'elle contient.\nVous ne pouvez pas annuler cette action !",
|
||||
"enable": "Active",
|
||||
"enable_biometric_auth_description": "Entrez votre code PIN pour activer l'authentification biométrique",
|
||||
"enabled": "Activé",
|
||||
"end_date": "Date de fin",
|
||||
"enqueued": "Mis en file",
|
||||
"enter_wifi_name": "Entrez le nom du réseau wifi",
|
||||
"enter_your_pin_code": "Entrez votre code PIN",
|
||||
"enter_your_pin_code_subtitle": "Entrez votre code PIN pour accéder au dossier verrouillé",
|
||||
"error": "Erreur",
|
||||
"error_change_sort_album": "Impossible de modifier l'ordre de tri des albums",
|
||||
"error_delete_face": "Erreur lors de la suppression du visage pour le média",
|
||||
"error_loading_image": "Erreur de chargement de l'image",
|
||||
"error_saving_image": "Erreur : {error}",
|
||||
"error_saving_image": "Erreur : {}",
|
||||
"error_title": "Erreur - Quelque chose s'est mal passé",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Impossible de naviguer jusqu'au prochain média",
|
||||
@@ -833,7 +827,7 @@
|
||||
"cant_apply_changes": "Impossible d'appliquer les changements",
|
||||
"cant_change_activity": "Impossible {enabled, select, true {d'interdire} other {d'autoriser}} l'activité",
|
||||
"cant_change_asset_favorite": "Impossible de changer le favori du média",
|
||||
"cant_change_metadata_assets_count": "Impossible de modifier les métadonnées {count, plural, une {# asset} autre {# assets}}",
|
||||
"cant_change_metadata_assets_count": "Impossible de modifier les métadonnées {count, plural, one {d'un média} other {de # médias}}",
|
||||
"cant_get_faces": "Impossible d'obtenir des visages",
|
||||
"cant_get_number_of_comments": "Impossible d'obtenir le nombre de commentaires",
|
||||
"cant_search_people": "Impossible de rechercher des personnes",
|
||||
@@ -878,7 +872,6 @@
|
||||
"unable_to_archive_unarchive": "Impossible {archived, select, true {d'archiver} other {de supprimer de l'archive}}",
|
||||
"unable_to_change_album_user_role": "Impossible de changer le rôle de l'utilisateur de l'album",
|
||||
"unable_to_change_date": "Impossible de modifier la date",
|
||||
"unable_to_change_description": "Échec de la modification de la description",
|
||||
"unable_to_change_favorite": "Impossible de changer de favori pour le média",
|
||||
"unable_to_change_location": "Impossible de changer la localisation",
|
||||
"unable_to_change_password": "Impossible de changer le mot de passe",
|
||||
@@ -916,7 +909,6 @@
|
||||
"unable_to_log_out_all_devices": "Incapable de déconnecter tous les appareils",
|
||||
"unable_to_log_out_device": "Impossible de déconnecter l'appareil",
|
||||
"unable_to_login_with_oauth": "Impossible de se connecter avec OAuth",
|
||||
"unable_to_move_to_locked_folder": "Échec du déplacement vers le dossier verrouillé",
|
||||
"unable_to_play_video": "Impossible de lancer la vidéo",
|
||||
"unable_to_reassign_assets_existing_person": "Impossible de réattribuer les médias à {name, select, null {une personne existante} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Impossible de réattribuer les médias à une nouvelle personne",
|
||||
@@ -930,7 +922,6 @@
|
||||
"unable_to_remove_reaction": "Impossible de supprimer la réaction",
|
||||
"unable_to_repair_items": "Impossible de réparer les éléments",
|
||||
"unable_to_reset_password": "Impossible de réinitialiser le mot de passe",
|
||||
"unable_to_reset_pin_code": "Impossible de réinitialiser le code PIN",
|
||||
"unable_to_resolve_duplicate": "Impossible de résoudre le doublon",
|
||||
"unable_to_restore_assets": "Impossible de restaurer les médias",
|
||||
"unable_to_restore_trash": "Impossible de restaurer la corbeille",
|
||||
@@ -958,15 +949,16 @@
|
||||
"unable_to_update_user": "Impossible de mettre à jour l'utilisateur",
|
||||
"unable_to_upload_file": "Impossible de téléverser le fichier"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Ajouter une description...",
|
||||
"exif_bottom_sheet_details": "DÉTAILS",
|
||||
"exif_bottom_sheet_location": "LOCALISATION",
|
||||
"exif_bottom_sheet_people": "PERSONNES",
|
||||
"exif_bottom_sheet_person_add_person": "Ajouter un nom",
|
||||
"exif_bottom_sheet_person_age": "Âge {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Âge {months} mois",
|
||||
"exif_bottom_sheet_person_age_year_months": "Âge 1 an, {months} mois",
|
||||
"exif_bottom_sheet_person_age_years": "Âge {years}",
|
||||
"exif_bottom_sheet_person_age": "Âge {}",
|
||||
"exif_bottom_sheet_person_age_months": "Âge {} mois",
|
||||
"exif_bottom_sheet_person_age_year_months": "Âge 1 an, {} mois",
|
||||
"exif_bottom_sheet_person_age_years": "Âge {}",
|
||||
"exit_slideshow": "Quitter le diaporama",
|
||||
"expand_all": "Tout développer",
|
||||
"experimental_settings_new_asset_list_subtitle": "En cours de développement",
|
||||
@@ -980,13 +972,13 @@
|
||||
"explorer": "Explorateur",
|
||||
"export": "Exporter",
|
||||
"export_as_json": "Exporter en JSON",
|
||||
"extension": "Extension",
|
||||
"external": "Externe",
|
||||
"external_libraries": "Bibliothèques externes",
|
||||
"external_network": "Réseau externe",
|
||||
"external_network_sheet_info": "Quand vous n'êtes pas connecté(e) à votre réseau wifi préféré, l'application va tenter de se connecter aux adresses ci-dessous, en commençant par la première",
|
||||
"face_unassigned": "Non attribué",
|
||||
"failed": "Échec",
|
||||
"failed_to_authenticate": "Échec de l'authentification",
|
||||
"failed_to_load_assets": "Échec du chargement des ressources",
|
||||
"failed_to_load_folder": "Échec de chargement du dossier",
|
||||
"favorite": "Favori",
|
||||
@@ -1052,14 +1044,13 @@
|
||||
"home_page_favorite_err_local": "Impossible d'ajouter des médias locaux aux favoris, ils sont ignorés",
|
||||
"home_page_favorite_err_partner": "Impossible de mettre en favori les médias d'un partenaire, ils sont ignorés",
|
||||
"home_page_first_time_notice": "Si c'est la première fois que vous utilisez l'application, veillez à choisir un ou plusieurs albums de sauvegarde afin que la chronologie puisse alimenter les photos et les vidéos de cet ou ces albums",
|
||||
"home_page_locked_error_local": "Impossible de déplacer l'objet vers le dossier verrouillé, passer",
|
||||
"home_page_locked_error_partner": "Impossible de déplacer l'objet du collaborateur vers le dossier verrouillé, opération ignorée",
|
||||
"home_page_share_err_local": "Impossible de partager par lien les médias locaux, ils sont ignorés",
|
||||
"home_page_upload_err_limit": "Impossible de téléverser plus de 30 médias en même temps, demande ignorée",
|
||||
"host": "Hôte",
|
||||
"hour": "Heure",
|
||||
"ignore_icloud_photos": "Ignorer les photos iCloud",
|
||||
"ignore_icloud_photos_description": "Les photos stockées sur iCloud ne sont pas téléversées sur le serveur Immich",
|
||||
"image": "Image",
|
||||
"image_alt_text_date": "{isVideo, select, true {Video} other {Image}} prise le {date}",
|
||||
"image_alt_text_date_1_person": "{isVideo, select, true {Video} other {Image}} prise avec {person1} le {date}",
|
||||
"image_alt_text_date_2_people": "{isVideo, select, true {Video} other {Image}} prise avec {person1} et {person2} le {date}",
|
||||
@@ -1107,6 +1098,7 @@
|
||||
"language_setting_description": "Sélectionnez votre langue préférée",
|
||||
"last_seen": "Dernièrement utilisé",
|
||||
"latest_version": "Dernière version",
|
||||
"latitude": "Latitude",
|
||||
"leave": "Quitter",
|
||||
"lens_model": "Modèle d'objectif",
|
||||
"let_others_respond": "Laisser les autres réagir",
|
||||
@@ -1137,8 +1129,6 @@
|
||||
"location_picker_latitude_hint": "Saisir la latitude ici",
|
||||
"location_picker_longitude_error": "Saisir une longitude correcte",
|
||||
"location_picker_longitude_hint": "Saisir la longitude ici",
|
||||
"lock": "Verrouiller",
|
||||
"locked_folder": "Dossier verrouillé",
|
||||
"log_out": "Se déconnecter",
|
||||
"log_out_all_devices": "Déconnecter tous les appareils",
|
||||
"logged_out_all_devices": "Déconnecté de tous les appareils",
|
||||
@@ -1168,6 +1158,7 @@
|
||||
"login_password_changed_success": "Mot de passe mis à jour avec succès",
|
||||
"logout_all_device_confirmation": "Êtes-vous sûr de vouloir déconnecter tous les appareils ?",
|
||||
"logout_this_device_confirmation": "Êtes-vous sûr de vouloir déconnecter cet appareil ?",
|
||||
"longitude": "Longitude",
|
||||
"look": "Regarder",
|
||||
"loop_videos": "Vidéos en boucle",
|
||||
"loop_videos_description": "Activer pour voir la vidéo en boucle dans le lecteur détaillé.",
|
||||
@@ -1182,6 +1173,8 @@
|
||||
"manage_your_devices": "Gérer vos appareils",
|
||||
"manage_your_oauth_connection": "Gérer votre connexion OAuth",
|
||||
"map": "Carte",
|
||||
"map_assets_in_bound": "{} photo",
|
||||
"map_assets_in_bounds": "{} photos",
|
||||
"map_cannot_get_user_location": "Impossible d'obtenir la localisation de l'utilisateur",
|
||||
"map_location_dialog_yes": "Oui",
|
||||
"map_location_picker_page_use_location": "Utiliser ma position",
|
||||
@@ -1195,9 +1188,9 @@
|
||||
"map_settings": "Paramètres de la carte",
|
||||
"map_settings_dark_mode": "Mode sombre",
|
||||
"map_settings_date_range_option_day": "Dernières 24 heures",
|
||||
"map_settings_date_range_option_days": "{days} derniers jours",
|
||||
"map_settings_date_range_option_days": "{} derniers jours",
|
||||
"map_settings_date_range_option_year": "Année passée",
|
||||
"map_settings_date_range_option_years": "{years} dernières années",
|
||||
"map_settings_date_range_option_years": "{} dernières années",
|
||||
"map_settings_dialog_title": "Paramètres de la carte",
|
||||
"map_settings_include_show_archived": "Inclure les archives",
|
||||
"map_settings_include_show_partners": "Inclure les partenaires",
|
||||
@@ -1215,8 +1208,11 @@
|
||||
"memories_setting_description": "Gérer ce que vous voyez dans vos souvenirs",
|
||||
"memories_start_over": "Recommencer",
|
||||
"memories_swipe_to_close": "Balayez vers le haut pour fermer",
|
||||
"memories_year_ago": "Il y a un an",
|
||||
"memories_years_ago": "Il y a {} ans",
|
||||
"memory": "Souvenir",
|
||||
"memory_lane_title": "Fil de souvenirs {title}",
|
||||
"menu": "Menu",
|
||||
"merge": "Fusionner",
|
||||
"merge_people": "Fusionner les personnes",
|
||||
"merge_people_limit": "Vous pouvez seulement fusionner 5 visages à la fois",
|
||||
@@ -1224,14 +1220,12 @@
|
||||
"merge_people_successfully": "Fusion des personnes réussie",
|
||||
"merged_people_count": "{count, plural, one {# personne fusionnée} other {# personnes fusionnées}}",
|
||||
"minimize": "Réduire",
|
||||
"minute": "Minute",
|
||||
"missing": "Manquant",
|
||||
"model": "Modèle",
|
||||
"month": "Mois",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Plus",
|
||||
"move": "Déplacer",
|
||||
"move_off_locked_folder": "Déplacer en dehors du dossier verrouillé",
|
||||
"move_to_locked_folder": "Déplacer dans le dossier verrouillé",
|
||||
"move_to_locked_folder_confirmation": "Ces photos et vidéos seront retirés de tout les albums et ne seront visibles que dans le dossier verrouillé",
|
||||
"moved_to_archive": "{count, plural, one {# élément déplacé} other {# éléments déplacés}} vers les archives",
|
||||
"moved_to_library": "{count, plural, one {# élément déplacé} other {# éléments déplacés}} vers la bibliothèque",
|
||||
"moved_to_trash": "Déplacé dans la corbeille",
|
||||
@@ -1248,8 +1242,6 @@
|
||||
"new_api_key": "Nouvelle clé API",
|
||||
"new_password": "Nouveau mot de passe",
|
||||
"new_person": "Nouvelle personne",
|
||||
"new_pin_code": "Nouveau code PIN",
|
||||
"new_pin_code_subtitle": "C'est votre premier accès au dossier verrouillé. Créez un code PIN pour sécuriser l'accès à cette page",
|
||||
"new_user_created": "Nouvel utilisateur créé",
|
||||
"new_version_available": "NOUVELLE VERSION DISPONIBLE",
|
||||
"newest_first": "Récents en premier",
|
||||
@@ -1267,7 +1259,6 @@
|
||||
"no_explore_results_message": "Téléversez plus de photos pour explorer votre collection.",
|
||||
"no_favorites_message": "Ajouter des photos et vidéos à vos favoris pour les retrouver plus rapidement",
|
||||
"no_libraries_message": "Créer une bibliothèque externe pour voir vos photos et vidéos dans un autre espace de stockage",
|
||||
"no_locked_photos_message": "Les photos et vidéos du dossier verrouillé sont masqués et ne s'afficheront pas dans votre galerie.",
|
||||
"no_name": "Pas de nom",
|
||||
"no_notifications": "Pas de notification",
|
||||
"no_people_found": "Aucune personne correspondante trouvée",
|
||||
@@ -1278,17 +1269,20 @@
|
||||
"not_in_any_album": "Dans aucun album",
|
||||
"not_selected": "Non sélectionné",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Note : Pour appliquer l'étiquette de stockage aux médias déjà téléversés, exécutez",
|
||||
"nothing_here_yet": "Rien pour le moment",
|
||||
"notes": "Notes",
|
||||
"notification_permission_dialog_content": "Pour activer les notifications, allez dans Paramètres et sélectionnez Autoriser.",
|
||||
"notification_permission_list_tile_content": "Accordez la permission d'activer les notifications.",
|
||||
"notification_permission_list_tile_enable_button": "Activer les notifications",
|
||||
"notification_permission_list_tile_title": "Permission de notification",
|
||||
"notification_toggle_setting_description": "Activer les notifications par courriel",
|
||||
"notifications": "Notifications",
|
||||
"notifications_setting_description": "Gérer les notifications",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Ressources Immich officielles",
|
||||
"offline": "Hors ligne",
|
||||
"offline_paths": "Chemins hors ligne",
|
||||
"offline_paths_description": "Ces résultats peuvent être causés par la suppression manuelle de fichiers qui n'étaient pas dans une bibliothèque externe.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Anciens en premier",
|
||||
"on_this_device": "Sur cet appareil",
|
||||
"onboarding": "Accueil",
|
||||
@@ -1298,12 +1292,14 @@
|
||||
"onboarding_welcome_user": "Bienvenue {user}",
|
||||
"online": "En ligne",
|
||||
"only_favorites": "Uniquement les favoris",
|
||||
"open": "Ouvrir",
|
||||
"open": "Ouvert",
|
||||
"open_in_map_view": "Montrer sur la carte",
|
||||
"open_in_openstreetmap": "Ouvrir dans OpenStreetMap",
|
||||
"open_the_search_filters": "Ouvrir les filtres de recherche",
|
||||
"options": "Options",
|
||||
"or": "ou",
|
||||
"organize_your_library": "Organiser votre bibliothèque",
|
||||
"original": "original",
|
||||
"other": "Autre",
|
||||
"other_devices": "Autres appareils",
|
||||
"other_variables": "Autres variables",
|
||||
@@ -1320,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "Échec de l'ajout d'un partenaire",
|
||||
"partner_page_select_partner": "Sélectionner un partenaire",
|
||||
"partner_page_shared_to_title": "Partagé avec",
|
||||
"partner_page_stop_sharing_content": "{partner} ne pourra plus accéder à vos photos.",
|
||||
"partner_page_stop_sharing_content": "{} ne pourra plus accéder à vos photos.",
|
||||
"partner_sharing": "Partage avec les partenaires",
|
||||
"partners": "Partenaires",
|
||||
"password": "Mot de passe",
|
||||
@@ -1334,6 +1330,7 @@
|
||||
},
|
||||
"path": "Chemin",
|
||||
"pattern": "Schéma",
|
||||
"pause": "Pause",
|
||||
"pause_memories": "Mettre en pause les souvenirs",
|
||||
"paused": "En pause",
|
||||
"pending": "En attente",
|
||||
@@ -1360,13 +1357,11 @@
|
||||
"person_birthdate": "Né(e) le {date}",
|
||||
"person_hidden": "{name}{hidden, select, true { (caché)} other {}}",
|
||||
"photo_shared_all_users": "Il semble que vous ayez partagé vos photos avec tous les utilisateurs ou que vous n'ayez aucun utilisateur avec qui les partager.",
|
||||
"photos": "Photos",
|
||||
"photos_and_videos": "Photos et vidéos",
|
||||
"photos_count": "{count, plural, one {{count, number} Photo} other {{count, number} Photos}}",
|
||||
"photos_from_previous_years": "Photos des années précédentes",
|
||||
"pick_a_location": "Choisissez un lieu",
|
||||
"pin_code_changed_successfully": "Code PIN changé avec succès",
|
||||
"pin_code_reset_successfully": "Réinitialisation du code PIN réussie",
|
||||
"pin_code_setup_successfully": "Définition du code PIN réussie",
|
||||
"pin_verification": "Vérification du code PIN",
|
||||
"place": "Lieu",
|
||||
"places": "Lieux",
|
||||
"places_count": "{count, plural, one {{count, number} Lieu} other {{count, number} Lieux}}",
|
||||
@@ -1374,7 +1369,7 @@
|
||||
"play_memories": "Lancer les souvenirs",
|
||||
"play_motion_photo": "Jouer la photo animée",
|
||||
"play_or_pause_video": "Lancer ou mettre en pause la vidéo",
|
||||
"please_auth_to_access": "Merci de vous authentifier pour accéder",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Gérer les préférences de l'application",
|
||||
"preferences_settings_title": "Préférences",
|
||||
"preset": "Préréglage",
|
||||
@@ -1388,6 +1383,7 @@
|
||||
"profile_drawer_client_out_of_date_major": "L'application mobile est obsolète. Veuillez effectuer la mise à jour vers la dernière version majeure.",
|
||||
"profile_drawer_client_out_of_date_minor": "L'application mobile est obsolète. Veuillez effectuer la mise à jour vers la dernière version mineure.",
|
||||
"profile_drawer_client_server_up_to_date": "Le client et le serveur sont à jour",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Le serveur est obsolète. Veuillez mettre à jour vers la dernière version majeure.",
|
||||
"profile_drawer_server_out_of_date_minor": "Le serveur est obsolète. Veuillez mettre à jour vers la dernière version mineure.",
|
||||
"profile_image_of_user": "Image de profil de {user}",
|
||||
@@ -1396,7 +1392,7 @@
|
||||
"public_share": "Partage public",
|
||||
"purchase_account_info": "Contributeur",
|
||||
"purchase_activated_subtitle": "Merci d'avoir apporté votre soutien à Immich et aux logiciels open source",
|
||||
"purchase_activated_time": "Activé le {date}",
|
||||
"purchase_activated_time": "Activé le {date, date}",
|
||||
"purchase_activated_title": "Votre clé a été activée avec succès",
|
||||
"purchase_button_activate": "Activer",
|
||||
"purchase_button_buy": "Acheter",
|
||||
@@ -1462,8 +1458,6 @@
|
||||
"remove_deleted_assets": "Supprimer les fichiers hors ligne",
|
||||
"remove_from_album": "Supprimer de l'album",
|
||||
"remove_from_favorites": "Supprimer des favoris",
|
||||
"remove_from_locked_folder": "Supprimer du dossier verrouillé",
|
||||
"remove_from_locked_folder_confirmation": "Êtes vous sûr de vouloir déplacer ces photos et vidéos en dehors du dossier verrouillé ? Elles seront visibles dans votre galerie",
|
||||
"remove_from_shared_link": "Supprimer des liens partagés",
|
||||
"remove_memory": "Supprimer le souvenir",
|
||||
"remove_photo_from_memory": "Supprimer la photo de ce souvenir",
|
||||
@@ -1487,7 +1481,6 @@
|
||||
"reset": "Réinitialiser",
|
||||
"reset_password": "Réinitialiser le mot de passe",
|
||||
"reset_people_visibility": "Réinitialiser la visibilité des personnes",
|
||||
"reset_pin_code": "Réinitialiser le code PIN",
|
||||
"reset_to_default": "Rétablir les valeurs par défaut",
|
||||
"resolve_duplicates": "Résoudre les doublons",
|
||||
"resolved_all_duplicates": "Résolution de tous les doublons",
|
||||
@@ -1525,6 +1518,7 @@
|
||||
"search_country": "Rechercher par pays...",
|
||||
"search_filter_apply": "Appliquer le filtre",
|
||||
"search_filter_camera_title": "Sélectionner le type d'appareil",
|
||||
"search_filter_date": "Date",
|
||||
"search_filter_date_interval": "{start} à {end}",
|
||||
"search_filter_date_title": "Sélectionner une période",
|
||||
"search_filter_display_option_not_in_album": "Pas dans un album",
|
||||
@@ -1606,14 +1600,16 @@
|
||||
"setting_image_viewer_original_title": "Charger l'image originale",
|
||||
"setting_image_viewer_preview_subtitle": "Activer pour charger une image de résolution moyenne. Désactiver pour charger directement l'original ou utiliser uniquement la miniature.",
|
||||
"setting_image_viewer_preview_title": "Charger l'image d'aperçu",
|
||||
"setting_image_viewer_title": "Images",
|
||||
"setting_languages_apply": "Appliquer",
|
||||
"setting_languages_subtitle": "Changer la langue de l'application",
|
||||
"setting_languages_title": "Langues",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifier les échecs de la sauvegarde en arrière-plan : {duration}",
|
||||
"setting_notifications_notify_hours": "{count} heures",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifier les échecs de la sauvegarde en arrière-plan : {}",
|
||||
"setting_notifications_notify_hours": "{} heures",
|
||||
"setting_notifications_notify_immediately": "immédiatement",
|
||||
"setting_notifications_notify_minutes": "{} minutes",
|
||||
"setting_notifications_notify_never": "jamais",
|
||||
"setting_notifications_notify_seconds": "{count} secondes",
|
||||
"setting_notifications_notify_seconds": "{} secondes",
|
||||
"setting_notifications_single_progress_subtitle": "Informations détaillées sur la progression du téléversement par média",
|
||||
"setting_notifications_single_progress_title": "Afficher la progression du détail de la sauvegarde en arrière-plan",
|
||||
"setting_notifications_subtitle": "Ajustez vos préférences de notification",
|
||||
@@ -1625,12 +1621,10 @@
|
||||
"settings": "Paramètres",
|
||||
"settings_require_restart": "Veuillez redémarrer Immich pour appliquer ce paramètre",
|
||||
"settings_saved": "Paramètres sauvegardés",
|
||||
"setup_pin_code": "Définir un code PIN",
|
||||
"share": "Partager",
|
||||
"share_add_photos": "Ajouter des photos",
|
||||
"share_assets_selected": "{count} sélectionné(s)",
|
||||
"share_assets_selected": "{} sélectionné(s)",
|
||||
"share_dialog_preparing": "Préparation...",
|
||||
"share_link": "Partager le lien",
|
||||
"shared": "Partagé",
|
||||
"shared_album_activities_input_disable": "Les commentaires sont désactivés",
|
||||
"shared_album_activity_remove_content": "Souhaitez-vous supprimer cette activité ?",
|
||||
@@ -1643,31 +1637,34 @@
|
||||
"shared_by_user": "Partagé par {user}",
|
||||
"shared_by_you": "Partagé par vous",
|
||||
"shared_from_partner": "Photos de {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Téléversé(s)",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Téléversé",
|
||||
"shared_link_app_bar_title": "Liens partagés",
|
||||
"shared_link_clipboard_copied_massage": "Copié dans le presse-papier",
|
||||
"shared_link_clipboard_text": "Lien : {link}\nMot de passe : {password}",
|
||||
"shared_link_clipboard_text": "Lien : {}\nMot de passe : {}",
|
||||
"shared_link_create_error": "Erreur pendant la création du lien partagé",
|
||||
"shared_link_edit_description_hint": "Saisir la description du partage",
|
||||
"shared_link_edit_expire_after_option_day": "1 jour",
|
||||
"shared_link_edit_expire_after_option_days": "{count} jours",
|
||||
"shared_link_edit_expire_after_option_days": "{} jours",
|
||||
"shared_link_edit_expire_after_option_hour": "1 heure",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} heures",
|
||||
"shared_link_edit_expire_after_option_months": "{count} mois",
|
||||
"shared_link_edit_expire_after_option_year": "{count} an",
|
||||
"shared_link_edit_expire_after_option_hours": "{} heures",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minute",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutes",
|
||||
"shared_link_edit_expire_after_option_months": "{} mois",
|
||||
"shared_link_edit_expire_after_option_year": "{} an",
|
||||
"shared_link_edit_password_hint": "Saisir le mot de passe de partage",
|
||||
"shared_link_edit_submit_button": "Mettre à jour le lien",
|
||||
"shared_link_error_server_url_fetch": "Impossible de récupérer l'url du serveur",
|
||||
"shared_link_expires_day": "Expire dans {count} jour",
|
||||
"shared_link_expires_days": "Expire dans {count} jours",
|
||||
"shared_link_expires_hour": "Expire dans {count} heure",
|
||||
"shared_link_expires_hours": "Expire dans {count} heures",
|
||||
"shared_link_expires_minute": "Expire dans {count} minute",
|
||||
"shared_link_expires_minutes": "Expire dans {count} minutes",
|
||||
"shared_link_expires_day": "Expire dans {} jour",
|
||||
"shared_link_expires_days": "Expire dans {} jours",
|
||||
"shared_link_expires_hour": "Expire dans {} heure",
|
||||
"shared_link_expires_hours": "Expire dans {} heures",
|
||||
"shared_link_expires_minute": "Expire dans {} minute",
|
||||
"shared_link_expires_minutes": "Expire dans {} minutes",
|
||||
"shared_link_expires_never": "Expire ∞",
|
||||
"shared_link_expires_second": "Expire dans {count} seconde",
|
||||
"shared_link_expires_seconds": "Expire dans {count} secondes",
|
||||
"shared_link_expires_second": "Expire dans {} seconde",
|
||||
"shared_link_expires_seconds": "Expire dans {} secondes",
|
||||
"shared_link_individual_shared": "Partagé individuellement",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Gérer les liens partagés",
|
||||
"shared_link_options": "Options de lien partagé",
|
||||
"shared_links": "Liens partagés",
|
||||
@@ -1723,6 +1720,7 @@
|
||||
"sort_people_by_similarity": "Trier les personnes par similitude",
|
||||
"sort_recent": "Photo la plus récente",
|
||||
"sort_title": "Titre",
|
||||
"source": "Source",
|
||||
"stack": "Empiler",
|
||||
"stack_duplicates": "Empiler les doublons",
|
||||
"stack_select_one_photo": "Sélectionnez une photo principale pour la pile",
|
||||
@@ -1739,10 +1737,11 @@
|
||||
"stop_sharing_photos_with_user": "Arrêter de partager vos photos avec cet utilisateur",
|
||||
"storage": "Stockage",
|
||||
"storage_label": "Étiquette de stockage",
|
||||
"storage_quota": "Quota de stockage",
|
||||
"storage_usage": "{used} sur {available} utilisé",
|
||||
"submit": "Soumettre",
|
||||
"suggestions": "Suggestions",
|
||||
"sunrise_on_the_beach": "Lever de soleil sur la plage",
|
||||
"support": "Support",
|
||||
"support_and_feedback": "Support & Retours",
|
||||
"support_third_party_description": "Votre installation d'Immich est packagée via une application tierce. Si vous rencontrez des anomalies, elles peuvent venir de ce packaging tiers, merci de créer les anomalies avec ces tiers en premier lieu en utilisant les liens ci-dessous.",
|
||||
"swap_merge_direction": "Inverser la direction de fusion",
|
||||
@@ -1764,7 +1763,7 @@
|
||||
"theme_selection": "Sélection du thème",
|
||||
"theme_selection_description": "Ajuster automatiquement le thème clair ou sombre via les préférences système",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Afficher l'indicateur de stockage sur les tuiles des éléments",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Nombre de médias par ligne ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Nombre de médias par ligne ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Appliquer la couleur principale sur les surfaces d'arrière-plan.",
|
||||
"theme_setting_colorful_interface_title": "Interface colorée",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Ajustez la qualité de la visionneuse d'images détaillées",
|
||||
@@ -1789,6 +1788,7 @@
|
||||
"to_trash": "Corbeille",
|
||||
"toggle_settings": "Inverser les paramètres",
|
||||
"toggle_theme": "Inverser le thème sombre",
|
||||
"total": "Total",
|
||||
"total_usage": "Utilisation globale",
|
||||
"trash": "Corbeille",
|
||||
"trash_all": "Tout supprimer",
|
||||
@@ -1798,14 +1798,13 @@
|
||||
"trash_no_results_message": "Les photos et vidéos supprimées s'afficheront ici.",
|
||||
"trash_page_delete_all": "Tout supprimer",
|
||||
"trash_page_empty_trash_dialog_content": "Voulez-vous vider les médias de la corbeille ? Ces objets seront définitivement retirés d'Immich",
|
||||
"trash_page_info": "Les médias mis à la corbeille seront définitivement supprimés au bout de {days} jours",
|
||||
"trash_page_info": "Les médias mis à la corbeille seront définitivement supprimés au bout de {} jours",
|
||||
"trash_page_no_assets": "Aucun élément dans la corbeille",
|
||||
"trash_page_restore_all": "Tout restaurer",
|
||||
"trash_page_select_assets_btn": "Sélectionner les éléments",
|
||||
"trash_page_title": "Corbeille ({count})",
|
||||
"trash_page_title": "Corbeille ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Les éléments dans la corbeille seront supprimés définitivement après {days, plural, one {# jour} other {# jours}}.",
|
||||
"unable_to_change_pin_code": "Impossible de changer le code PIN",
|
||||
"unable_to_setup_pin_code": "Impossible de définir le code PIN",
|
||||
"type": "Type",
|
||||
"unarchive": "Désarchiver",
|
||||
"unarchived_count": "{count, plural, one {# supprimé} other {# supprimés}} de l'archive",
|
||||
"unfavorite": "Enlever des favoris",
|
||||
@@ -1829,7 +1828,6 @@
|
||||
"untracked_files": "Fichiers non suivis",
|
||||
"untracked_files_decription": "Ces fichiers ne sont pas suivis par l'application. Ils peuvent être le résultat de déplacements échoués, de téléversements interrompus ou abandonnés pour cause de bug",
|
||||
"up_next": "Suite",
|
||||
"updated_at": "Mis à jour à",
|
||||
"updated_password": "Mot de passe mis à jour",
|
||||
"upload": "Téléverser",
|
||||
"upload_concurrency": "Téléversements simultanés",
|
||||
@@ -1842,18 +1840,15 @@
|
||||
"upload_status_errors": "Erreurs",
|
||||
"upload_status_uploaded": "Téléversé",
|
||||
"upload_success": "Téléversement réussi. Rafraîchir la page pour voir les nouveaux médias téléversés.",
|
||||
"upload_to_immich": "Téléverser vers Immich ({count})",
|
||||
"upload_to_immich": "Téléverser vers Immich ({})",
|
||||
"uploading": "Téléversement en cours",
|
||||
"url": "URL",
|
||||
"usage": "Utilisation",
|
||||
"use_biometric": "Utiliser l'authentification biométrique",
|
||||
"use_current_connection": "Utiliser le réseau actuel",
|
||||
"use_custom_date_range": "Utilisez une plage de date personnalisée à la place",
|
||||
"user": "Utilisateur",
|
||||
"user_has_been_deleted": "Cet utilisateur à été supprimé.",
|
||||
"user_id": "ID Utilisateur",
|
||||
"user_liked": "{user} a aimé {type, select, photo {cette photo} video {cette vidéo} asset {ce média} other {ceci}}",
|
||||
"user_pin_code_settings": "Code PIN",
|
||||
"user_pin_code_settings_description": "Gérer votre code PIN",
|
||||
"user_purchase_settings": "Achat",
|
||||
"user_purchase_settings_description": "Gérer votre achat",
|
||||
"user_role_set": "Définir {user} comme {role}",
|
||||
@@ -1865,6 +1860,8 @@
|
||||
"utilities": "Utilitaires",
|
||||
"validate": "Valider",
|
||||
"validate_endpoint_error": "Merci d'entrer un lien valide",
|
||||
"variables": "Variables",
|
||||
"version": "Version",
|
||||
"version_announcement_closing": "Ton ami, Alex",
|
||||
"version_announcement_message": "Bonjour, il y a une nouvelle version de l'application. Prenez le temps de consulter les <link>notes de version</link> et assurez vous que votre installation est à jour pour éviter toute erreur de configuration, surtout si vous utilisez WatchTower ou tout autre mécanisme qui gère automatiquement la mise à jour de votre application.",
|
||||
"version_announcement_overlay_release_notes": "notes de mise à jour",
|
||||
@@ -1901,7 +1898,6 @@
|
||||
"welcome": "Bienvenue",
|
||||
"welcome_to_immich": "Bienvenue sur Immich",
|
||||
"wifi_name": "Nom du réseau wifi",
|
||||
"wrong_pin_code": "Code PIN erroné",
|
||||
"year": "Année",
|
||||
"years_ago": "Il y a {years, plural, one {# an} other {# ans}}",
|
||||
"yes": "Oui",
|
||||
|
||||
171
i18n/gl.json
171
i18n/gl.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Engadir ao álbum",
|
||||
"add_to_album_bottom_sheet_added": "Engadido a {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Xa está en {album}",
|
||||
"add_to_locked_folder": "Engadir a carpeta",
|
||||
"add_to_shared_album": "Engadir ao álbum compartido",
|
||||
"add_url": "Engadir URL",
|
||||
"added_to_archive": "Engadido ao arquivo",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Para confirmar, escriba \"{email}\" a continuación",
|
||||
"confirm_reprocess_all_faces": "Estás seguro de que queres reprocesar todas as caras? Isto tamén borrará as persoas nomeadas.",
|
||||
"confirm_user_password_reset": "Estás seguro de que queres restablecer o contrasinal de {user}?",
|
||||
"confirm_user_pin_code_reset": "Estás seguro de que queres restablecer o PIN de {user}?",
|
||||
"create_job": "Crear traballo",
|
||||
"cron_expression": "Expresión Cron",
|
||||
"cron_expression_description": "Estableza o intervalo de escaneo usando o formato cron. Para obter máis información, consulte por exemplo <link>Crontab Guru</link>",
|
||||
@@ -368,7 +366,7 @@
|
||||
"advanced": "Avanzado",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Usa esta opción para filtrar medios durante a sincronización baseándose en criterios alternativos. Só proba isto se tes problemas coa aplicación detectando todos os álbums.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTAL] Usar filtro alternativo de sincronización de álbums do dispositivo",
|
||||
"advanced_settings_log_level_title": "Nivel de rexistro: {level}",
|
||||
"advanced_settings_log_level_title": "Nivel de rexistro: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Algúns dispositivos son extremadamente lentos para cargar miniaturas de activos no dispositivo. Active esta configuración para cargar imaxes remotas no seu lugar.",
|
||||
"advanced_settings_prefer_remote_title": "Preferir imaxes remotas",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definir cabeceiras de proxy que Immich debería enviar con cada solicitude de rede",
|
||||
@@ -399,9 +397,9 @@
|
||||
"album_remove_user_confirmation": "Estás seguro de que queres eliminar a {user}?",
|
||||
"album_share_no_users": "Parece que compartiches este álbum con todos os usuarios ou non tes ningún usuario co que compartir.",
|
||||
"album_thumbnail_card_item": "1 elemento",
|
||||
"album_thumbnail_card_items": "{count} elementos",
|
||||
"album_thumbnail_card_items": "{} elementos",
|
||||
"album_thumbnail_card_shared": " · Compartido",
|
||||
"album_thumbnail_shared_by": "Compartido por {user}",
|
||||
"album_thumbnail_shared_by": "Compartido por {}",
|
||||
"album_updated": "Álbum actualizado",
|
||||
"album_updated_setting_description": "Recibir unha notificación por correo electrónico cando un álbum compartido teña novos activos",
|
||||
"album_user_left": "Saíu de {album}",
|
||||
@@ -439,7 +437,7 @@
|
||||
"archive": "Arquivo",
|
||||
"archive_or_unarchive_photo": "Arquivar ou desarquivar foto",
|
||||
"archive_page_no_archived_assets": "Non se atoparon activos arquivados",
|
||||
"archive_page_title": "Arquivo ({count})",
|
||||
"archive_page_title": "Arquivo ({})",
|
||||
"archive_size": "Tamaño do arquivo",
|
||||
"archive_size_description": "Configurar o tamaño do arquivo para descargas (en GiB)",
|
||||
"archived": "Arquivado",
|
||||
@@ -476,27 +474,27 @@
|
||||
"assets_added_to_album_count": "Engadido {count, plural, one {# activo} other {# activos}} ao álbum",
|
||||
"assets_added_to_name_count": "Engadido {count, plural, one {# activo} other {# activos}} a {hasName, select, true {<b>{name}</b>} other {novo álbum}}",
|
||||
"assets_count": "{count, plural, one {# activo} other {# activos}}",
|
||||
"assets_deleted_permanently": "{count} activo(s) eliminado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{count} activo(s) eliminado(s) permanentemente do servidor Immich",
|
||||
"assets_deleted_permanently": "{} activo(s) eliminado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{} activo(s) eliminado(s) permanentemente do servidor Immich",
|
||||
"assets_moved_to_trash_count": "Movido {count, plural, one {# activo} other {# activos}} ao lixo",
|
||||
"assets_permanently_deleted_count": "Eliminados permanentemente {count, plural, one {# activo} other {# activos}}",
|
||||
"assets_removed_count": "Eliminados {count, plural, one {# activo} other {# activos}}",
|
||||
"assets_removed_permanently_from_device": "{count} activo(s) eliminado(s) permanentemente do teu dispositivo",
|
||||
"assets_removed_permanently_from_device": "{} activo(s) eliminado(s) permanentemente do teu dispositivo",
|
||||
"assets_restore_confirmation": "Estás seguro de que queres restaurar todos os seus activos no lixo? Non podes desfacer esta acción! Ten en conta que calquera activo fóra de liña non pode ser restaurado desta maneira.",
|
||||
"assets_restored_count": "Restaurados {count, plural, one {# activo} other {# activos}}",
|
||||
"assets_restored_successfully": "{count} activo(s) restaurado(s) correctamente",
|
||||
"assets_trashed": "{count} activo(s) movido(s) ao lixo",
|
||||
"assets_restored_successfully": "{} activo(s) restaurado(s) correctamente",
|
||||
"assets_trashed": "{} activo(s) movido(s) ao lixo",
|
||||
"assets_trashed_count": "Movido {count, plural, one {# activo} other {# activos}} ao lixo",
|
||||
"assets_trashed_from_server": "{count} activo(s) movido(s) ao lixo desde o servidor Immich",
|
||||
"assets_trashed_from_server": "{} activo(s) movido(s) ao lixo desde o servidor Immich",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {O activo xa era} other {Os activos xa eran}} parte do álbum",
|
||||
"authorized_devices": "Dispositivos Autorizados",
|
||||
"automatic_endpoint_switching_subtitle": "Conectar localmente a través da wifi designada cando estea dispoñible e usar conexións alternativas noutros lugares",
|
||||
"automatic_endpoint_switching_subtitle": "Conectar localmente a través de Wi-Fi designada cando estea dispoñible e usar conexións alternativas noutros lugares",
|
||||
"automatic_endpoint_switching_title": "Cambio automático de URL",
|
||||
"back": "Atrás",
|
||||
"back_close_deselect": "Atrás, pechar ou deseleccionar",
|
||||
"background_location_permission": "Permiso de ubicación en segundo plano",
|
||||
"background_location_permission_content": "Para cambiar de rede cando se executa en segundo plano, Immich debe ter *sempre* acceso á ubicación precisa para que a aplicación poida ler o nome da rede wifi",
|
||||
"backup_album_selection_page_albums_device": "Álbums no dispositivo ({count})",
|
||||
"background_location_permission_content": "Para cambiar de rede cando se executa en segundo plano, Immich debe ter *sempre* acceso á ubicación precisa para que a aplicación poida ler o nome da rede Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Álbums no dispositivo ({})",
|
||||
"backup_album_selection_page_albums_tap": "Tocar para incluír, dobre toque para excluír",
|
||||
"backup_album_selection_page_assets_scatter": "Os activos poden dispersarse por varios álbums. Polo tanto, os álbums poden incluírse ou excluírse durante o proceso de copia de seguridade.",
|
||||
"backup_album_selection_page_select_albums": "Seleccionar álbums",
|
||||
@@ -505,11 +503,11 @@
|
||||
"backup_all": "Todo",
|
||||
"backup_background_service_backup_failed_message": "Erro ao facer copia de seguridade dos activos. Reintentando…",
|
||||
"backup_background_service_connection_failed_message": "Erro ao conectar co servidor. Reintentando…",
|
||||
"backup_background_service_current_upload_notification": "Subindo {filename}",
|
||||
"backup_background_service_current_upload_notification": "Subindo {}",
|
||||
"backup_background_service_default_notification": "Comprobando novos activos…",
|
||||
"backup_background_service_error_title": "Erro na copia de seguridade",
|
||||
"backup_background_service_in_progress_notification": "Facendo copia de seguridade dos teus activos…",
|
||||
"backup_background_service_upload_failure_notification": "Erro ao subir {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Erro ao subir {}",
|
||||
"backup_controller_page_albums": "Álbums da Copia de Seguridade",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Active a actualización de aplicacións en segundo plano en Axustes > Xeral > Actualización en segundo plano para usar a copia de seguridade en segundo plano.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Actualización de aplicacións en segundo plano desactivada",
|
||||
@@ -520,21 +518,22 @@
|
||||
"backup_controller_page_background_battery_info_title": "Optimizacións da batería",
|
||||
"backup_controller_page_background_charging": "Só mentres se carga",
|
||||
"backup_controller_page_background_configure_error": "Erro ao configurar o servizo en segundo plano",
|
||||
"backup_controller_page_background_delay": "Atrasar copia de seguridade de novos activos: {duration}",
|
||||
"backup_controller_page_background_delay": "Atrasar copia de seguridade de novos activos: {}",
|
||||
"backup_controller_page_background_description": "Active o servizo en segundo plano para facer copia de seguridade automaticamente de calquera activo novo sen necesidade de abrir a aplicación",
|
||||
"backup_controller_page_background_is_off": "A copia de seguridade automática en segundo plano está desactivada",
|
||||
"backup_controller_page_background_is_on": "A copia de seguridade automática en segundo plano está activada",
|
||||
"backup_controller_page_background_turn_off": "Desactivar servizo en segundo plano",
|
||||
"backup_controller_page_background_turn_on": "Activar servizo en segundo plano",
|
||||
"backup_controller_page_background_wifi": "Só con wifi",
|
||||
"backup_controller_page_background_wifi": "Só con WiFi",
|
||||
"backup_controller_page_backup": "Copia de Seguridade",
|
||||
"backup_controller_page_backup_selected": "Seleccionado: ",
|
||||
"backup_controller_page_backup_sub": "Fotos e vídeos con copia de seguridade",
|
||||
"backup_controller_page_created": "Creado o: {date}",
|
||||
"backup_controller_page_created": "Creado o: {}",
|
||||
"backup_controller_page_desc_backup": "Active a copia de seguridade en primeiro plano para cargar automaticamente novos activos ao servidor ao abrir a aplicación.",
|
||||
"backup_controller_page_excluded": "Excluído: ",
|
||||
"backup_controller_page_failed": "Fallado ({count})",
|
||||
"backup_controller_page_filename": "Nome do ficheiro: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Fallado ({})",
|
||||
"backup_controller_page_filename": "Nome do ficheiro: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Información da Copia de Seguridade",
|
||||
"backup_controller_page_none_selected": "Ningún seleccionado",
|
||||
"backup_controller_page_remainder": "Restante",
|
||||
@@ -543,7 +542,7 @@
|
||||
"backup_controller_page_start_backup": "Iniciar Copia de Seguridade",
|
||||
"backup_controller_page_status_off": "A copia de seguridade automática en primeiro plano está desactivada",
|
||||
"backup_controller_page_status_on": "A copia de seguridade automática en primeiro plano está activada",
|
||||
"backup_controller_page_storage_format": "{used} de {total} usado",
|
||||
"backup_controller_page_storage_format": "{} de {} usado",
|
||||
"backup_controller_page_to_backup": "Álbums para facer copia de seguridade",
|
||||
"backup_controller_page_total_sub": "Todas as fotos e vídeos únicos dos álbums seleccionados",
|
||||
"backup_controller_page_turn_off": "Desactivar copia de seguridade en primeiro plano",
|
||||
@@ -568,21 +567,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Estás seguro de que queres conservar {count, plural, one {# activo duplicado} other {# activos duplicados}}? Isto resolverá todos os grupos duplicados sen eliminar nada.",
|
||||
"bulk_trash_duplicates_confirmation": "Estás seguro de que queres mover masivamente ao lixo {count, plural, one {# activo duplicado} other {# activos duplicados}}? Isto conservará o activo máis grande de cada grupo e moverá ao lixo todos os demais duplicados.",
|
||||
"buy": "Comprar Immich",
|
||||
"cache_settings_album_thumbnails": "Miniaturas da páxina da biblioteca ({count} activos)",
|
||||
"cache_settings_album_thumbnails": "Miniaturas da páxina da biblioteca ({} activos)",
|
||||
"cache_settings_clear_cache_button": "Borrar caché",
|
||||
"cache_settings_clear_cache_button_title": "Borra a caché da aplicación. Isto afectará significativamente o rendemento da aplicación ata que a caché se reconstruíu.",
|
||||
"cache_settings_duplicated_assets_clear_button": "BORRAR",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos e vídeos que están na lista negra da aplicación",
|
||||
"cache_settings_duplicated_assets_title": "Activos Duplicados ({count})",
|
||||
"cache_settings_image_cache_size": "Tamaño da caché de imaxes ({count} activos)",
|
||||
"cache_settings_duplicated_assets_title": "Activos Duplicados ({})",
|
||||
"cache_settings_image_cache_size": "Tamaño da caché de imaxes ({} activos)",
|
||||
"cache_settings_statistics_album": "Miniaturas da biblioteca",
|
||||
"cache_settings_statistics_assets": "{count} activos ({size})",
|
||||
"cache_settings_statistics_assets": "{} activos ({})",
|
||||
"cache_settings_statistics_full": "Imaxes completas",
|
||||
"cache_settings_statistics_shared": "Miniaturas de álbums compartidos",
|
||||
"cache_settings_statistics_thumbnail": "Miniaturas",
|
||||
"cache_settings_statistics_title": "Uso da caché",
|
||||
"cache_settings_subtitle": "Controlar o comportamento da caché da aplicación móbil Immich",
|
||||
"cache_settings_thumbnail_size": "Tamaño da caché de miniaturas ({count} activos)",
|
||||
"cache_settings_thumbnail_size": "Tamaño da caché de miniaturas ({} activos)",
|
||||
"cache_settings_tile_subtitle": "Controlar o comportamento do almacenamento local",
|
||||
"cache_settings_tile_title": "Almacenamento Local",
|
||||
"cache_settings_title": "Configuración da Caché",
|
||||
@@ -613,7 +612,7 @@
|
||||
"check_all": "Marcar todo",
|
||||
"check_corrupt_asset_backup": "Comprobar copias de seguridade de activos corruptos",
|
||||
"check_corrupt_asset_backup_button": "Realizar comprobación",
|
||||
"check_corrupt_asset_backup_description": "Execute esta comprobación só a través da wifi e unha vez que todos os activos teñan copia de seguridade. O procedemento pode tardar uns minutos.",
|
||||
"check_corrupt_asset_backup_description": "Execute esta comprobación só a través de Wi-Fi e unha vez que todos os activos teñan copia de seguridade. O procedemento pode tardar uns minutos.",
|
||||
"check_logs": "Comprobar Rexistros",
|
||||
"choose_matching_people_to_merge": "Elixir persoas coincidentes para fusionar",
|
||||
"city": "Cidade",
|
||||
@@ -652,7 +651,7 @@
|
||||
"contain": "Conter",
|
||||
"context": "Contexto",
|
||||
"continue": "Continuar",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} elementos · Compartidos",
|
||||
"control_bottom_app_bar_album_info_shared": "{} elementos · Compartidos",
|
||||
"control_bottom_app_bar_create_new_album": "Crear novo álbum",
|
||||
"control_bottom_app_bar_delete_from_immich": "Eliminar de Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Eliminar do dispositivo",
|
||||
@@ -744,6 +743,7 @@
|
||||
"direction": "Dirección",
|
||||
"disabled": "Desactivado",
|
||||
"disallow_edits": "Non permitir edicións",
|
||||
"discord": "Discord",
|
||||
"discover": "Descubrir",
|
||||
"dismiss_all_errors": "Descartar todos os erros",
|
||||
"dismiss_error": "Descartar erro",
|
||||
@@ -760,7 +760,7 @@
|
||||
"download_enqueue": "Descarga en cola",
|
||||
"download_error": "Erro na Descarga",
|
||||
"download_failed": "Descarga fallada",
|
||||
"download_filename": "ficheiro: {filename}",
|
||||
"download_filename": "ficheiro: {}",
|
||||
"download_finished": "Descarga finalizada",
|
||||
"download_include_embedded_motion_videos": "Vídeos incrustados",
|
||||
"download_include_embedded_motion_videos_description": "Incluír vídeos incrustados en fotos en movemento como un ficheiro separado",
|
||||
@@ -798,6 +798,7 @@
|
||||
"edit_title": "Editar Título",
|
||||
"edit_user": "Editar usuario",
|
||||
"edited": "Editado",
|
||||
"editor": "Editor",
|
||||
"editor_close_without_save_prompt": "Os cambios non se gardarán",
|
||||
"editor_close_without_save_title": "Pechar editor?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Proporcións de aspecto",
|
||||
@@ -810,12 +811,12 @@
|
||||
"enabled": "Activado",
|
||||
"end_date": "Data de fin",
|
||||
"enqueued": "En cola",
|
||||
"enter_wifi_name": "Introducir nome da wifi",
|
||||
"enter_wifi_name": "Introducir nome da WiFi",
|
||||
"error": "Erro",
|
||||
"error_change_sort_album": "Erro ao cambiar a orde de clasificación do álbum",
|
||||
"error_delete_face": "Erro ao eliminar a cara do activo",
|
||||
"error_loading_image": "Erro ao cargar a imaxe",
|
||||
"error_saving_image": "Erro: {error}",
|
||||
"error_saving_image": "Erro: {}",
|
||||
"error_title": "Erro - Algo saíu mal",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Non se pode navegar ao seguinte activo",
|
||||
@@ -845,12 +846,10 @@
|
||||
"failed_to_keep_this_delete_others": "Erro ao conservar este activo e eliminar os outros activos",
|
||||
"failed_to_load_asset": "Erro ao cargar o activo",
|
||||
"failed_to_load_assets": "Erro ao cargar activos",
|
||||
"failed_to_load_notifications": "Erro ao cargar as notificacións",
|
||||
"failed_to_load_people": "Erro ao cargar persoas",
|
||||
"failed_to_remove_product_key": "Erro ao eliminar a chave do produto",
|
||||
"failed_to_stack_assets": "Erro ao apilar activos",
|
||||
"failed_to_unstack_assets": "Erro ao desapilar activos",
|
||||
"failed_to_update_notification_status": "Erro ao actualizar o estado das notificacións",
|
||||
"import_path_already_exists": "Esta ruta de importación xa existe.",
|
||||
"incorrect_email_or_password": "Correo electrónico ou contrasinal incorrectos",
|
||||
"paths_validation_failed": "{paths, plural, one {# ruta fallou} other {# rutas fallaron}} na validación",
|
||||
@@ -945,20 +944,22 @@
|
||||
"unable_to_update_user": "Non se puido actualizar o usuario",
|
||||
"unable_to_upload_file": "Non se puido cargar o ficheiro"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Engadir Descrición...",
|
||||
"exif_bottom_sheet_details": "DETALLES",
|
||||
"exif_bottom_sheet_location": "UBICACIÓN",
|
||||
"exif_bottom_sheet_people": "PERSOAS",
|
||||
"exif_bottom_sheet_person_add_person": "Engadir nome",
|
||||
"exif_bottom_sheet_person_age": "Idade {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Idade {months} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Idade 1 ano, {months} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Idade {years}",
|
||||
"exif_bottom_sheet_person_age": "Idade {}",
|
||||
"exif_bottom_sheet_person_age_months": "Idade {} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Idade 1 ano, {} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Idade {}",
|
||||
"exit_slideshow": "Saír da Presentación",
|
||||
"expand_all": "Expandir todo",
|
||||
"experimental_settings_new_asset_list_subtitle": "Traballo en progreso",
|
||||
"experimental_settings_new_asset_list_title": "Activar grella de fotos experimental",
|
||||
"experimental_settings_subtitle": "Use baixo o teu propio risco!",
|
||||
"experimental_settings_title": "Experimental",
|
||||
"expire_after": "Caduca despois de",
|
||||
"expired": "Caducado",
|
||||
"expires_date": "Caduca o {date}",
|
||||
@@ -970,7 +971,7 @@
|
||||
"external": "Externo",
|
||||
"external_libraries": "Bibliotecas Externas",
|
||||
"external_network": "Rede externa",
|
||||
"external_network_sheet_info": "Cando non estea na rede wifi preferida, a aplicación conectarase ao servidor a través da primeira das seguintes URLs que poida alcanzar, comezando de arriba a abaixo",
|
||||
"external_network_sheet_info": "Cando non estea na rede WiFi preferida, a aplicación conectarase ao servidor a través da primeira das seguintes URLs que poida alcanzar, comezando de arriba a abaixo",
|
||||
"face_unassigned": "Sen asignar",
|
||||
"failed": "Fallado",
|
||||
"failed_to_load_assets": "Erro ao cargar activos",
|
||||
@@ -998,7 +999,7 @@
|
||||
"forward": "Adiante",
|
||||
"general": "Xeral",
|
||||
"get_help": "Obter Axuda",
|
||||
"get_wifiname_error": "Non se puido obter o nome da wifi. Asegúrate de que concedeu os permisos necesarios e está conectado a unha rede wifi",
|
||||
"get_wifiname_error": "Non se puido obter o nome da Wi-Fi. Asegúrate de que concedeu os permisos necesarios e está conectado a unha rede Wi-Fi",
|
||||
"getting_started": "Primeiros Pasos",
|
||||
"go_back": "Volver",
|
||||
"go_to_folder": "Ir ao cartafol",
|
||||
@@ -1040,6 +1041,7 @@
|
||||
"home_page_first_time_notice": "Se esta é a primeira vez que usas a aplicación, asegúrate de elixir un álbum de copia de seguridade para que a liña de tempo poida encherse con fotos e vídeos nel",
|
||||
"home_page_share_err_local": "Non se poden compartir activos locais mediante ligazón, omitindo",
|
||||
"home_page_upload_err_limit": "Só se pode cargar un máximo de 30 activos á vez, omitindo",
|
||||
"host": "Host",
|
||||
"hour": "Hora",
|
||||
"ignore_icloud_photos": "Ignorar fotos de iCloud",
|
||||
"ignore_icloud_photos_description": "As fotos que están almacenadas en iCloud non se cargarán ao servidor Immich",
|
||||
@@ -1091,6 +1093,7 @@
|
||||
"language_setting_description": "Seleccione a túa lingua preferida",
|
||||
"last_seen": "Visto por última vez",
|
||||
"latest_version": "Última Versión",
|
||||
"latitude": "Latitude",
|
||||
"leave": "Saír",
|
||||
"lens_model": "Modelo da lente",
|
||||
"let_others_respond": "Permitir que outros respondan",
|
||||
@@ -1113,9 +1116,9 @@
|
||||
"loading": "Cargando",
|
||||
"loading_search_results_failed": "Erro ao cargar os resultados da busca",
|
||||
"local_network": "Rede local",
|
||||
"local_network_sheet_info": "A aplicación conectarase ao servidor a través desta URL cando use a rede wifi especificada",
|
||||
"local_network_sheet_info": "A aplicación conectarase ao servidor a través desta URL cando use a rede Wi-Fi especificada",
|
||||
"location_permission": "Permiso de ubicación",
|
||||
"location_permission_content": "Para usar a función de cambio automático, Immich necesita permiso de ubicación precisa para poder ler o nome da rede wifi actual",
|
||||
"location_permission_content": "Para usar a función de cambio automático, Immich necesita permiso de ubicación precisa para poder ler o nome da rede WiFi actual",
|
||||
"location_picker_choose_on_map": "Elixir no mapa",
|
||||
"location_picker_latitude_error": "Introducir unha latitude válida",
|
||||
"location_picker_latitude_hint": "Introduza a túa latitude aquí",
|
||||
@@ -1165,8 +1168,8 @@
|
||||
"manage_your_devices": "Xestionar os teus dispositivos con sesión iniciada",
|
||||
"manage_your_oauth_connection": "Xestionar a túa conexión OAuth",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} fotos",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} fotos",
|
||||
"map_cannot_get_user_location": "Non se pode obter a ubicación do usuario",
|
||||
"map_location_dialog_yes": "Si",
|
||||
"map_location_picker_page_use_location": "Usar esta ubicación",
|
||||
@@ -1180,18 +1183,15 @@
|
||||
"map_settings": "Configuración do mapa",
|
||||
"map_settings_dark_mode": "Modo escuro",
|
||||
"map_settings_date_range_option_day": "Últimas 24 horas",
|
||||
"map_settings_date_range_option_days": "Últimos {days} días",
|
||||
"map_settings_date_range_option_days": "Últimos {} días",
|
||||
"map_settings_date_range_option_year": "Último ano",
|
||||
"map_settings_date_range_option_years": "Últimos {years} anos",
|
||||
"map_settings_date_range_option_years": "Últimos {} anos",
|
||||
"map_settings_dialog_title": "Configuración do Mapa",
|
||||
"map_settings_include_show_archived": "Incluír Arquivados",
|
||||
"map_settings_include_show_partners": "Incluír Compañeiros/as",
|
||||
"map_settings_only_show_favorites": "Mostrar Só Favoritos",
|
||||
"map_settings_theme_settings": "Tema do Mapa",
|
||||
"map_zoom_to_see_photos": "Alonxe o zoom para ver fotos",
|
||||
"mark_all_as_read": "Marcar todo como lido",
|
||||
"mark_as_read": "Marcar como lido",
|
||||
"marked_all_as_read": "Marcado todo como lido",
|
||||
"matches": "Coincidencias",
|
||||
"media_type": "Tipo de medio",
|
||||
"memories": "Recordos",
|
||||
@@ -1200,6 +1200,8 @@
|
||||
"memories_setting_description": "Xestionar o que ves nos teus recordos",
|
||||
"memories_start_over": "Comezar de novo",
|
||||
"memories_swipe_to_close": "Deslizar cara arriba para pechar",
|
||||
"memories_year_ago": "Hai un ano",
|
||||
"memories_years_ago": "Hai {} anos",
|
||||
"memory": "Recordo",
|
||||
"memory_lane_title": "Camiño dos Recordos {title}",
|
||||
"menu": "Menú",
|
||||
@@ -1214,6 +1216,7 @@
|
||||
"missing": "Faltantes",
|
||||
"model": "Modelo",
|
||||
"month": "Mes",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Máis",
|
||||
"moved_to_trash": "Movido ao lixo",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Non se pode editar a data de activo(s) de só lectura, omitindo",
|
||||
@@ -1247,7 +1250,6 @@
|
||||
"no_favorites_message": "Engade favoritos para atopar rapidamente as túas mellores fotos e vídeos",
|
||||
"no_libraries_message": "Crea unha biblioteca externa para ver as túas fotos e vídeos",
|
||||
"no_name": "Sen Nome",
|
||||
"no_notifications": "Sen notificacións",
|
||||
"no_places": "Sen lugares",
|
||||
"no_results": "Sen resultados",
|
||||
"no_results_description": "Proba cun sinónimo ou palabra chave máis xeral",
|
||||
@@ -1263,6 +1265,7 @@
|
||||
"notification_toggle_setting_description": "Activar notificacións por correo electrónico",
|
||||
"notifications": "Notificacións",
|
||||
"notifications_setting_description": "Xestionar notificacións",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Recursos Oficiais de Immich",
|
||||
"offline": "Fóra de liña",
|
||||
"offline_paths": "Rutas fóra de liña",
|
||||
@@ -1301,7 +1304,7 @@
|
||||
"partner_page_partner_add_failed": "Erro ao engadir compañeiro/a",
|
||||
"partner_page_select_partner": "Seleccionar compañeiro/a",
|
||||
"partner_page_shared_to_title": "Compartido con",
|
||||
"partner_page_stop_sharing_content": "{partner} xa non poderá acceder ás túas fotos.",
|
||||
"partner_page_stop_sharing_content": "{} xa non poderás acceder ás túas fotos.",
|
||||
"partner_sharing": "Compartición con Compañeiro/a",
|
||||
"partners": "Compañeiros/as",
|
||||
"password": "Contrasinal",
|
||||
@@ -1368,6 +1371,7 @@
|
||||
"profile_drawer_client_out_of_date_major": "A aplicación móbil está desactualizada. Por favor, actualice á última versión maior.",
|
||||
"profile_drawer_client_out_of_date_minor": "A aplicación móbil está desactualizada. Por favor, actualice á última versión menor.",
|
||||
"profile_drawer_client_server_up_to_date": "Cliente e Servidor están actualizados",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "O servidor está desactualizado. Por favor, actualice á última versión maior.",
|
||||
"profile_drawer_server_out_of_date_minor": "O servidor está desactualizado. Por favor, actualice á última versión menor.",
|
||||
"profile_image_of_user": "Imaxe de perfil de {user}",
|
||||
@@ -1376,7 +1380,7 @@
|
||||
"public_share": "Compartir Público",
|
||||
"purchase_account_info": "Seguidor/a",
|
||||
"purchase_activated_subtitle": "Grazas por apoiar Immich e o software de código aberto",
|
||||
"purchase_activated_time": "Activado o {date}",
|
||||
"purchase_activated_time": "Activado o {date, date}",
|
||||
"purchase_activated_title": "A súa chave activouse correctamente",
|
||||
"purchase_button_activate": "Activar",
|
||||
"purchase_button_buy": "Comprar",
|
||||
@@ -1388,6 +1392,7 @@
|
||||
"purchase_failed_activation": "Erro ao activar! Por favor, comproba o teu correo electrónico para a chave do produto correcta!",
|
||||
"purchase_individual_description_1": "Para un individuo",
|
||||
"purchase_individual_description_2": "Estado de seguidor/a",
|
||||
"purchase_individual_title": "Individual",
|
||||
"purchase_input_suggestion": "Ten unha chave de produto? Introduza a chave a continuación",
|
||||
"purchase_license_subtitle": "Compre Immich para apoiar o desenvolvemento continuado do servizo",
|
||||
"purchase_lifetime_description": "Compra vitalicia",
|
||||
@@ -1420,8 +1425,6 @@
|
||||
"recent_searches": "Buscas recentes",
|
||||
"recently_added": "Engadido recentemente",
|
||||
"recently_added_page_title": "Engadido Recentemente",
|
||||
"recently_taken": "Recentemente tomado",
|
||||
"recently_taken_page_title": "Recentemente Tomado",
|
||||
"refresh": "Actualizar",
|
||||
"refresh_encoded_videos": "Actualizar vídeos codificados",
|
||||
"refresh_faces": "Actualizar caras",
|
||||
@@ -1475,6 +1478,7 @@
|
||||
"retry_upload": "Reintentar carga",
|
||||
"review_duplicates": "Revisar duplicados",
|
||||
"role": "Rol",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visor",
|
||||
"save": "Gardar",
|
||||
"save_to_gallery": "Gardar na galería",
|
||||
@@ -1524,6 +1528,7 @@
|
||||
"search_page_no_places": "Non hai Información de Lugares Dispoñible",
|
||||
"search_page_screenshots": "Capturas de pantalla",
|
||||
"search_page_search_photos_videos": "Busca as túas fotos e vídeos",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Cousas",
|
||||
"search_page_view_all_button": "Ver todo",
|
||||
"search_page_your_activity": "A túa actividade",
|
||||
@@ -1584,12 +1589,12 @@
|
||||
"setting_languages_apply": "Aplicar",
|
||||
"setting_languages_subtitle": "Cambiar a lingua da aplicación",
|
||||
"setting_languages_title": "Linguas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notificar fallos da copia de seguridade en segundo plano: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} horas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notificar fallos da copia de seguridade en segundo plano: {}",
|
||||
"setting_notifications_notify_hours": "{} horas",
|
||||
"setting_notifications_notify_immediately": "inmediatamente",
|
||||
"setting_notifications_notify_minutes": "{count} minutos",
|
||||
"setting_notifications_notify_minutes": "{} minutos",
|
||||
"setting_notifications_notify_never": "nunca",
|
||||
"setting_notifications_notify_seconds": "{count} segundos",
|
||||
"setting_notifications_notify_seconds": "{} segundos",
|
||||
"setting_notifications_single_progress_subtitle": "Información detallada do progreso da carga por activo",
|
||||
"setting_notifications_single_progress_title": "Mostrar progreso detallado da copia de seguridade en segundo plano",
|
||||
"setting_notifications_subtitle": "Axustar as túas preferencias de notificación",
|
||||
@@ -1603,7 +1608,7 @@
|
||||
"settings_saved": "Configuración gardada",
|
||||
"share": "Compartir",
|
||||
"share_add_photos": "Engadir fotos",
|
||||
"share_assets_selected": "{count} seleccionados",
|
||||
"share_assets_selected": "{} seleccionados",
|
||||
"share_dialog_preparing": "Preparando...",
|
||||
"shared": "Compartido",
|
||||
"shared_album_activities_input_disable": "O comentario está desactivado",
|
||||
@@ -1617,33 +1622,34 @@
|
||||
"shared_by_user": "Compartido por {user}",
|
||||
"shared_by_you": "Compartido por ti",
|
||||
"shared_from_partner": "Fotos de {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Subidos",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Subidos",
|
||||
"shared_link_app_bar_title": "Ligazóns Compartidas",
|
||||
"shared_link_clipboard_copied_massage": "Copiado ao portapapeis",
|
||||
"shared_link_clipboard_text": "Ligazón: {link}\nContrasinal: {password}",
|
||||
"shared_link_clipboard_text": "Ligazón: {}\nContrasinal: {}",
|
||||
"shared_link_create_error": "Erro ao crear ligazón compartida",
|
||||
"shared_link_edit_description_hint": "Introduza a descrición da compartición",
|
||||
"shared_link_edit_expire_after_option_day": "1 día",
|
||||
"shared_link_edit_expire_after_option_days": "{count} días",
|
||||
"shared_link_edit_expire_after_option_days": "{} días",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hora",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} horas",
|
||||
"shared_link_edit_expire_after_option_hours": "{} horas",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuto",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{count} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{count} ano",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{} ano",
|
||||
"shared_link_edit_password_hint": "Introduza o contrasinal da compartición",
|
||||
"shared_link_edit_submit_button": "Actualizar ligazón",
|
||||
"shared_link_error_server_url_fetch": "Non se pode obter a url do servidor",
|
||||
"shared_link_expires_day": "Caduca en {count} día",
|
||||
"shared_link_expires_days": "Caduca en {count} días",
|
||||
"shared_link_expires_hour": "Caduca en {count} hora",
|
||||
"shared_link_expires_hours": "Caduca en {count} horas",
|
||||
"shared_link_expires_minute": "Caduca en {count} minuto",
|
||||
"shared_link_expires_minutes": "Caduca en {count} minutos",
|
||||
"shared_link_expires_day": "Caduca en {} día",
|
||||
"shared_link_expires_days": "Caduca en {} días",
|
||||
"shared_link_expires_hour": "Caduca en {} hora",
|
||||
"shared_link_expires_hours": "Caduca en {} horas",
|
||||
"shared_link_expires_minute": "Caduca en {} minuto",
|
||||
"shared_link_expires_minutes": "Caduca en {} minutos",
|
||||
"shared_link_expires_never": "Caduca ∞",
|
||||
"shared_link_expires_second": "Caduca en {count} segundo",
|
||||
"shared_link_expires_seconds": "Caduca en {count} segundos",
|
||||
"shared_link_expires_second": "Caduca en {} segundo",
|
||||
"shared_link_expires_seconds": "Caduca en {} segundos",
|
||||
"shared_link_individual_shared": "Compartido individualmente",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Xestionar ligazóns Compartidas",
|
||||
"shared_link_options": "Opcións da ligazón compartida",
|
||||
"shared_links": "Ligazóns compartidas",
|
||||
@@ -1742,7 +1748,7 @@
|
||||
"theme_selection": "Selección de tema",
|
||||
"theme_selection_description": "Establecer automaticamente o tema a claro ou escuro baseándose na preferencia do sistema do teu navegador",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Mostrar indicador de almacenamento nas tellas de activos",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Número de activos por fila ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Número de activos por fila ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Aplicar cor primaria ás superficies de fondo.",
|
||||
"theme_setting_colorful_interface_title": "Interface colorida",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Axustar a calidade do visor de imaxes de detalle",
|
||||
@@ -1767,6 +1773,7 @@
|
||||
"to_trash": "Lixo",
|
||||
"toggle_settings": "Alternar configuración",
|
||||
"toggle_theme": "Alternar tema escuro",
|
||||
"total": "Total",
|
||||
"total_usage": "Uso total",
|
||||
"trash": "Lixo",
|
||||
"trash_all": "Mover Todo ao Lixo",
|
||||
@@ -1776,11 +1783,11 @@
|
||||
"trash_no_results_message": "As fotos e vídeos movidos ao lixo aparecerán aquí.",
|
||||
"trash_page_delete_all": "Eliminar Todo",
|
||||
"trash_page_empty_trash_dialog_content": "Queres baleirar os teus activos no lixo? Estes elementos eliminaranse permanentemente de Immich",
|
||||
"trash_page_info": "Os elementos no lixo eliminaranse permanentemente despois de {days} días",
|
||||
"trash_page_info": "Os elementos no lixo eliminaranse permanentemente despois de {} días",
|
||||
"trash_page_no_assets": "Non hai activos no lixo",
|
||||
"trash_page_restore_all": "Restaurar Todo",
|
||||
"trash_page_select_assets_btn": "Seleccionar activos",
|
||||
"trash_page_title": "Lixo ({count})",
|
||||
"trash_page_title": "Lixo ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Os elementos no lixo eliminaranse permanentemente despois de {days, plural, one {# día} other {# días}}.",
|
||||
"type": "Tipo",
|
||||
"unarchive": "Desarquivar",
|
||||
@@ -1818,8 +1825,9 @@
|
||||
"upload_status_errors": "Erros",
|
||||
"upload_status_uploaded": "Subido",
|
||||
"upload_success": "Subida exitosa, actualice a páxina para ver os novos activos subidos.",
|
||||
"upload_to_immich": "Subir a Immich ({count})",
|
||||
"upload_to_immich": "Subir a Immich ({})",
|
||||
"uploading": "Subindo",
|
||||
"url": "URL",
|
||||
"usage": "Uso",
|
||||
"use_current_connection": "usar conexión actual",
|
||||
"use_custom_date_range": "Usar rango de datas personalizado no seu lugar",
|
||||
@@ -1837,6 +1845,7 @@
|
||||
"utilities": "Utilidades",
|
||||
"validate": "Validar",
|
||||
"validate_endpoint_error": "Por favor, introduza unha URL válida",
|
||||
"variables": "Variables",
|
||||
"version": "Versión",
|
||||
"version_announcement_closing": "O seu amigo, Alex",
|
||||
"version_announcement_message": "Ola! Unha nova versión de Immich está dispoñible. Por favor, toma un tempo para ler as <link>notas de lanzamento</link> para asegurarse de que a túa configuración está actualizada para evitar calquera configuración incorrecta, especialmente se usas WatchTower ou calquera mecanismo que xestione a actualización automática da túa instancia de Immich.",
|
||||
@@ -1873,11 +1882,11 @@
|
||||
"week": "Semana",
|
||||
"welcome": "Benvido/a",
|
||||
"welcome_to_immich": "Benvido/a a Immich",
|
||||
"wifi_name": "Nome da wifi",
|
||||
"wifi_name": "Nome da Wi-Fi",
|
||||
"year": "Ano",
|
||||
"years_ago": "Hai {years, plural, one {# ano} other {# anos}}",
|
||||
"yes": "Si",
|
||||
"you_dont_have_any_shared_links": "Non tes ningunha ligazón compartida",
|
||||
"your_wifi_name": "O nome da túa wifi",
|
||||
"your_wifi_name": "O nome da túa Wi-Fi",
|
||||
"zoom_image": "Ampliar Imaxe"
|
||||
}
|
||||
|
||||
147
i18n/he.json
147
i18n/he.json
@@ -53,7 +53,6 @@
|
||||
"confirm_email_below": "כדי לאשר, יש להקליד \"{email}\" למטה",
|
||||
"confirm_reprocess_all_faces": "האם באמת ברצונך לעבד מחדש את כל הפנים? זה גם ינקה אנשים בעלי שם.",
|
||||
"confirm_user_password_reset": "האם באמת ברצונך לאפס את הסיסמה של המשתמש {user}?",
|
||||
"confirm_user_pin_code_reset": "האם אתה בטוח שברצונך לאפס את קוד ה PIN של {user}?",
|
||||
"create_job": "צור עבודה",
|
||||
"cron_expression": "ביטוי cron",
|
||||
"cron_expression_description": "הגדר את מרווח הסריקה באמצעות תבנית ה- cron. למידע נוסף נא לפנות למשל אל <link>Crontab Guru</link>",
|
||||
@@ -370,7 +369,7 @@
|
||||
"advanced": "מתקדם",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "השתמש באפשרות זו כדי לסנן מדיה במהלך הסנכרון לפי קריטריונים חלופיים. מומלץ להשתמש בזה רק אם יש בעיה בזיהוי כל האלבומים באפליקציה.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[ניסיוני] השתמש במסנן סנכרון אלבום חלופי שמבכשיר",
|
||||
"advanced_settings_log_level_title": "רמת רישום ביומן: {level}",
|
||||
"advanced_settings_log_level_title": "רמת רישום ביומן: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "חלק מהמכשירים הם איטיים מאד לטעינה של תמונות ממוזערות מתמונות שבמכשיר. הפעל הגדרה זו כדי לטעון תמונות מרוחקות במקום.",
|
||||
"advanced_settings_prefer_remote_title": "העדף תמונות מרוחקות",
|
||||
"advanced_settings_proxy_headers_subtitle": "הגדר proxy headers שהיישום צריך לשלוח עם כל בקשת רשת",
|
||||
@@ -401,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "האם באמת ברצונך להסיר את {user}?",
|
||||
"album_share_no_users": "נראה ששיתפת את האלבום הזה עם כל המשתמשים או שאין לך אף משתמש לשתף איתו.",
|
||||
"album_thumbnail_card_item": "פריט 1",
|
||||
"album_thumbnail_card_items": "{count} פריטים",
|
||||
"album_thumbnail_card_items": "{} פריטים",
|
||||
"album_thumbnail_card_shared": " · משותף",
|
||||
"album_thumbnail_shared_by": "שותף על ידי {user}",
|
||||
"album_thumbnail_shared_by": "שותף על ידי {}",
|
||||
"album_updated": "אלבום עודכן",
|
||||
"album_updated_setting_description": "קבל הודעת דוא\"ל כאשר לאלבום משותף יש תמונות חדשות",
|
||||
"album_user_left": "עזב את {album}",
|
||||
@@ -441,7 +440,7 @@
|
||||
"archive": "ארכיון",
|
||||
"archive_or_unarchive_photo": "העבר תמונה לארכיון או הוצא אותה משם",
|
||||
"archive_page_no_archived_assets": "לא נמצאו תמונות בארכיון",
|
||||
"archive_page_title": "בארכיון ({count})",
|
||||
"archive_page_title": "בארכיון ({})",
|
||||
"archive_size": "גודל הארכיון",
|
||||
"archive_size_description": "הגדר את גודל הארכיון להורדות (ב-GiB)",
|
||||
"archived": "בארכיון",
|
||||
@@ -478,18 +477,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {נוספה תמונה #} other {נוספו # תמונות}} לאלבום",
|
||||
"assets_added_to_name_count": "{count, plural, one {תמונה # נוספה} other {# תמונות נוספו}} אל {hasName, select, true {<b>{name}</b>} other {אלבום חדש}}",
|
||||
"assets_count": "{count, plural, one {תמונה #} other {# תמונות}}",
|
||||
"assets_deleted_permanently": "{count} תמונות נמחקו לצמיתות",
|
||||
"assets_deleted_permanently_from_server": "{count} תמונות נמחקו לצמיתות משרת ה-Immich",
|
||||
"assets_deleted_permanently": "{} תמונות נמחקו לצמיתות",
|
||||
"assets_deleted_permanently_from_server": "{} תמונות נמחקו לצמיתות משרת ה-Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {תמונה # הועברה} other {# תמונות הועברו}} לאשפה",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {תמונה # נמחקה} other {# תמונות נמחקו}} לצמיתות",
|
||||
"assets_removed_count": "{count, plural, one {תמונה # הוסרה} other {# תמונות הוסרו}}",
|
||||
"assets_removed_permanently_from_device": "{count} תמונות נמחקו לצמיתות מהמכשיר שלך",
|
||||
"assets_removed_permanently_from_device": "{} תמונות נמחקו לצמיתות מהמכשיר שלך",
|
||||
"assets_restore_confirmation": "האם באמת ברצונך לשחזר את כל התמונות שבאשפה? אין באפשרותך לבטל את הפעולה הזו! יש לשים לב שלא ניתן לשחזר תמונות לא מקוונות בדרך זו.",
|
||||
"assets_restored_count": "{count, plural, one {תמונה # שוחזרה} other {# תמונות שוחזרו}}",
|
||||
"assets_restored_successfully": "{count} תמונות שוחזרו בהצלחה",
|
||||
"assets_trashed": "{count} תמונות הועברו לאשפה",
|
||||
"assets_restored_successfully": "{} תמונות שוחזרו בהצלחה",
|
||||
"assets_trashed": "{} תמונות הועברו לאשפה",
|
||||
"assets_trashed_count": "{count, plural, one {תמונה # הושלכה} other {# תמונות הושלכו}} לאשפה",
|
||||
"assets_trashed_from_server": "{count} תמונות הועברו לאשפה מהשרת",
|
||||
"assets_trashed_from_server": "{} תמונות הועברו לאשפה מהשרת",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {תמונה הייתה} other {תמונות היו}} כבר חלק מהאלבום",
|
||||
"authorized_devices": "מכשירים מורשים",
|
||||
"automatic_endpoint_switching_subtitle": "התחבר מקומית דרך אינטרנט אלחוטי ייעודי כאשר זמין והשתמש בחיבורים חלופיים במקומות אחרים",
|
||||
@@ -498,7 +497,7 @@
|
||||
"back_close_deselect": "חזור, סגור, או בטל בחירה",
|
||||
"background_location_permission": "הרשאת מיקום ברקע",
|
||||
"background_location_permission_content": "כדי להחליף רשתות בעת ריצה ברקע, היישום צריך *תמיד* גישה למיקום מדויק על מנת לקרוא את השם של רשת האינטרנט האלחוטי",
|
||||
"backup_album_selection_page_albums_device": "({count}) אלבומים במכשיר",
|
||||
"backup_album_selection_page_albums_device": "({}) אלבומים במכשיר",
|
||||
"backup_album_selection_page_albums_tap": "הקש כדי לכלול, הקש פעמיים כדי להחריג",
|
||||
"backup_album_selection_page_assets_scatter": "תמונות יכולות להתפזר על פני אלבומים מרובים. לפיכך, ניתן לכלול או להחריג אלבומים במהלך תהליך הגיבוי.",
|
||||
"backup_album_selection_page_select_albums": "בחירת אלבומים",
|
||||
@@ -507,11 +506,11 @@
|
||||
"backup_all": "הכל",
|
||||
"backup_background_service_backup_failed_message": "נכשל בגיבוי תמונות. מנסה שוב…",
|
||||
"backup_background_service_connection_failed_message": "נכשל בהתחברות לשרת. מנסה שוב…",
|
||||
"backup_background_service_current_upload_notification": "מעלה {filename}",
|
||||
"backup_background_service_current_upload_notification": "מעלה {}",
|
||||
"backup_background_service_default_notification": "מחפש תמונות חדשות…",
|
||||
"backup_background_service_error_title": "שגיאת גיבוי",
|
||||
"backup_background_service_in_progress_notification": "מגבה את התמונות שלך…",
|
||||
"backup_background_service_upload_failure_notification": "{filename} נכשל בהעלאה",
|
||||
"backup_background_service_upload_failure_notification": "{} נכשל בהעלאה",
|
||||
"backup_controller_page_albums": "אלבומים לגיבוי",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "אפשר רענון אפליקציה ברקע בהגדרות > כללי > רענון אפליקציה ברקע כדי להשתמש בגיבוי ברקע.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "רענון אפליקציה ברקע מושבת",
|
||||
@@ -522,7 +521,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "מיטובי סוללה",
|
||||
"backup_controller_page_background_charging": "רק בטעינה",
|
||||
"backup_controller_page_background_configure_error": "נכשל בהגדרת תצורת שירות הרקע",
|
||||
"backup_controller_page_background_delay": "השהה גיבוי של תמונות חדשות: {duration}",
|
||||
"backup_controller_page_background_delay": "השהה גיבוי של תמונות חדשות: {}",
|
||||
"backup_controller_page_background_description": "הפעל את השירות רקע כדי לגבות באופן אוטומטי כל תמונה חדשה מבלי להצטרך לפתוח את היישום",
|
||||
"backup_controller_page_background_is_off": "גיבוי אוטומטי ברקע כבוי",
|
||||
"backup_controller_page_background_is_on": "גיבוי אוטומטי ברקע מופעל",
|
||||
@@ -532,12 +531,12 @@
|
||||
"backup_controller_page_backup": "גיבוי",
|
||||
"backup_controller_page_backup_selected": "נבחרו: ",
|
||||
"backup_controller_page_backup_sub": "תמונות וסרטונים מגובים",
|
||||
"backup_controller_page_created": "נוצר ב: {date}",
|
||||
"backup_controller_page_created": "נוצר ב: {}",
|
||||
"backup_controller_page_desc_backup": "הפעל גיבוי חזית כדי להעלות באופן אוטומטי תמונות חדשות לשרת כשפותחים את היישום.",
|
||||
"backup_controller_page_excluded": "הוחרגו: ",
|
||||
"backup_controller_page_failed": "({count}) נכשלו",
|
||||
"backup_controller_page_filename": "שם הקובץ: {size} [{filename}]",
|
||||
"backup_controller_page_id": "מזהה: {id}",
|
||||
"backup_controller_page_failed": "({}) נכשלו",
|
||||
"backup_controller_page_filename": "שם הקובץ: {} [{}]",
|
||||
"backup_controller_page_id": "מזהה: {}",
|
||||
"backup_controller_page_info": "פרטי גיבוי",
|
||||
"backup_controller_page_none_selected": "אין בחירה",
|
||||
"backup_controller_page_remainder": "בהמתנה לגיבוי",
|
||||
@@ -546,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "התחל גיבוי",
|
||||
"backup_controller_page_status_off": "גיבוי חזית אוטומטי כבוי",
|
||||
"backup_controller_page_status_on": "גיבוי חזית אוטומטי מופעל",
|
||||
"backup_controller_page_storage_format": "{total} מתוך {used} בשימוש",
|
||||
"backup_controller_page_storage_format": "{} מתוך {} בשימוש",
|
||||
"backup_controller_page_to_backup": "אלבומים לגבות",
|
||||
"backup_controller_page_total_sub": "כל התמונות והסרטונים הייחודיים מאלבומים שנבחרו",
|
||||
"backup_controller_page_turn_off": "כיבוי גיבוי חזית",
|
||||
@@ -571,21 +570,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "האם באמת ברצונך להשאיר {count, plural, one {תמונה # כפולה} other {# תמונות כפולות}}? זה יסגור את כל הקבוצות הכפולות מבלי למחוק דבר.",
|
||||
"bulk_trash_duplicates_confirmation": "האם באמת ברצונך להעביר לאשפה בכמות גדולה {count, plural, one {תמונה # כפולה} other {# תמונות כפולות}}? זה ישמור על התמונה הגדולה ביותר של כל קבוצה ויעביר לאשפה את כל שאר הכפילויות.",
|
||||
"buy": "רכוש את Immich",
|
||||
"cache_settings_album_thumbnails": "תמונות ממוזערות של דף ספרייה ({count} תמונות)",
|
||||
"cache_settings_album_thumbnails": "תמונות ממוזערות של דף ספרייה ({} תמונות)",
|
||||
"cache_settings_clear_cache_button": "ניקוי מטמון",
|
||||
"cache_settings_clear_cache_button_title": "מנקה את המטמון של היישום. זה ישפיע באופן משמעותי על הביצועים של היישום עד שהמטמון מתמלא מחדש.",
|
||||
"cache_settings_duplicated_assets_clear_button": "נקה",
|
||||
"cache_settings_duplicated_assets_subtitle": "תמונות וסרטונים שנמצאים ברשימה השחורה של היישום",
|
||||
"cache_settings_duplicated_assets_title": "({count}) תמונות משוכפלות",
|
||||
"cache_settings_image_cache_size": "גודל מטמון התמונה ({count} תמונות)",
|
||||
"cache_settings_duplicated_assets_title": "({}) תמונות משוכפלות",
|
||||
"cache_settings_image_cache_size": "גודל מטמון התמונה ({} תמונות)",
|
||||
"cache_settings_statistics_album": "תמונות ממוזערות של ספרייה",
|
||||
"cache_settings_statistics_assets": "{size} תמונות ({count})",
|
||||
"cache_settings_statistics_assets": "{} תמונות ({})",
|
||||
"cache_settings_statistics_full": "תמונות מלאות",
|
||||
"cache_settings_statistics_shared": "תמונות ממוזערות של אלבום משותף",
|
||||
"cache_settings_statistics_thumbnail": "תמונות ממוזערות",
|
||||
"cache_settings_statistics_title": "שימוש במטמון",
|
||||
"cache_settings_subtitle": "הגדר כיצד אפליקציית Immich שומרת נתונים באופן זמני",
|
||||
"cache_settings_thumbnail_size": "גודל מטמון תמונה ממוזערת ({count} תמונות)",
|
||||
"cache_settings_thumbnail_size": "גודל מטמון תמונה ממוזערת ({} תמונות)",
|
||||
"cache_settings_tile_subtitle": "שלוט בהתנהגות האחסון המקומי",
|
||||
"cache_settings_tile_title": "אחסון מקומי",
|
||||
"cache_settings_title": "הגדרות שמירת מטמון",
|
||||
@@ -611,7 +610,6 @@
|
||||
"change_password_form_new_password": "סיסמה חדשה",
|
||||
"change_password_form_password_mismatch": "סיסמאות לא תואמות",
|
||||
"change_password_form_reenter_new_password": "הכנס שוב סיסמה חדשה",
|
||||
"change_pin_code": "שנה קוד PIN",
|
||||
"change_your_password": "החלף את הסיסמה שלך",
|
||||
"changed_visibility_successfully": "הנראות שונתה בהצלחה",
|
||||
"check_all": "לסמן הכל",
|
||||
@@ -652,12 +650,11 @@
|
||||
"confirm_delete_face": "האם באמת ברצונך למחוק את הפנים של {name} מהתמונה?",
|
||||
"confirm_delete_shared_link": "האם באמת ברצונך למחוק את הקישור המשותף הזה?",
|
||||
"confirm_keep_this_delete_others": "כל שאר תמונות שבערימה יימחקו למעט תמונה זאת. האם באמת ברצונך להמשיך?",
|
||||
"confirm_new_pin_code": "אשר קוד PIN חדש",
|
||||
"confirm_password": "אשר סיסמה",
|
||||
"contain": "מכיל",
|
||||
"context": "הקשר",
|
||||
"continue": "המשך",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} פריטים · משותפים",
|
||||
"control_bottom_app_bar_album_info_shared": "{} פריטים · משותפים",
|
||||
"control_bottom_app_bar_create_new_album": "צור אלבום חדש",
|
||||
"control_bottom_app_bar_delete_from_immich": "מחק מהשרת",
|
||||
"control_bottom_app_bar_delete_from_local": "מחק מהמכשיר",
|
||||
@@ -698,14 +695,16 @@
|
||||
"crop": "חתוך",
|
||||
"curated_object_page_title": "דברים",
|
||||
"current_device": "מכשיר נוכחי",
|
||||
"current_pin_code": "קוד PIN הנוכחי",
|
||||
"current_server_address": "כתובת שרת נוכחית",
|
||||
"custom_locale": "אזור שפה מותאם אישית",
|
||||
"custom_locale_description": "עצב תאריכים ומספרים על סמך השפה והאזור",
|
||||
"daily_title_text_date": "E, MMM dd",
|
||||
"daily_title_text_date_year": "E, MMM dd, yyyy",
|
||||
"dark": "כהה",
|
||||
"date_after": "תאריך אחרי",
|
||||
"date_and_time": "תאריך ושעה",
|
||||
"date_before": "תאריך לפני",
|
||||
"date_format": "E, LLL d, y • h:mm a",
|
||||
"date_of_birth_saved": "תאריך לידה נשמר בהצלחה",
|
||||
"date_range": "טווח תאריכים",
|
||||
"day": "יום",
|
||||
@@ -764,7 +763,7 @@
|
||||
"download_enqueue": "הורדה נוספה לתור",
|
||||
"download_error": "שגיאת הורדה",
|
||||
"download_failed": "הורדה נכשלה",
|
||||
"download_filename": "קובץ: {filename}",
|
||||
"download_filename": "קובץ: {}",
|
||||
"download_finished": "הורדה הסתיימה",
|
||||
"download_include_embedded_motion_videos": "סרטונים מוטמעים",
|
||||
"download_include_embedded_motion_videos_description": "כלול סרטונים מוטעמים בתמונות עם תנועה כקובץ נפרד",
|
||||
@@ -820,7 +819,7 @@
|
||||
"error_change_sort_album": "שינוי סדר מיון אלבום נכשל",
|
||||
"error_delete_face": "שגיאה במחיקת פנים מתמונה",
|
||||
"error_loading_image": "שגיאה בטעינת התמונה",
|
||||
"error_saving_image": "שגיאה: {error}",
|
||||
"error_saving_image": "שגיאה: {}",
|
||||
"error_title": "שגיאה - משהו השתבש",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "לא ניתן לנווט לתמונה הבאה",
|
||||
@@ -923,7 +922,6 @@
|
||||
"unable_to_remove_reaction": "לא ניתן להסיר תגובה",
|
||||
"unable_to_repair_items": "לא ניתן לתקן פריטים",
|
||||
"unable_to_reset_password": "לא ניתן לאפס סיסמה",
|
||||
"unable_to_reset_pin_code": "לא ניתן לאפס קוד PIN",
|
||||
"unable_to_resolve_duplicate": "לא ניתן לפתור כפילות",
|
||||
"unable_to_restore_assets": "לא ניתן לשחזר תמונות",
|
||||
"unable_to_restore_trash": "לא ניתן לשחזר אשפה",
|
||||
@@ -951,15 +949,16 @@
|
||||
"unable_to_update_user": "לא ניתן לעדכן משתמש",
|
||||
"unable_to_upload_file": "לא ניתן להעלות קובץ"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "הוסף תיאור...",
|
||||
"exif_bottom_sheet_details": "פרטים",
|
||||
"exif_bottom_sheet_location": "מיקום",
|
||||
"exif_bottom_sheet_people": "אנשים",
|
||||
"exif_bottom_sheet_person_add_person": "הוסף שם",
|
||||
"exif_bottom_sheet_person_age": "גיל {age}",
|
||||
"exif_bottom_sheet_person_age_months": "גיל {months} חודשים",
|
||||
"exif_bottom_sheet_person_age_year_months": "גיל שנה ו-{months} חודשים",
|
||||
"exif_bottom_sheet_person_age_years": "גיל {years}",
|
||||
"exif_bottom_sheet_person_age": "גיל {}",
|
||||
"exif_bottom_sheet_person_age_months": "גיל {} חודשים",
|
||||
"exif_bottom_sheet_person_age_year_months": "גיל שנה ו-{} חודשים",
|
||||
"exif_bottom_sheet_person_age_years": "גיל {}",
|
||||
"exit_slideshow": "צא ממצגת שקופיות",
|
||||
"expand_all": "הרחב הכל",
|
||||
"experimental_settings_new_asset_list_subtitle": "עבודה בתהליך",
|
||||
@@ -1139,6 +1138,7 @@
|
||||
"login_form_api_exception": "חריגת API. נא לבדוק את כתובת השרת ולנסות שוב.",
|
||||
"login_form_back_button_text": "חזרה",
|
||||
"login_form_email_hint": "yourmail@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "כתובת נקודת קצה השרת",
|
||||
"login_form_err_http": "נא לציין //:http או //:https",
|
||||
"login_form_err_invalid_email": "דוא\"ל שגוי",
|
||||
@@ -1173,8 +1173,8 @@
|
||||
"manage_your_devices": "ניהול המכשירים המחוברים שלך",
|
||||
"manage_your_oauth_connection": "ניהול חיבור ה-OAuth שלך",
|
||||
"map": "מפה",
|
||||
"map_assets_in_bound": "תמונה {count}",
|
||||
"map_assets_in_bounds": "{count} תמונות",
|
||||
"map_assets_in_bound": "תמונה {}",
|
||||
"map_assets_in_bounds": "{} תמונות",
|
||||
"map_cannot_get_user_location": "לא ניתן לקבוע את מיקום המשתמש",
|
||||
"map_location_dialog_yes": "כן",
|
||||
"map_location_picker_page_use_location": "השתמש במיקום הזה",
|
||||
@@ -1188,9 +1188,9 @@
|
||||
"map_settings": "הגדרות מפה",
|
||||
"map_settings_dark_mode": "מצב כהה",
|
||||
"map_settings_date_range_option_day": "24 שעות אחרונות",
|
||||
"map_settings_date_range_option_days": "ב-{days} ימים אחרונים",
|
||||
"map_settings_date_range_option_days": "ב-{} ימים אחרונים",
|
||||
"map_settings_date_range_option_year": "שנה אחרונה",
|
||||
"map_settings_date_range_option_years": "ב-{years} שנים אחרונות",
|
||||
"map_settings_date_range_option_years": "ב-{} שנים אחרונות",
|
||||
"map_settings_dialog_title": "הגדרות מפה",
|
||||
"map_settings_include_show_archived": "כלול ארכיון",
|
||||
"map_settings_include_show_partners": "כלול שותפים",
|
||||
@@ -1208,6 +1208,8 @@
|
||||
"memories_setting_description": "נהל את מה שרואים בזכרונות שלך",
|
||||
"memories_start_over": "התחל מחדש",
|
||||
"memories_swipe_to_close": "החלק למעלה כדי לסגור",
|
||||
"memories_year_ago": "לפני שנה",
|
||||
"memories_years_ago": "לפני {} שנים",
|
||||
"memory": "זיכרון",
|
||||
"memory_lane_title": "משעול הזיכרונות {title}",
|
||||
"menu": "תפריט",
|
||||
@@ -1222,6 +1224,7 @@
|
||||
"missing": "חסרים",
|
||||
"model": "דגם",
|
||||
"month": "חודש",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "עוד",
|
||||
"moved_to_trash": "הועבר לאשפה",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "לא ניתן לערוך תאריך של תמונות לקריאה בלבד, מדלג",
|
||||
@@ -1237,7 +1240,6 @@
|
||||
"new_api_key": "מפתח API חדש",
|
||||
"new_password": "סיסמה חדשה",
|
||||
"new_person": "אדם חדש",
|
||||
"new_pin_code": "קוד PIN חדש",
|
||||
"new_user_created": "משתמש חדש נוצר",
|
||||
"new_version_available": "גרסה חדשה זמינה",
|
||||
"newest_first": "החדש ביותר ראשון",
|
||||
@@ -1273,6 +1275,7 @@
|
||||
"notification_toggle_setting_description": "אפשר התראות דוא\"ל",
|
||||
"notifications": "התראות",
|
||||
"notifications_setting_description": "ניהול התראות",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "מקורות רשמיים של Immich",
|
||||
"offline": "לא מקוון",
|
||||
"offline_paths": "נתיבים לא מקוונים",
|
||||
@@ -1311,7 +1314,7 @@
|
||||
"partner_page_partner_add_failed": "הוספת שותף נכשלה",
|
||||
"partner_page_select_partner": "בחירת שותף",
|
||||
"partner_page_shared_to_title": "משותף עם",
|
||||
"partner_page_stop_sharing_content": "{partner} לא יוכל יותר לגשת לתמונות שלך.",
|
||||
"partner_page_stop_sharing_content": "{} לא יוכל יותר לגשת לתמונות שלך.",
|
||||
"partner_sharing": "שיתוף שותפים",
|
||||
"partners": "שותפים",
|
||||
"password": "סיסמה",
|
||||
@@ -1357,9 +1360,6 @@
|
||||
"photos_count": "{count, plural, one {תמונה {count, number}} other {{count, number} תמונות}}",
|
||||
"photos_from_previous_years": "תמונות משנים קודמות",
|
||||
"pick_a_location": "בחר מיקום",
|
||||
"pin_code_changed_successfully": "קוד ה PIN שונה בהצלחה",
|
||||
"pin_code_reset_successfully": "קוד PIN אופס בהצלחה",
|
||||
"pin_code_setup_successfully": "קוד PIN הוגדר בהצלחה",
|
||||
"place": "מקום",
|
||||
"places": "מקומות",
|
||||
"places_count": "{count, plural, one {מקום {count, number}} other {{count, number} מקומות}}",
|
||||
@@ -1381,6 +1381,7 @@
|
||||
"profile_drawer_client_out_of_date_major": "גרסת היישום לנייד מיושנת. נא לעדכן לגרסה הראשית האחרונה.",
|
||||
"profile_drawer_client_out_of_date_minor": "גרסת היישום לנייד מיושנת. נא לעדכן לגרסה המשנית האחרונה.",
|
||||
"profile_drawer_client_server_up_to_date": "היישום והשרת מעודכנים",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "השרת אינו מעודכן. נא לעדכן לגרסה הראשית האחרונה.",
|
||||
"profile_drawer_server_out_of_date_minor": "השרת אינו מעודכן. נא לעדכן לגרסה המשנית האחרונה.",
|
||||
"profile_image_of_user": "תמונת פרופיל של {user}",
|
||||
@@ -1478,7 +1479,6 @@
|
||||
"reset": "איפוס",
|
||||
"reset_password": "איפוס סיסמה",
|
||||
"reset_people_visibility": "אפס את נראות האנשים",
|
||||
"reset_pin_code": "אפס קוד PIN",
|
||||
"reset_to_default": "אפס לברירת מחדל",
|
||||
"resolve_duplicates": "פתור כפילויות",
|
||||
"resolved_all_duplicates": "כל הכפילויות נפתרו",
|
||||
@@ -1602,12 +1602,12 @@
|
||||
"setting_languages_apply": "החל",
|
||||
"setting_languages_subtitle": "שינוי שפת היישום",
|
||||
"setting_languages_title": "שפות",
|
||||
"setting_notifications_notify_failures_grace_period": "הודע על כשלים בגיבוי ברקע: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} שעות",
|
||||
"setting_notifications_notify_failures_grace_period": "הודע על כשלים בגיבוי ברקע: {}",
|
||||
"setting_notifications_notify_hours": "{} שעות",
|
||||
"setting_notifications_notify_immediately": "באופן מיידי",
|
||||
"setting_notifications_notify_minutes": "{count} דקות",
|
||||
"setting_notifications_notify_minutes": "{} דקות",
|
||||
"setting_notifications_notify_never": "אף פעם",
|
||||
"setting_notifications_notify_seconds": "{count} שניות",
|
||||
"setting_notifications_notify_seconds": "{} שניות",
|
||||
"setting_notifications_single_progress_subtitle": "מידע מפורט על התקדמות העלאה לכל תמונה",
|
||||
"setting_notifications_single_progress_title": "הראה פרטי התקדמות גיבוי ברקע",
|
||||
"setting_notifications_subtitle": "התאם את העדפות ההתראה שלך",
|
||||
@@ -1619,10 +1619,9 @@
|
||||
"settings": "הגדרות",
|
||||
"settings_require_restart": "אנא הפעל מחדש את היישום כדי להחיל הגדרה זו",
|
||||
"settings_saved": "ההגדרות נשמרו",
|
||||
"setup_pin_code": "הגדר קוד PIN",
|
||||
"share": "שתף",
|
||||
"share_add_photos": "הוסף תמונות",
|
||||
"share_assets_selected": "{count} נבחרו",
|
||||
"share_assets_selected": "{} נבחרו",
|
||||
"share_dialog_preparing": "מכין...",
|
||||
"shared": "משותף",
|
||||
"shared_album_activities_input_disable": "התגובה מושבתת",
|
||||
@@ -1636,33 +1635,34 @@
|
||||
"shared_by_user": "משותף על ידי {user}",
|
||||
"shared_by_you": "משותף על ידך",
|
||||
"shared_from_partner": "תמונות מאת {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{total} / {current} הועלו",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} הועלו",
|
||||
"shared_link_app_bar_title": "קישורים משותפים",
|
||||
"shared_link_clipboard_copied_massage": "הועתק ללוח",
|
||||
"shared_link_clipboard_text": "קישור: {password}\nסיסמה: {link}",
|
||||
"shared_link_clipboard_text": "קישור: {}\nסיסמה: {}",
|
||||
"shared_link_create_error": "שגיאה ביצירת קישור משותף",
|
||||
"shared_link_edit_description_hint": "הכנס את תיאור השיתוף",
|
||||
"shared_link_edit_expire_after_option_day": "1 יום",
|
||||
"shared_link_edit_expire_after_option_days": "{count} ימים",
|
||||
"shared_link_edit_expire_after_option_days": "{} ימים",
|
||||
"shared_link_edit_expire_after_option_hour": "1 שעה",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} שעות",
|
||||
"shared_link_edit_expire_after_option_hours": "{} שעות",
|
||||
"shared_link_edit_expire_after_option_minute": "1 דקה",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} דקות",
|
||||
"shared_link_edit_expire_after_option_months": "{count} חודשים",
|
||||
"shared_link_edit_expire_after_option_year": "{count} שנה",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} דקות",
|
||||
"shared_link_edit_expire_after_option_months": "{} חודשים",
|
||||
"shared_link_edit_expire_after_option_year": "{} שנה",
|
||||
"shared_link_edit_password_hint": "הכנס את סיסמת השיתוף",
|
||||
"shared_link_edit_submit_button": "עדכן קישור",
|
||||
"shared_link_error_server_url_fetch": "לא ניתן להשיג את כתובת האינטרנט של השרת",
|
||||
"shared_link_expires_day": "יפוג בעוד יום {count}",
|
||||
"shared_link_expires_days": "יפוג בעוד {count} ימים",
|
||||
"shared_link_expires_hour": "יפוג בעוד שעה {count}",
|
||||
"shared_link_expires_hours": "יפוג בעוד {count} שעות",
|
||||
"shared_link_expires_minute": "יפוג בעוד דקה {count}",
|
||||
"shared_link_expires_minutes": "יפוג בעוד {count} דקות",
|
||||
"shared_link_expires_day": "יפוג בעוד יום {}",
|
||||
"shared_link_expires_days": "יפוג בעוד {} ימים",
|
||||
"shared_link_expires_hour": "יפוג בעוד שעה {}",
|
||||
"shared_link_expires_hours": "יפוג בעוד {} שעות",
|
||||
"shared_link_expires_minute": "יפוג בעוד דקה {}",
|
||||
"shared_link_expires_minutes": "יפוג בעוד {} דקות",
|
||||
"shared_link_expires_never": "יפוג ∞",
|
||||
"shared_link_expires_second": "יפוג בעוד שנייה {count}",
|
||||
"shared_link_expires_seconds": "יפוג בעוד {count} שניות",
|
||||
"shared_link_expires_second": "יפוג בעוד שנייה {}",
|
||||
"shared_link_expires_seconds": "יפוג בעוד {} שניות",
|
||||
"shared_link_individual_shared": "משותף ליחיד",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "ניהול קישורים משותפים",
|
||||
"shared_link_options": "אפשרויות קישור משותף",
|
||||
"shared_links": "קישורים משותפים",
|
||||
@@ -1761,7 +1761,7 @@
|
||||
"theme_selection": "בחירת ערכת נושא",
|
||||
"theme_selection_description": "הגדר אוטומטית את ערכת הנושא לבהיר או כהה בהתבסס על העדפת המערכת של הדפדפן שלך",
|
||||
"theme_setting_asset_list_storage_indicator_title": "הצג סטטוס גיבוי על גבי התמונות",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "מספר תמונות בכל שורה ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "מספר תמונות בכל שורה ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "החל את הצבע העיקרי למשטחי רקע.",
|
||||
"theme_setting_colorful_interface_title": "ממשק צבעוני",
|
||||
"theme_setting_image_viewer_quality_subtitle": "התאם את האיכות של מציג פרטי התמונות",
|
||||
@@ -1796,15 +1796,13 @@
|
||||
"trash_no_results_message": "תמונות וסרטונים שהועברו לאשפה יופיעו כאן.",
|
||||
"trash_page_delete_all": "מחק הכל",
|
||||
"trash_page_empty_trash_dialog_content": "האם ברצונך לרוקן את התמונות שבאשפה? הפריטים האלה ימחקו לצמיתות מהשרת",
|
||||
"trash_page_info": "פריטים באשפה ימחקו לצמיתות לאחר {days} ימים",
|
||||
"trash_page_info": "פריטים באשפה ימחקו לצמיתות לאחר {} ימים",
|
||||
"trash_page_no_assets": "אין תמונות באשפה",
|
||||
"trash_page_restore_all": "שחזר הכל",
|
||||
"trash_page_select_assets_btn": "בחר תמונות",
|
||||
"trash_page_title": "אשפה ({count})",
|
||||
"trash_page_title": "אשפה ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "פריטים באשפה ימחקו לצמיתות לאחר {days, plural, one {יום #} other {# ימים}}.",
|
||||
"type": "סוג",
|
||||
"unable_to_change_pin_code": "לא ניתן לשנות את קוד ה PIN",
|
||||
"unable_to_setup_pin_code": "לא ניתן להגדיר קוד PIN",
|
||||
"unarchive": "הוצא מארכיון",
|
||||
"unarchived_count": "{count, plural, other {# הוצאו מהארכיון}}",
|
||||
"unfavorite": "לא מועדף",
|
||||
@@ -1840,16 +1838,15 @@
|
||||
"upload_status_errors": "שגיאות",
|
||||
"upload_status_uploaded": "הועלה",
|
||||
"upload_success": "ההעלאה בוצעה בהצלחה. רענן את הדף כדי לצפות בתמונות שהועלו.",
|
||||
"upload_to_immich": "העלה לשרת ({count})",
|
||||
"upload_to_immich": "העלה לשרת ({})",
|
||||
"uploading": "מעלה",
|
||||
"url": "URL",
|
||||
"usage": "שימוש",
|
||||
"use_current_connection": "השתמש בחיבור נוכחי",
|
||||
"use_custom_date_range": "השתמש בטווח תאריכים מותאם במקום",
|
||||
"user": "משתמש",
|
||||
"user_id": "מזהה משתמש",
|
||||
"user_liked": "{user} אהב את {type, select, photo {התמונה הזאת} video {הסרטון הזה} asset {התמונה הזאת} other {זה}}",
|
||||
"user_pin_code_settings": "קוד PIN",
|
||||
"user_pin_code_settings_description": "נהל את קוד ה PIN שלך",
|
||||
"user_purchase_settings": "רכישה",
|
||||
"user_purchase_settings_description": "ניהול הרכישה שלך",
|
||||
"user_role_set": "הגדר את {user} בתור {role}",
|
||||
|
||||
520
i18n/hi.json
520
i18n/hi.json
@@ -4,33 +4,33 @@
|
||||
"account_settings": "अभिलेख व्यवस्था",
|
||||
"acknowledge": "स्वीकार करें",
|
||||
"action": "कार्रवाई",
|
||||
"action_common_update": "Update",
|
||||
"actions": "कार्यवाहियां",
|
||||
"active": "सक्रिय",
|
||||
"activity": "गतिविधि",
|
||||
"activity_changed": "गतिविधि {enabled, select, true {enabled} other {disabled}}",
|
||||
"add": "डालें",
|
||||
"add_a_description": "एक विवरण डालें",
|
||||
"add_a_location": "एक स्थान डालें",
|
||||
"add_a_name": "नाम डालें",
|
||||
"add_a_title": "एक शीर्षक डालें",
|
||||
"add_endpoint": "endpoint डालें",
|
||||
"add_exclusion_pattern": "अपवाद उदाहरण डालें",
|
||||
"add_import_path": "आयात पथ डालें",
|
||||
"add_location": "स्थान डालें",
|
||||
"add_more_users": "अधिक उपयोगकर्ता डालें",
|
||||
"add_partner": "जोड़ीदार डालें",
|
||||
"add_path": "पथ डालें",
|
||||
"add_photos": "फ़ोटो डालें",
|
||||
"add_to": "इसमें डालें…",
|
||||
"add_to_album": "एल्बम में डालें",
|
||||
"add_to_album_bottom_sheet_added": "{album} में डालें",
|
||||
"add_to_album_bottom_sheet_already_exists": "{album} में पहले से है",
|
||||
"add_to_locked_folder": "गुप्त फ़ोल्डर मे डालें",
|
||||
"add_to_shared_album": "शेयर किए गए एल्बम में डालें",
|
||||
"add_url": "URL डालें",
|
||||
"add": "जोड़ें",
|
||||
"add_a_description": "एक विवरण जोड़ें",
|
||||
"add_a_location": "एक स्थान जोड़ें",
|
||||
"add_a_name": "नाम जोड़ें",
|
||||
"add_a_title": "एक शीर्षक जोड़ें",
|
||||
"add_endpoint": "Add endpoint",
|
||||
"add_exclusion_pattern": "अपवाद उदाहरण जोड़ें",
|
||||
"add_import_path": "आयात पथ जोड़ें",
|
||||
"add_location": "स्थान जोड़ें",
|
||||
"add_more_users": "अधिक उपयोगकर्ता जोड़ें",
|
||||
"add_partner": "जोड़ीदार जोड़ें",
|
||||
"add_path": "पथ जोड़ें",
|
||||
"add_photos": "फ़ोटो जोड़ें",
|
||||
"add_to": "इसमें जोड़ें…",
|
||||
"add_to_album": "एल्बम में जोड़ें",
|
||||
"add_to_album_bottom_sheet_added": "Added to {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Already in {album}",
|
||||
"add_to_shared_album": "साझा एल्बम में जोड़ें",
|
||||
"add_url": "URL जोड़ें",
|
||||
"added_to_archive": "संग्रहीत कर दिया गया है",
|
||||
"added_to_favorites": "पसंदीदा में डाला गया",
|
||||
"added_to_favorites_count": "पसंदीदा में {count, number} डाला गया",
|
||||
"added_to_favorites": "पसंदीदा में जोड़ा गया",
|
||||
"added_to_favorites_count": "पसंदीदा में {count, number} जोड़ा गया",
|
||||
"admin": {
|
||||
"add_exclusion_pattern_description": "बहिष्करण पैटर्न जोड़ें. *, **, और ? का उपयोग करके ग्लोबिंग करना समर्थित है। \"Raw\" नामक किसी भी निर्देशिका की सभी फ़ाइलों को अनदेखा करने के लिए, \"**/Raw/**\" का उपयोग करें। \".tif\" से समाप्त होने वाली सभी फ़ाइलों को अनदेखा करने के लिए, \"**/*.tif\" का उपयोग करें। किसी पूर्ण पथ को अनदेखा करने के लिए, \"/path/to/ignore/**\" का उपयोग करें।",
|
||||
"asset_offline_description": "यह बाहरी लाइब्रेरी एसेट अब डिस्क पर मौजूद नहीं है और इसे ट्रैश में डाल दिया गया है। यदि फ़ाइल को लाइब्रेरी के भीतर कहीं ले जाया गया था, तो नई संबंधित एसेट के लिए अपनी टाइमलाइन देखें। इस एसेट को वापस पाने के लिए, कृपया सुनिश्चित करें कि नीचे दिए गए फ़ाइल पथ को इम्मिच द्वारा एक्सेस किया जा सकता है और फिर लाइब्रेरी को स्कैन करें।",
|
||||
@@ -45,7 +45,6 @@
|
||||
"backup_settings": "बैकअप सेटिंग्स",
|
||||
"backup_settings_description": "डेटाबेस बैकअप सेटिंग्स प्रबंधन",
|
||||
"check_all": "सभी चेक करें",
|
||||
"cleanup": "साफ़-सफ़ाई",
|
||||
"cleared_jobs": "{job}: के लिए कार्य साफ़ कर दिए गए",
|
||||
"config_set_by_file": "Config वर्तमान में एक config फ़ाइल द्वारा सेट किया गया है",
|
||||
"confirm_delete_library": "क्या आप वाकई {library} लाइब्रेरी को हटाना चाहते हैं?",
|
||||
@@ -147,8 +146,8 @@
|
||||
"metadata_extraction_job_description": "प्रत्येक परिसंपत्ति से जीपीएस और रिज़ॉल्यूशन जैसी मेटाडेटा जानकारी निकालें",
|
||||
"migration_job": "प्रवास",
|
||||
"migration_job_description": "संपत्तियों और चेहरों के थंबनेल को नवीनतम फ़ोल्डर संरचना में माइग्रेट करें",
|
||||
"no_paths_added": "कोई पथ नहीं डाला गया",
|
||||
"no_pattern_added": "कोई पैटर्न नहीं डाला गया",
|
||||
"no_paths_added": "कोई पथ नहीं जोड़ा गया",
|
||||
"no_pattern_added": "कोई पैटर्न नहीं जोड़ा गया",
|
||||
"note_apply_storage_label_previous_assets": "नोट: पहले अपलोड की गई संपत्तियों पर स्टोरेज लेबल लागू करने के लिए, चलाएँ",
|
||||
"note_cannot_be_changed_later": "नोट: इसे बाद में बदला नहीं जा सकता!",
|
||||
"notification_email_from_address": "इस पते से",
|
||||
@@ -310,18 +309,41 @@
|
||||
"admin_password": "व्यवस्थापक पासवर्ड",
|
||||
"administration": "प्रशासन",
|
||||
"advanced": "विकसित",
|
||||
"album_added": "एल्बम डाला गया",
|
||||
"advanced_settings_log_level_title": "Log level: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Some devices are painfully slow to load thumbnails from assets on the device. Activate this setting to load remote images instead.",
|
||||
"advanced_settings_prefer_remote_title": "Prefer remote images",
|
||||
"advanced_settings_proxy_headers_subtitle": "Define proxy headers Immich should send with each network request",
|
||||
"advanced_settings_proxy_headers_title": "Proxy Headers",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Skips SSL certificate verification for the server endpoint. Required for self-signed certificates.",
|
||||
"advanced_settings_self_signed_ssl_title": "Allow self-signed SSL certificates",
|
||||
"advanced_settings_tile_subtitle": "Advanced user's settings",
|
||||
"advanced_settings_troubleshooting_subtitle": "Enable additional features for troubleshooting",
|
||||
"advanced_settings_troubleshooting_title": "Troubleshooting",
|
||||
"album_added": "एल्बम जोड़ा गया",
|
||||
"album_added_notification_setting_description": "जब आपको किसी साझा एल्बम में जोड़ा जाए तो एक ईमेल सूचना प्राप्त करें",
|
||||
"album_cover_updated": "एल्बम कवर अपडेट किया गया",
|
||||
"album_info_card_backup_album_excluded": "EXCLUDED",
|
||||
"album_info_card_backup_album_included": "INCLUDED",
|
||||
"album_info_updated": "एल्बम की जानकारी अपडेट की गई",
|
||||
"album_leave": "एल्बम छोड़ें?",
|
||||
"album_name": "एल्बम का नाम",
|
||||
"album_options": "एल्बम विकल्प",
|
||||
"album_remove_user": "उपयोगकर्ता हटाएं?",
|
||||
"album_share_no_users": "ऐसा लगता है कि आपने यह एल्बम सभी उपयोगकर्ताओं के साथ साझा कर दिया है या आपके पास साझा करने के लिए कोई उपयोगकर्ता नहीं है।",
|
||||
"album_thumbnail_card_item": "1 item",
|
||||
"album_thumbnail_card_items": "{} items",
|
||||
"album_thumbnail_card_shared": " · Shared",
|
||||
"album_thumbnail_shared_by": "Shared by {}",
|
||||
"album_updated": "एल्बम अपडेट किया गया",
|
||||
"album_updated_setting_description": "जब किसी साझा एल्बम में नई संपत्तियाँ हों तो एक ईमेल सूचना प्राप्त करें",
|
||||
"album_viewer_appbar_delete_confirm": "Are you sure you want to delete this album from your account?",
|
||||
"album_viewer_appbar_share_err_delete": "Failed to delete album",
|
||||
"album_viewer_appbar_share_err_leave": "Failed to leave album",
|
||||
"album_viewer_appbar_share_err_remove": "There are problems in removing assets from album",
|
||||
"album_viewer_appbar_share_err_title": "Failed to change album title",
|
||||
"album_viewer_appbar_share_leave": "Leave album",
|
||||
"album_viewer_appbar_share_to": "साझा करें",
|
||||
"album_viewer_page_share_add_users": "Add users",
|
||||
"album_with_link_access": "लिंक वाले किसी भी व्यक्ति को इस एल्बम में फ़ोटो और लोगों को देखने दें।",
|
||||
"albums": "एलबम",
|
||||
"all": "सभी",
|
||||
@@ -343,34 +365,113 @@
|
||||
"appears_in": "प्रकट होता है",
|
||||
"archive": "संग्रहालय",
|
||||
"archive_or_unarchive_photo": "फ़ोटो को संग्रहीत या असंग्रहीत करें",
|
||||
"archive_page_no_archived_assets": "No archived assets found",
|
||||
"archive_page_title": "Archive ({})",
|
||||
"archive_size": "पुरालेख आकार",
|
||||
"archive_size_description": "डाउनलोड के लिए संग्रह आकार कॉन्फ़िगर करें (GiB में)",
|
||||
"archived": "संग्रहित",
|
||||
"are_these_the_same_person": "क्या ये वही व्यक्ति हैं?",
|
||||
"are_you_sure_to_do_this": "क्या आप वास्तव में इसे करना चाहते हैं?",
|
||||
"asset_added_to_album": "एल्बम में डाला गया",
|
||||
"asset_adding_to_album": "एल्बम में डाला जा रहा है..।",
|
||||
"asset_action_delete_err_read_only": "Cannot delete read only asset(s), skipping",
|
||||
"asset_action_share_err_offline": "Cannot fetch offline asset(s), skipping",
|
||||
"asset_added_to_album": "एल्बम में जोड़ा गया",
|
||||
"asset_adding_to_album": "एल्बम में जोड़ा जा रहा है..।",
|
||||
"asset_description_updated": "संपत्ति विवरण अद्यतन कर दिया गया है",
|
||||
"asset_has_unassigned_faces": "एसेट में अनिर्धारित चेहरे हैं",
|
||||
"asset_hashing": "हैशिंग..।",
|
||||
"asset_list_group_by_sub_title": "Group by",
|
||||
"asset_list_layout_settings_dynamic_layout_title": "Dynamic layout",
|
||||
"asset_list_layout_settings_group_automatically": "Automatic",
|
||||
"asset_list_layout_settings_group_by": "Group assets by",
|
||||
"asset_list_layout_settings_group_by_month_day": "Month + day",
|
||||
"asset_list_layout_sub_title": "Layout",
|
||||
"asset_list_settings_subtitle": "Photo grid layout settings",
|
||||
"asset_list_settings_title": "Photo Grid",
|
||||
"asset_offline": "संपत्ति ऑफ़लाइन",
|
||||
"asset_offline_description": "यह संपत्ति ऑफ़लाइन है।",
|
||||
"asset_restored_successfully": "संपत्ति(याँ) सफलतापूर्वक पुनर्स्थापित की गईं",
|
||||
"asset_skipped": "छोड़ा गया",
|
||||
"asset_uploaded": "अपलोड किए गए",
|
||||
"asset_uploading": "अपलोड हो रहा है..।",
|
||||
"asset_viewer_settings_subtitle": "Manage your gallery viewer settings",
|
||||
"asset_viewer_settings_title": "Asset Viewer",
|
||||
"assets": "संपत्तियां",
|
||||
"assets_deleted_permanently": "{count} संपत्ति(याँ) स्थायी रूप से हटा दी गईं",
|
||||
"assets_deleted_permanently_from_server": "{count} संपत्ति(याँ) इमिच सर्वर से स्थायी रूप से हटा दी गईं",
|
||||
"assets_removed_permanently_from_device": "{count} संपत्ति(याँ) आपके डिवाइस से स्थायी रूप से हटा दी गईं",
|
||||
"assets_deleted_permanently": "{} संपत्ति(याँ) स्थायी रूप से हटा दी गईं",
|
||||
"assets_deleted_permanently_from_server": "{} संपत्ति(याँ) इमिच सर्वर से स्थायी रूप से हटा दी गईं",
|
||||
"assets_removed_permanently_from_device": "{} संपत्ति(याँ) आपके डिवाइस से स्थायी रूप से हटा दी गईं",
|
||||
"assets_restore_confirmation": "क्या आप वाकई अपनी सभी नष्ट की गई संपत्तियों को पुनर्स्थापित करना चाहते हैं? आप इस क्रिया को पूर्ववत नहीं कर सकते!",
|
||||
"assets_restored_successfully": "{count} संपत्ति(याँ) सफलतापूर्वक पुनर्स्थापित की गईं",
|
||||
"assets_trashed": "{count} संपत्ति(याँ) कचरे में डाली गईं",
|
||||
"assets_trashed_from_server": "{count} संपत्ति(याँ) इमिच सर्वर से कचरे में डाली गईं",
|
||||
"assets_restored_successfully": "{} संपत्ति(याँ) सफलतापूर्वक पुनर्स्थापित की गईं",
|
||||
"assets_trashed": "{} संपत्ति(याँ) कचरे में डाली गईं",
|
||||
"assets_trashed_from_server": "{} संपत्ति(याँ) इमिच सर्वर से कचरे में डाली गईं",
|
||||
"authorized_devices": "अधिकृत उपकरण",
|
||||
"automatic_endpoint_switching_subtitle": "Connect locally over designated Wi-Fi when available and use alternative connections elsewhere",
|
||||
"automatic_endpoint_switching_title": "Automatic URL switching",
|
||||
"back": "वापस",
|
||||
"back_close_deselect": "वापस जाएँ, बंद करें, या अचयनित करें",
|
||||
"background_location_permission": "Background location permission",
|
||||
"background_location_permission_content": "In order to switch networks when running in the background, Immich must *always* have precise location access so the app can read the Wi-Fi network's name",
|
||||
"backup_album_selection_page_albums_device": "Albums on device ({})",
|
||||
"backup_album_selection_page_albums_tap": "Tap to include, double tap to exclude",
|
||||
"backup_album_selection_page_assets_scatter": "Assets can scatter across multiple albums. Thus, albums can be included or excluded during the backup process.",
|
||||
"backup_album_selection_page_select_albums": "Select albums",
|
||||
"backup_album_selection_page_selection_info": "Selection Info",
|
||||
"backup_album_selection_page_total_assets": "Total unique assets",
|
||||
"backup_all": "All",
|
||||
"backup_background_service_backup_failed_message": "Failed to backup assets. Retrying…",
|
||||
"backup_background_service_connection_failed_message": "Failed to connect to the server. Retrying…",
|
||||
"backup_background_service_current_upload_notification": "Uploading {}",
|
||||
"backup_background_service_default_notification": "Checking for new assets…",
|
||||
"backup_background_service_error_title": "Backup error",
|
||||
"backup_background_service_in_progress_notification": "Backing up your assets…",
|
||||
"backup_background_service_upload_failure_notification": "Failed to upload {}",
|
||||
"backup_controller_page_albums": "Backup Albums",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Enable background app refresh in Settings > General > Background App Refresh in order to use background backup.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Background app refresh disabled",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Go to settings",
|
||||
"backup_controller_page_background_battery_info_link": "Show me how",
|
||||
"backup_controller_page_background_battery_info_message": "For the best background backup experience, please disable any battery optimizations restricting background activity for Immich.\n\nSince this is device-specific, please lookup the required information for your device manufacturer.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Battery optimizations",
|
||||
"backup_controller_page_background_charging": "Only while charging",
|
||||
"backup_controller_page_background_configure_error": "Failed to configure the background service",
|
||||
"backup_controller_page_background_delay": "Delay new assets backup: {}",
|
||||
"backup_controller_page_background_description": "Turn on the background service to automatically backup any new assets without needing to open the app",
|
||||
"backup_controller_page_background_is_off": "Automatic background backup is off",
|
||||
"backup_controller_page_background_is_on": "Automatic background backup is on",
|
||||
"backup_controller_page_background_turn_off": "Turn off background service",
|
||||
"backup_controller_page_background_turn_on": "Turn on background service",
|
||||
"backup_controller_page_background_wifi": "Only on WiFi",
|
||||
"backup_controller_page_backup": "Backup",
|
||||
"backup_controller_page_backup_selected": "Selected: ",
|
||||
"backup_controller_page_backup_sub": "Backed up photos and videos",
|
||||
"backup_controller_page_created": "Created on: {}",
|
||||
"backup_controller_page_desc_backup": "Turn on foreground backup to automatically upload new assets to the server when opening the app.",
|
||||
"backup_controller_page_excluded": "Excluded: ",
|
||||
"backup_controller_page_failed": "Failed ({})",
|
||||
"backup_controller_page_filename": "File name: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Backup Information",
|
||||
"backup_controller_page_none_selected": "None selected",
|
||||
"backup_controller_page_remainder": "Remainder",
|
||||
"backup_controller_page_remainder_sub": "Remaining photos and videos to back up from selection",
|
||||
"backup_controller_page_server_storage": "Server Storage",
|
||||
"backup_controller_page_start_backup": "Start Backup",
|
||||
"backup_controller_page_status_off": "Automatic foreground backup is off",
|
||||
"backup_controller_page_status_on": "Automatic foreground backup is on",
|
||||
"backup_controller_page_storage_format": "{} of {} used",
|
||||
"backup_controller_page_to_backup": "Albums to be backed up",
|
||||
"backup_controller_page_total_sub": "All unique photos and videos from selected albums",
|
||||
"backup_controller_page_turn_off": "Turn off foreground backup",
|
||||
"backup_controller_page_turn_on": "Turn on foreground backup",
|
||||
"backup_controller_page_uploading_file_info": "Uploading file info",
|
||||
"backup_err_only_album": "Cannot remove the only album",
|
||||
"backup_info_card_assets": "assets",
|
||||
"backup_manual_cancelled": "Cancelled",
|
||||
"backup_manual_in_progress": "Upload already in progress. Try after sometime",
|
||||
"backup_manual_success": "Success",
|
||||
"backup_manual_title": "Upload status",
|
||||
"backup_options_page_title": "Backup options",
|
||||
"backup_setting_subtitle": "Manage background and foreground upload settings",
|
||||
"backward": "पिछला",
|
||||
"birthdate_saved": "जन्मतिथि सफलतापूर्वक सहेजी गई",
|
||||
"birthdate_set_description": "जन्मतिथि का उपयोग फोटो के समय इस व्यक्ति की आयु की गणना करने के लिए किया जाता है।",
|
||||
@@ -378,26 +479,52 @@
|
||||
"build": "निर्माण",
|
||||
"build_image": "छवि बनाएँ",
|
||||
"buy": "इम्मीच खरीदो",
|
||||
"cache_settings_album_thumbnails": "Library page thumbnails ({} assets)",
|
||||
"cache_settings_clear_cache_button": "Clear cache",
|
||||
"cache_settings_clear_cache_button_title": "Clears the app's cache. This will significantly impact the app's performance until the cache has rebuilt.",
|
||||
"cache_settings_duplicated_assets_clear_button": "CLEAR",
|
||||
"cache_settings_duplicated_assets_subtitle": "Photos and videos that are black listed by the app",
|
||||
"cache_settings_duplicated_assets_title": "Duplicated Assets ({})",
|
||||
"cache_settings_image_cache_size": "Image cache size ({} assets)",
|
||||
"cache_settings_statistics_album": "Library thumbnails",
|
||||
"cache_settings_statistics_assets": "{} assets ({})",
|
||||
"cache_settings_statistics_full": "Full images",
|
||||
"cache_settings_statistics_shared": "Shared album thumbnails",
|
||||
"cache_settings_statistics_thumbnail": "Thumbnails",
|
||||
"cache_settings_statistics_title": "Cache usage",
|
||||
"cache_settings_subtitle": "Control the caching behaviour of the Immich mobile application",
|
||||
"cache_settings_thumbnail_size": "Thumbnail cache size ({} assets)",
|
||||
"cache_settings_tile_subtitle": "स्थानीय संग्रहण के व्यवहार को नियंत्रित करें",
|
||||
"cache_settings_tile_title": "स्थानीय संग्रहण",
|
||||
"cache_settings_title": "Caching Settings",
|
||||
"camera": "कैमरा",
|
||||
"camera_brand": "कैमरा ब्रांड",
|
||||
"camera_model": "कैमरा मॉडल",
|
||||
"cancel": "रद्द करना",
|
||||
"cancel_search": "खोज रद्द करें",
|
||||
"canceled": "Canceled",
|
||||
"cannot_merge_people": "लोगों का विलय नहीं हो सकता",
|
||||
"cannot_undo_this_action": "आप इस क्रिया को पूर्ववत नहीं कर सकते!",
|
||||
"cannot_update_the_description": "विवरण अद्यतन नहीं किया जा सकता",
|
||||
"change_date": "बदलाव दिनांक",
|
||||
"change_display_order": "Change display order",
|
||||
"change_expiration_time": "समाप्ति समय बदलें",
|
||||
"change_location": "स्थान बदलें",
|
||||
"change_name": "नाम परिवर्तन करें",
|
||||
"change_name_successfully": "नाम सफलतापूर्वक बदलें",
|
||||
"change_password": "पासवर्ड बदलें",
|
||||
"change_password_description": "यह या तो पहली बार है जब आप सिस्टम में साइन इन कर रहे हैं या आपका पासवर्ड बदलने का अनुरोध किया गया है।",
|
||||
"change_password_form_confirm_password": "Confirm Password",
|
||||
"change_password_form_description": "Hi {name},\n\nThis is either the first time you are signing into the system or a request has been made to change your password. Please enter the new password below.",
|
||||
"change_password_form_new_password": "New Password",
|
||||
"change_password_form_password_mismatch": "Passwords do not match",
|
||||
"change_password_form_reenter_new_password": "Re-enter New Password",
|
||||
"change_your_password": "अपना पासवर्ड बदलें",
|
||||
"changed_visibility_successfully": "दृश्यता सफलतापूर्वक परिवर्तित",
|
||||
"check_all": "सभी चेक करें",
|
||||
"check_corrupt_asset_backup": "Check for corrupt asset backups",
|
||||
"check_corrupt_asset_backup_button": "Perform check",
|
||||
"check_corrupt_asset_backup_description": "Run this check only over Wi-Fi and once all assets have been backed-up. The procedure might take a few minutes.",
|
||||
"check_logs": "लॉग जांचें",
|
||||
"choose_matching_people_to_merge": "मर्ज करने के लिए मिलते-जुलते लोगों को चुनें",
|
||||
"city": "शहर",
|
||||
@@ -406,6 +533,14 @@
|
||||
"clear_all_recent_searches": "सभी हालिया खोजें साफ़ करें",
|
||||
"clear_message": "स्पष्ट संदेश",
|
||||
"clear_value": "स्पष्ट मूल्य",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Enter Password",
|
||||
"client_cert_import": "Import",
|
||||
"client_cert_import_success_msg": "Client certificate is imported",
|
||||
"client_cert_invalid_msg": "Invalid certificate file or wrong password",
|
||||
"client_cert_remove_msg": "Client certificate is removed",
|
||||
"client_cert_subtitle": "Supports PKCS12 (.p12, .pfx) format only. Certificate Import/Remove is available only before login",
|
||||
"client_cert_title": "SSL Client Certificate",
|
||||
"close": "बंद",
|
||||
"collapse": "गिर जाना",
|
||||
"collapse_all": "सभी को संकुचित करें",
|
||||
@@ -414,6 +549,9 @@
|
||||
"comment_options": "टिप्पणी विकल्प",
|
||||
"comments_and_likes": "टिप्पणियाँ और पसंद",
|
||||
"comments_are_disabled": "टिप्पणियाँ अक्षम हैं",
|
||||
"common_create_new_album": "Create new album",
|
||||
"common_server_error": "Please check your network connection, make sure the server is reachable and app/server versions are compatible.",
|
||||
"completed": "Completed",
|
||||
"confirm": "पुष्टि",
|
||||
"confirm_admin_password": "एडमिन पासवर्ड की पुष्टि करें",
|
||||
"confirm_delete_shared_link": "क्या आप वाकई इस साझा लिंक को हटाना चाहते हैं?",
|
||||
@@ -421,6 +559,15 @@
|
||||
"contain": "समाहित",
|
||||
"context": "संदर्भ",
|
||||
"continue": "जारी",
|
||||
"control_bottom_app_bar_album_info_shared": "{} items · Shared",
|
||||
"control_bottom_app_bar_create_new_album": "Create new album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Delete from Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Delete from device",
|
||||
"control_bottom_app_bar_edit_location": "Edit Location",
|
||||
"control_bottom_app_bar_edit_time": "Edit Date & Time",
|
||||
"control_bottom_app_bar_share_link": "Share Link",
|
||||
"control_bottom_app_bar_share_to": "Share To",
|
||||
"control_bottom_app_bar_trash_from_immich": "Move to Trash",
|
||||
"copied_image_to_clipboard": "छवि को क्लिपबोर्ड पर कॉपी किया गया।",
|
||||
"copied_to_clipboard": "क्लिपबोर्ड पर नकल!",
|
||||
"copy_error": "प्रतिलिपि त्रुटि",
|
||||
@@ -435,6 +582,7 @@
|
||||
"covers": "आवरण",
|
||||
"create": "तैयार करें",
|
||||
"create_album": "एल्बम बनाओ",
|
||||
"create_album_page_untitled": "Untitled",
|
||||
"create_library": "लाइब्रेरी बनाएं",
|
||||
"create_link": "लिंक बनाएं",
|
||||
"create_link_to_share": "शेयर करने के लिए लिंक बनाएं",
|
||||
@@ -443,16 +591,23 @@
|
||||
"create_new_person": "नया व्यक्ति बनाएं",
|
||||
"create_new_person_hint": "चयनित संपत्तियों को एक नए व्यक्ति को सौंपें",
|
||||
"create_new_user": "नया उपयोगकर्ता बनाएं",
|
||||
"create_shared_album_page_share_add_assets": "ADD ASSETS",
|
||||
"create_shared_album_page_share_select_photos": "Select Photos",
|
||||
"create_user": "उपयोगकर्ता बनाइये",
|
||||
"created": "बनाया",
|
||||
"crop": "छाँटें",
|
||||
"curated_object_page_title": "Things",
|
||||
"current_device": "वर्तमान उपकरण",
|
||||
"current_server_address": "Current server address",
|
||||
"custom_locale": "कस्टम लोकेल",
|
||||
"custom_locale_description": "भाषा और क्षेत्र के आधार पर दिनांक और संख्याएँ प्रारूपित करें",
|
||||
"daily_title_text_date": "E, MMM dd",
|
||||
"daily_title_text_date_year": "E, MMM dd, yyyy",
|
||||
"dark": "डार्क",
|
||||
"date_after": "इसके बाद की तारीख",
|
||||
"date_and_time": "तिथि और समय",
|
||||
"date_before": "पहले की तारीख",
|
||||
"date_format": "E, LLL d, y • h:mm a",
|
||||
"date_of_birth_saved": "जन्मतिथि सफलतापूर्वक सहेजी गई",
|
||||
"date_range": "तिथि सीमा",
|
||||
"day": "दिन",
|
||||
@@ -462,15 +617,25 @@
|
||||
"delete": "हटाएँ",
|
||||
"delete_album": "एल्बम हटाएँ",
|
||||
"delete_api_key_prompt": "क्या आप वाकई इस एपीआई कुंजी को हटाना चाहते हैं?",
|
||||
"delete_dialog_alert": "These items will be permanently deleted from Immich and from your device",
|
||||
"delete_dialog_alert_local": "These items will be permanently removed from your device but still be available on the Immich server",
|
||||
"delete_dialog_alert_local_non_backed_up": "Some of the items aren't backed up to Immich and will be permanently removed from your device",
|
||||
"delete_dialog_alert_remote": "These items will be permanently deleted from the Immich server",
|
||||
"delete_dialog_ok_force": "Delete Anyway",
|
||||
"delete_dialog_title": "Delete Permanently",
|
||||
"delete_duplicates_confirmation": "क्या आप वाकई इन डुप्लिकेट को स्थायी रूप से हटाना चाहते हैं?",
|
||||
"delete_key": "कुंजी हटाएँ",
|
||||
"delete_library": "लाइब्रेरी हटाएँ",
|
||||
"delete_link": "लिंक हटाएँ",
|
||||
"delete_local_dialog_ok_backed_up_only": "Delete Backed Up Only",
|
||||
"delete_local_dialog_ok_force": "Delete Anyway",
|
||||
"delete_shared_link": "साझा किए गए लिंक को हटाएं",
|
||||
"delete_shared_link_dialog_title": "साझा किए गए लिंक को हटाएं",
|
||||
"delete_user": "उपभोक्ता मिटायें",
|
||||
"deleted_shared_link": "साझा किया गया लिंक हटा दिया गया",
|
||||
"description": "वर्णन",
|
||||
"description_input_hint_text": "Add description...",
|
||||
"description_input_submit_error": "Error updating description, check the log for more details",
|
||||
"details": "विवरण",
|
||||
"direction": "दिशा",
|
||||
"disabled": "अक्षम",
|
||||
@@ -490,7 +655,7 @@
|
||||
"download_enqueue": "डाउनलोड कतार में है",
|
||||
"download_error": "डाउनलोड त्रुटि",
|
||||
"download_failed": "डाउनलोड विफल",
|
||||
"download_filename": "फ़ाइल: {filename}",
|
||||
"download_filename": "फ़ाइल: {}",
|
||||
"download_finished": "डाउनलोड समाप्त",
|
||||
"download_notfound": "डाउनलोड नहीं मिला",
|
||||
"download_paused": "डाउनलोड स्थगित",
|
||||
@@ -518,21 +683,26 @@
|
||||
"edit_key": "कुंजी संपादित करें",
|
||||
"edit_link": "लिंक संपादित करें",
|
||||
"edit_location": "स्थान संपादित करें",
|
||||
"edit_location_dialog_title": "Location",
|
||||
"edit_name": "नाम संपादित करें",
|
||||
"edit_people": "लोगों को संपादित करें",
|
||||
"edit_title": "शीर्षक संपादित करें",
|
||||
"edit_user": "यूजर को संपादित करो",
|
||||
"edited": "संपादित",
|
||||
"editor": "",
|
||||
"email": "ईमेल",
|
||||
"empty_folder": "This folder is empty",
|
||||
"empty_trash": "कूड़ेदान खाली करें",
|
||||
"empty_trash_confirmation": "क्या आपको यकीन है कि आप कचरा खाली करना चाहते हैं? यह इमिच से स्थायी रूप से कचरा में सभी संपत्तियों को हटा देगा।\nआप इस कार्रवाई को नहीं रोक सकते!",
|
||||
"enable": "सक्षम",
|
||||
"enabled": "सक्रिय",
|
||||
"end_date": "अंतिम तिथि",
|
||||
"enqueued": "Enqueued",
|
||||
"enter_wifi_name": "Enter WiFi name",
|
||||
"error": "गलती",
|
||||
"error_change_sort_album": "Failed to change album sort order",
|
||||
"error_loading_image": "छवि लोड करने में त्रुटि",
|
||||
"error_saving_image": "त्रुटि: {error}",
|
||||
"error_saving_image": "त्रुटि: {}",
|
||||
"error_title": "त्रुटि - कुछ गलत हो गया",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "अगली संपत्ति पर नेविगेट नहीं किया जा सकता",
|
||||
@@ -543,8 +713,8 @@
|
||||
"cant_get_number_of_comments": "टिप्पणियों की संख्या नहीं मिल सकी",
|
||||
"cant_search_people": "लोगों को खोजा नहीं जा सकता",
|
||||
"cant_search_places": "स्थान खोज नहीं सकते",
|
||||
"error_adding_assets_to_album": "एल्बम में संपत्ति डालने में त्रुटि",
|
||||
"error_adding_users_to_album": "एल्बम में उपयोगकर्ताओं को डालने में त्रुटि",
|
||||
"error_adding_assets_to_album": "एल्बम में संपत्ति जोड़ने में त्रुटि",
|
||||
"error_adding_users_to_album": "एल्बम में उपयोगकर्ताओं को जोड़ने में त्रुटि",
|
||||
"error_deleting_shared_user": "साझा उपयोगकर्ता को हटाने में त्रुटि",
|
||||
"error_hiding_buy_button": "खरीदें बटन छिपाने में त्रुटि",
|
||||
"error_removing_assets_from_album": "एल्बम से संपत्तियों को हटाने में त्रुटि, अधिक विवरण के लिए कंसोल की जाँच करें",
|
||||
@@ -564,12 +734,12 @@
|
||||
"incorrect_email_or_password": "गलत ईमेल या पासवर्ड",
|
||||
"profile_picture_transparent_pixels": "प्रोफ़ाइल चित्रों में पारदर्शी पिक्सेल नहीं हो सकते।",
|
||||
"quota_higher_than_disk_size": "आपने डिस्क आकार से अधिक कोटा निर्धारित किया है",
|
||||
"unable_to_add_album_users": "उपयोगकर्ताओं को एल्बम में डालने में असमर्थ",
|
||||
"unable_to_add_assets_to_shared_link": "साझा लिंक में संपत्ति डालने में असमर्थ",
|
||||
"unable_to_add_comment": "टिप्पणी डालने में असमर्थ",
|
||||
"unable_to_add_exclusion_pattern": "बहिष्करण पैटर्न डालने में असमर्थ",
|
||||
"unable_to_add_import_path": "आयात पथ डालने में असमर्थ",
|
||||
"unable_to_add_partners": "साझेदार डालने में असमर्थ",
|
||||
"unable_to_add_album_users": "उपयोगकर्ताओं को एल्बम में जोड़ने में असमर्थ",
|
||||
"unable_to_add_assets_to_shared_link": "साझा लिंक में संपत्ति जोड़ने में असमर्थ",
|
||||
"unable_to_add_comment": "टिप्पणी जोड़ने में असमर्थ",
|
||||
"unable_to_add_exclusion_pattern": "बहिष्करण पैटर्न जोड़ने में असमर्थ",
|
||||
"unable_to_add_import_path": "आयात पथ जोड़ने में असमर्थ",
|
||||
"unable_to_add_partners": "साझेदार जोड़ने में असमर्थ",
|
||||
"unable_to_change_album_user_role": "एल्बम उपयोगकर्ता की भूमिका बदलने में असमर्थ",
|
||||
"unable_to_change_date": "दिनांक बदलने में असमर्थ",
|
||||
"unable_to_change_favorite": "संपत्ति के लिए पसंदीदा बदलने में असमर्थ",
|
||||
@@ -646,9 +816,21 @@
|
||||
"unable_to_upload_file": "फाइल अपलोड करने में असमर्थ"
|
||||
},
|
||||
"exif": "एक्सिफ",
|
||||
"exif_bottom_sheet_person_add_person": "नाम डालें",
|
||||
"exif_bottom_sheet_description": "Add Description...",
|
||||
"exif_bottom_sheet_details": "DETAILS",
|
||||
"exif_bottom_sheet_location": "LOCATION",
|
||||
"exif_bottom_sheet_people": "PEOPLE",
|
||||
"exif_bottom_sheet_person_add_person": "Add name",
|
||||
"exif_bottom_sheet_person_age": "Age {}",
|
||||
"exif_bottom_sheet_person_age_months": "Age {} months",
|
||||
"exif_bottom_sheet_person_age_year_months": "Age 1 year, {} months",
|
||||
"exif_bottom_sheet_person_age_years": "Age {}",
|
||||
"exit_slideshow": "स्लाइड शो से बाहर निकलें",
|
||||
"expand_all": "सभी का विस्तार",
|
||||
"experimental_settings_new_asset_list_subtitle": "Work in progress",
|
||||
"experimental_settings_new_asset_list_title": "Enable experimental photo grid",
|
||||
"experimental_settings_subtitle": "Use at your own risk!",
|
||||
"experimental_settings_title": "Experimental",
|
||||
"expire_after": "एक्सपायर आफ्टर",
|
||||
"expired": "खत्म हो चुका",
|
||||
"explore": "अन्वेषण करना",
|
||||
@@ -657,11 +839,16 @@
|
||||
"extension": "विस्तार",
|
||||
"external": "बाहरी",
|
||||
"external_libraries": "बाहरी पुस्तकालय",
|
||||
"external_network": "External network",
|
||||
"external_network_sheet_info": "When not on the preferred WiFi network, the app will connect to the server through the first of the below URLs it can reach, starting from top to bottom",
|
||||
"face_unassigned": "सौंपे नहीं गए",
|
||||
"failed": "Failed",
|
||||
"failed_to_load_assets": "Failed to load assets",
|
||||
"failed_to_load_folder": "Failed to load folder",
|
||||
"favorite": "पसंदीदा",
|
||||
"favorite_or_unfavorite_photo": "पसंदीदा या नापसंद फोटो",
|
||||
"favorites": "पसंदीदा",
|
||||
"favorites_page_no_favorites": "No favorite assets found",
|
||||
"feature_photo_updated": "फ़ीचर फ़ोटो अपडेट किया गया",
|
||||
"file_name": "फ़ाइल का नाम",
|
||||
"file_name_or_extension": "फ़ाइल का नाम या एक्सटेंशन",
|
||||
@@ -671,36 +858,58 @@
|
||||
"filter_people": "लोगों को फ़िल्टर करें",
|
||||
"find_them_fast": "खोज के साथ नाम से उन्हें तेजी से ढूंढें",
|
||||
"fix_incorrect_match": "ग़लत मिलान ठीक करें",
|
||||
"folder": "Folder",
|
||||
"folder_not_found": "Folder not found",
|
||||
"folders": "Folders",
|
||||
"forward": "आगे",
|
||||
"general": "सामान्य",
|
||||
"get_help": "मदद लें",
|
||||
"get_wifiname_error": "Could not get Wi-Fi name. Make sure you have granted the necessary permissions and are connected to a Wi-Fi network",
|
||||
"getting_started": "शुरू करना",
|
||||
"go_back": "वापस जाओ",
|
||||
"go_to_search": "खोज पर जाएँ",
|
||||
"grant_permission": "Grant permission",
|
||||
"group_albums_by": "इनके द्वारा समूह एल्बम..।",
|
||||
"group_no": "कोई समूहीकरण नहीं",
|
||||
"group_owner": "स्वामी द्वारा समूह",
|
||||
"group_year": "वर्ष के अनुसार समूह",
|
||||
"haptic_feedback_switch": "Enable haptic feedback",
|
||||
"haptic_feedback_title": "Haptic Feedback",
|
||||
"has_quota": "कोटा है",
|
||||
"header_settings_add_header_tip": "Header डालें",
|
||||
"header_settings_add_header_tip": "Add Header",
|
||||
"header_settings_field_validator_msg": "Value cannot be empty",
|
||||
"header_settings_header_name_input": "Header name",
|
||||
"header_settings_header_value_input": "Header value",
|
||||
"headers_settings_tile_subtitle": "Define proxy headers the app should send with each network request",
|
||||
"headers_settings_tile_title": "Custom proxy headers",
|
||||
"hide_all_people": "सभी लोगों को छुपाएं",
|
||||
"hide_gallery": "गैलरी छिपाएँ",
|
||||
"hide_password": "पासवर्ड छिपाएं",
|
||||
"hide_person": "व्यक्ति छिपाएँ",
|
||||
"hide_unnamed_people": "अनाम लोगों को छुपाएं",
|
||||
"home_page_add_to_album_success": "{added} एसेट्स को एल्बम {album} में डाल दिया",
|
||||
"home_page_album_err_partner": "अभी पार्टनर एसेट्स को एल्बम में डाल नहीं सकते, स्किप कर रहे हैं",
|
||||
"home_page_add_to_album_conflicts": "Added {added} assets to album {album}. {failed} assets are already in the album.",
|
||||
"home_page_add_to_album_err_local": "Can not add local assets to albums yet, skipping",
|
||||
"home_page_add_to_album_success": "Added {added} assets to album {album}.",
|
||||
"home_page_album_err_partner": "अब तक पार्टनर एसेट्स को एल्बम में जोड़ा नहीं कर सकते, स्किप कर रहे हैं",
|
||||
"home_page_archive_err_local": "Can not archive local assets yet, skipping",
|
||||
"home_page_archive_err_partner": "पार्टनर एसेट्स को आर्काइव नहीं कर सकते, स्किप कर रहे हैं",
|
||||
"home_page_building_timeline": "Building the timeline",
|
||||
"home_page_delete_err_partner": "पार्टनर एसेट्स को डिलीट नहीं कर सकते, स्किप कर रहे हैं",
|
||||
"home_page_delete_remote_err_local": "Local assets in delete remote selection, skipping",
|
||||
"home_page_favorite_err_local": "Can not favorite local assets yet, skipping",
|
||||
"home_page_favorite_err_partner": "अब तक पार्टनर एसेट्स को फेवरेट नहीं कर सकते, स्किप कर रहे हैं",
|
||||
"home_page_first_time_notice": "If this is your first time using the app, please make sure to choose a backup album(s) so that the timeline can populate photos and videos in the album(s).",
|
||||
"home_page_share_err_local": "लोकल एसेट्स को लिंक के जरिए शेयर नहीं कर सकते, स्किप कर रहे हैं",
|
||||
"home_page_upload_err_limit": "Can only upload a maximum of 30 assets at a time, skipping",
|
||||
"host": "मेज़बान",
|
||||
"hour": "घंटा",
|
||||
"ignore_icloud_photos": "आइक्लाउड फ़ोटो को अनदेखा करें",
|
||||
"ignore_icloud_photos_description": "आइक्लाउड पर स्टोर की गई फ़ोटोज़ इमिच सर्वर पर अपलोड नहीं की जाएंगी",
|
||||
"image": "छवि",
|
||||
"image_saved_successfully": "इमेज सहेज दी गई",
|
||||
"image_viewer_page_state_provider_download_started": "Download Started",
|
||||
"image_viewer_page_state_provider_download_success": "Download Success",
|
||||
"image_viewer_page_state_provider_share_error": "Share Error",
|
||||
"immich_logo": "Immich लोगो",
|
||||
"immich_web_interface": "इमिच वेब इंटरफ़ेस",
|
||||
"import_from_json": "JSON से आयात करें",
|
||||
@@ -713,6 +922,7 @@
|
||||
"info": "जानकारी",
|
||||
"interval": {
|
||||
"day_at_onepm": "हर दिन दोपहर 1 बजे",
|
||||
"hours": "",
|
||||
"night_at_midnight": "हर रात आधी रात को",
|
||||
"night_at_twoam": "हर रात 2 बजे"
|
||||
},
|
||||
@@ -734,6 +944,12 @@
|
||||
"level": "स्तर",
|
||||
"library": "पुस्तकालय",
|
||||
"library_options": "पुस्तकालय विकल्प",
|
||||
"library_page_device_albums": "Albums on Device",
|
||||
"library_page_new_album": "New album",
|
||||
"library_page_sort_asset_count": "Number of assets",
|
||||
"library_page_sort_created": "Created date",
|
||||
"library_page_sort_last_modified": "Last modified",
|
||||
"library_page_sort_title": "Album title",
|
||||
"light": "रोशनी",
|
||||
"like_deleted": "जैसे हटा दिया गया",
|
||||
"link_options": "लिंक विकल्प",
|
||||
@@ -742,13 +958,42 @@
|
||||
"list": "सूची",
|
||||
"loading": "लोड हो रहा है",
|
||||
"loading_search_results_failed": "खोज परिणाम लोड करना विफल रहा",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "The app will connect to the server through this URL when using the specified Wi-Fi network",
|
||||
"location_permission": "Location permission",
|
||||
"location_permission_content": "In order to use the auto-switching feature, Immich needs precise location permission so it can read the current WiFi network's name",
|
||||
"location_picker_choose_on_map": "Choose on map",
|
||||
"location_picker_latitude_error": "Enter a valid latitude",
|
||||
"location_picker_latitude_hint": "Enter your latitude here",
|
||||
"location_picker_longitude_error": "Enter a valid longitude",
|
||||
"location_picker_longitude_hint": "Enter your longitude here",
|
||||
"log_out": "लॉग आउट",
|
||||
"log_out_all_devices": "सभी डिवाइस लॉग आउट करें",
|
||||
"logged_out_all_devices": "सभी डिवाइस लॉग आउट कर दिए गए",
|
||||
"logged_out_device": "लॉग आउट डिवाइस",
|
||||
"login": "लॉग इन करें",
|
||||
"login_disabled": "Login has been disabled",
|
||||
"login_form_api_exception": "API exception. Please check the server URL and try again.",
|
||||
"login_form_back_button_text": "Back",
|
||||
"login_form_email_hint": "youremail@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "Server Endpoint URL",
|
||||
"login_form_err_http": "Please specify http:// or https://",
|
||||
"login_form_err_invalid_email": "Invalid Email",
|
||||
"login_form_err_invalid_url": "Invalid URL",
|
||||
"login_form_err_leading_whitespace": "Leading whitespace",
|
||||
"login_form_err_trailing_whitespace": "Trailing whitespace",
|
||||
"login_form_failed_get_oauth_server_config": "Error logging using OAuth, check server URL",
|
||||
"login_form_failed_get_oauth_server_disable": "OAuth feature is not available on this server",
|
||||
"login_form_failed_login": "Error logging you in, check server URL, email and password",
|
||||
"login_form_handshake_exception": "There was an Handshake Exception with the server. Enable self-signed certificate support in the settings if you are using a self-signed certificate.",
|
||||
"login_form_password_hint": "password",
|
||||
"login_form_save_login": "Stay logged in",
|
||||
"login_form_server_empty": "Enter a server URL.",
|
||||
"login_form_server_error": "Could not connect to server.",
|
||||
"login_has_been_disabled": "लॉगिन अक्षम कर दिया गया है।",
|
||||
"login_password_changed_error": "There was an error updating your password",
|
||||
"login_password_changed_success": "Password updated successfully",
|
||||
"logout_all_device_confirmation": "क्या आप वाकई सभी डिवाइस से लॉग आउट करना चाहते हैं?",
|
||||
"logout_this_device_confirmation": "क्या आप वाकई इस डिवाइस को लॉग आउट करना चाहते हैं?",
|
||||
"longitude": "देशान्तर",
|
||||
@@ -764,12 +1009,39 @@
|
||||
"manage_your_devices": "अपने लॉग-इन डिवाइस प्रबंधित करें",
|
||||
"manage_your_oauth_connection": "अपना OAuth कनेक्शन प्रबंधित करें",
|
||||
"map": "नक्शा",
|
||||
"map_assets_in_bound": "{} photo",
|
||||
"map_assets_in_bounds": "{} photos",
|
||||
"map_cannot_get_user_location": "Cannot get user's location",
|
||||
"map_location_dialog_yes": "Yes",
|
||||
"map_location_picker_page_use_location": "Use this location",
|
||||
"map_location_service_disabled_content": "Location service needs to be enabled to display assets from your current location. Do you want to enable it now?",
|
||||
"map_location_service_disabled_title": "Location Service disabled",
|
||||
"map_marker_with_image": "छवि के साथ मानचित्र मार्कर",
|
||||
"map_no_assets_in_bounds": "No photos in this area",
|
||||
"map_no_location_permission_content": "Location permission is needed to display assets from your current location. Do you want to allow it now?",
|
||||
"map_no_location_permission_title": "Location Permission denied",
|
||||
"map_settings": "मानचित्र सेटिंग",
|
||||
"map_settings_dark_mode": "Dark mode",
|
||||
"map_settings_date_range_option_day": "Past 24 hours",
|
||||
"map_settings_date_range_option_days": "Past {} days",
|
||||
"map_settings_date_range_option_year": "Past year",
|
||||
"map_settings_date_range_option_years": "Past {} years",
|
||||
"map_settings_dialog_title": "Map Settings",
|
||||
"map_settings_include_show_archived": "Include Archived",
|
||||
"map_settings_include_show_partners": "Include Partners",
|
||||
"map_settings_only_show_favorites": "Show Favorite Only",
|
||||
"map_settings_theme_settings": "Map Theme",
|
||||
"map_zoom_to_see_photos": "Zoom out to see photos",
|
||||
"matches": "माचिस",
|
||||
"media_type": "मीडिया प्रकार",
|
||||
"memories": "यादें",
|
||||
"memories_all_caught_up": "All caught up",
|
||||
"memories_check_back_tomorrow": "Check back tomorrow for more memories",
|
||||
"memories_setting_description": "आप अपनी यादों में जो देखते हैं उसे प्रबंधित करें",
|
||||
"memories_start_over": "Start Over",
|
||||
"memories_swipe_to_close": "Swipe up to close",
|
||||
"memories_year_ago": "A year ago",
|
||||
"memories_years_ago": "{} years ago",
|
||||
"memory": "याद",
|
||||
"menu": "मेन्यू",
|
||||
"merge": "मर्ज",
|
||||
@@ -782,11 +1054,16 @@
|
||||
"missing": "गुम",
|
||||
"model": "मॉडल",
|
||||
"month": "महीना",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "अधिक",
|
||||
"moved_to_trash": "कूड़ेदान में ले जाया गया",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Cannot edit date of read only asset(s), skipping",
|
||||
"multiselect_grid_edit_gps_err_read_only": "Cannot edit location of read only asset(s), skipping",
|
||||
"my_albums": "मेरे एल्बम",
|
||||
"name": "नाम",
|
||||
"name_or_nickname": "नाम या उपनाम",
|
||||
"networking_settings": "Networking",
|
||||
"networking_subtitle": "Manage the server endpoint settings",
|
||||
"never": "कभी नहीं",
|
||||
"new_album": "नयी एल्बम",
|
||||
"new_api_key": "नई एपीआई कुंजी",
|
||||
@@ -803,6 +1080,7 @@
|
||||
"no_albums_yet": "ऐसा लगता है कि आपके पास अभी तक कोई एल्बम नहीं है।",
|
||||
"no_archived_assets_message": "फ़ोटो और वीडियो को अपने फ़ोटो दृश्य से छिपाने के लिए उन्हें संग्रहीत करें",
|
||||
"no_assets_message": "अपना पहला फोटो अपलोड करने के लिए क्लिक करें",
|
||||
"no_assets_to_show": "No assets to show",
|
||||
"no_duplicates_found": "कोई नकलची नहीं मिला।",
|
||||
"no_exif_info_available": "कोई एक्सिफ़ जानकारी उपलब्ध नहीं है",
|
||||
"no_explore_results_message": "अपने संग्रह का पता लगाने के लिए और फ़ोटो अपलोड करें।",
|
||||
@@ -814,11 +1092,17 @@
|
||||
"no_results_description": "कोई पर्यायवाची या अधिक सामान्य कीवर्ड आज़माएँ",
|
||||
"no_shared_albums_message": "अपने नेटवर्क में लोगों के साथ फ़ोटो और वीडियो साझा करने के लिए एक एल्बम बनाएं",
|
||||
"not_in_any_album": "किसी एलबम में नहीं",
|
||||
"not_selected": "Not selected",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "नोट: पहले अपलोड की गई संपत्तियों पर स्टोरेज लेबल लागू करने के लिए, चलाएँ",
|
||||
"notes": "टिप्पणियाँ",
|
||||
"notification_permission_dialog_content": "To enable notifications, go to Settings and select allow.",
|
||||
"notification_permission_list_tile_content": "Grant permission to enable notifications.",
|
||||
"notification_permission_list_tile_enable_button": "Enable Notifications",
|
||||
"notification_permission_list_tile_title": "Notification Permission",
|
||||
"notification_toggle_setting_description": "ईमेल सूचनाएं सक्षम करें",
|
||||
"notifications": "सूचनाएं",
|
||||
"notifications_setting_description": "सूचनाएं प्रबंधित करें",
|
||||
"oauth": "OAuth",
|
||||
"offline": "ऑफलाइन",
|
||||
"offline_paths": "ऑफ़लाइन पथ",
|
||||
"offline_paths_description": "ये परिणाम उन फ़ाइलों को मैन्युअल रूप से हटाने के कारण हो सकते हैं जो बाहरी लाइब्रेरी का हिस्सा नहीं हैं।",
|
||||
@@ -844,13 +1128,25 @@
|
||||
"partner": "साथी",
|
||||
"partner_can_access_assets": "संग्रहीत और हटाए गए को छोड़कर आपके सभी फ़ोटो और वीडियो",
|
||||
"partner_can_access_location": "वह स्थान जहां आपकी तस्वीरें ली गईं थीं",
|
||||
"partner_page_stop_sharing_content": "{partner} will no longer be able to access your photos।",
|
||||
"partner_list_user_photos": "{user}'s photos",
|
||||
"partner_list_view_all": "View all",
|
||||
"partner_page_empty_message": "Your photos are not yet shared with any partner.",
|
||||
"partner_page_no_more_users": "No more users to add",
|
||||
"partner_page_partner_add_failed": "Failed to add partner",
|
||||
"partner_page_select_partner": "Select partner",
|
||||
"partner_page_shared_to_title": "Shared to",
|
||||
"partner_page_stop_sharing_content": "{} will no longer be able to access your photos।",
|
||||
"partner_sharing": "पार्टनर शेयरिंग",
|
||||
"partners": "भागीदारों",
|
||||
"password": "पासवर्ड",
|
||||
"password_does_not_match": "पासवर्ड मैच नहीं कर रहा है",
|
||||
"password_required": "पासवर्ड आवश्यक",
|
||||
"password_reset_success": "पासवर्ड रीसेट सफल",
|
||||
"past_durations": {
|
||||
"days": "",
|
||||
"hours": "",
|
||||
"years": ""
|
||||
},
|
||||
"path": "पथ",
|
||||
"pattern": "नमूना",
|
||||
"pause": "विराम",
|
||||
@@ -864,6 +1160,13 @@
|
||||
"permanently_delete": "स्थायी रूप से हटाना",
|
||||
"permanently_deleted_asset": "स्थायी रूप से हटाई गई संपत्ति",
|
||||
"permission_onboarding_back": "वापस",
|
||||
"permission_onboarding_continue_anyway": "Continue anyway",
|
||||
"permission_onboarding_get_started": "Get started",
|
||||
"permission_onboarding_go_to_settings": "Go to settings",
|
||||
"permission_onboarding_permission_denied": "Permission denied. To use Immich, grant photo and video permissions in Settings.",
|
||||
"permission_onboarding_permission_granted": "Permission granted! You are all set.",
|
||||
"permission_onboarding_permission_limited": "Permission limited. To let Immich backup and manage your entire gallery collection, grant photo and video permissions in Settings.",
|
||||
"permission_onboarding_request": "Immich requires permission to view your photos and videos.",
|
||||
"person": "व्यक्ति",
|
||||
"photo_shared_all_users": "ऐसा लगता है कि आपने अपनी तस्वीरें सभी उपयोगकर्ताओं के साथ साझा कीं या आपके पास साझा करने के लिए कोई उपयोगकर्ता नहीं है।",
|
||||
"photos": "तस्वीरें",
|
||||
@@ -877,13 +1180,21 @@
|
||||
"play_motion_photo": "मोशन फ़ोटो चलाएं",
|
||||
"play_or_pause_video": "वीडियो चलाएं या रोकें",
|
||||
"port": "पत्तन",
|
||||
"preferences_settings_subtitle": "Manage the app's preferences",
|
||||
"preferences_settings_title": "Preferences",
|
||||
"preset": "प्रीसेट",
|
||||
"preview": "पूर्व दर्शन",
|
||||
"previous": "पहले का",
|
||||
"previous_memory": "पिछली स्मृति",
|
||||
"previous_or_next_photo": "पिछला या अगला फ़ोटो",
|
||||
"primary": "प्राथमिक",
|
||||
"profile_drawer_app_logs": "Logs",
|
||||
"profile_drawer_client_out_of_date_major": "Mobile App is out of date. Please update to the latest major version.",
|
||||
"profile_drawer_client_out_of_date_minor": "Mobile App is out of date. Please update to the latest minor version.",
|
||||
"profile_drawer_client_server_up_to_date": "Client and Server are up-to-date",
|
||||
"profile_drawer_github": "गिटहब",
|
||||
"profile_drawer_server_out_of_date_major": "Server is out of date. Please update to the latest major version.",
|
||||
"profile_drawer_server_out_of_date_minor": "Server is out of date. Please update to the latest minor version.",
|
||||
"profile_picture_set": "प्रोफ़ाइल चित्र सेट।",
|
||||
"public_album": "सार्वजनिक एल्बम",
|
||||
"public_share": "सार्वजनिक शेयर",
|
||||
@@ -924,8 +1235,8 @@
|
||||
"reassing_hint": "चयनित संपत्तियों को किसी मौजूदा व्यक्ति को सौंपें",
|
||||
"recent": "हाल ही का",
|
||||
"recent_searches": "हाल की खोजें",
|
||||
"recently_added": "हाल ही में डाला गया",
|
||||
"recently_added_page_title": "हाल ही में डाला गया",
|
||||
"recently_added": "हाल ही में जोड़ा गया",
|
||||
"recently_added_page_title": "Recently Added",
|
||||
"refresh": "ताज़ा करना",
|
||||
"refresh_encoded_videos": "एन्कोडेड वीडियो ताज़ा करें",
|
||||
"refresh_metadata": "मेटाडेटा ताज़ा करें",
|
||||
@@ -974,6 +1285,7 @@
|
||||
"saved_profile": "प्रोफ़ाइल सहेजी गई",
|
||||
"saved_settings": "सहेजी गई सेटिंग्स",
|
||||
"say_something": "कुछ कहें",
|
||||
"scaffold_body_error_occurred": "Error occurred",
|
||||
"scan_all_libraries": "सभी पुस्तकालयों को स्कैन करें",
|
||||
"scan_settings": "सेटिंग्स स्कैन करें",
|
||||
"scanning_for_album": "एल्बम के लिए स्कैन किया जा रहा है..।",
|
||||
@@ -986,21 +1298,40 @@
|
||||
"search_camera_model": "कैमरा मॉडल खोजें..।",
|
||||
"search_city": "शहर खोजें..।",
|
||||
"search_country": "देश खोजें..।",
|
||||
"search_filter_apply": "Apply filter",
|
||||
"search_filter_camera_title": "कैमरा प्रकार चुनें",
|
||||
"search_filter_date": "तारीख़",
|
||||
"search_filter_date_interval": "{start} से {end} तक",
|
||||
"search_filter_date_title": "तारीख़ की सीमा चुनें",
|
||||
"search_filter_display_option_not_in_album": "Not in album",
|
||||
"search_filter_display_options": "प्रदर्शन विकल्प",
|
||||
"search_filter_filename": "Search by file name",
|
||||
"search_filter_location": "स्थान",
|
||||
"search_filter_location_title": "स्थान चुनें",
|
||||
"search_filter_media_type": "मीडिया प्रकार",
|
||||
"search_filter_media_type_title": "मीडिया प्रकार चुनें",
|
||||
"search_filter_people_title": "लोगों का चयन करें",
|
||||
"search_for_existing_person": "मौजूदा व्यक्ति को खोजें",
|
||||
"search_no_more_result": "No more results",
|
||||
"search_no_people": "कोई लोग नहीं",
|
||||
"search_no_result": "No results found, try a different search term or combination",
|
||||
"search_page_categories": "Categories",
|
||||
"search_page_motion_photos": "Motion Photos",
|
||||
"search_page_no_objects": "No Objects Info Available",
|
||||
"search_page_no_places": "No Places Info Available",
|
||||
"search_page_screenshots": "Screenshots",
|
||||
"search_page_search_photos_videos": "Search for your photos and videos",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Things",
|
||||
"search_page_view_all_button": "View all",
|
||||
"search_page_your_activity": "Your activity",
|
||||
"search_page_your_map": "Your Map",
|
||||
"search_people": "लोगों को खोजें",
|
||||
"search_places": "स्थान खोजें",
|
||||
"search_result_page_new_search_hint": "New Search",
|
||||
"search_state": "स्थिति खोजें..।",
|
||||
"search_suggestion_list_smart_search_hint_1": "Smart search is enabled by default, to search for metadata use the syntax ",
|
||||
"search_suggestion_list_smart_search_hint_2": "m:your-search-term",
|
||||
"search_timezone": "समयक्षेत्र खोजें..।",
|
||||
"search_type": "तलाश की विधि",
|
||||
"search_your_photos": "अपनी फ़ोटो खोजें",
|
||||
@@ -1019,9 +1350,12 @@
|
||||
"select_new_face": "नया चेहरा चुनें",
|
||||
"select_photos": "फ़ोटो चुनें",
|
||||
"select_trash_all": "ट्रैश ऑल का चयन करें",
|
||||
"select_user_for_sharing_page_err_album": "Failed to create album",
|
||||
"selected": "चयनित",
|
||||
"send_message": "मेसेज भेजें",
|
||||
"send_welcome_email": "स्वागत ईमेल भेजें",
|
||||
"server_endpoint": "Server Endpoint",
|
||||
"server_info_box_app_version": "App Version",
|
||||
"server_info_box_server_url": "सर्वर URL",
|
||||
"server_offline": "सर्वर ऑफ़लाइन",
|
||||
"server_online": "सर्वर ऑनलाइन",
|
||||
@@ -1033,26 +1367,85 @@
|
||||
"set_date_of_birth": "जन्मतिथि निर्धारित करें",
|
||||
"set_profile_picture": "प्रोफ़ाइल चित्र सेट करें",
|
||||
"set_slideshow_to_fullscreen": "स्लाइड शो को फ़ुलस्क्रीन पर सेट करें",
|
||||
"setting_image_viewer_help": "The detail viewer loads the small thumbnail first, then loads the medium-size preview (if enabled), finally loads the original (if enabled).",
|
||||
"setting_image_viewer_original_subtitle": "Enable to load the original full-resolution image (large!). Disable to reduce data usage (both network and on device cache).",
|
||||
"setting_image_viewer_original_title": "Load original image",
|
||||
"setting_image_viewer_preview_subtitle": "Enable to load a medium-resolution image. Disable to either directly load the original or only use the thumbnail.",
|
||||
"setting_image_viewer_preview_title": "Load preview image",
|
||||
"setting_image_viewer_title": "Images",
|
||||
"setting_languages_apply": "Apply",
|
||||
"setting_languages_subtitle": "Change the app's language",
|
||||
"setting_languages_title": "Languages",
|
||||
"setting_notifications_notify_failures_grace_period": "Notify background backup failures: {}",
|
||||
"setting_notifications_notify_hours": "{} hours",
|
||||
"setting_notifications_notify_immediately": "immediately",
|
||||
"setting_notifications_notify_minutes": "{} minutes",
|
||||
"setting_notifications_notify_never": "never",
|
||||
"setting_notifications_notify_seconds": "{} seconds",
|
||||
"setting_notifications_single_progress_subtitle": "Detailed upload progress information per asset",
|
||||
"setting_notifications_single_progress_title": "Show background backup detail progress",
|
||||
"setting_notifications_subtitle": "Adjust your notification preferences",
|
||||
"setting_notifications_total_progress_subtitle": "Overall upload progress (done/total assets)",
|
||||
"setting_notifications_total_progress_title": "Show background backup total progress",
|
||||
"setting_video_viewer_looping_title": "Looping",
|
||||
"setting_video_viewer_original_video_subtitle": "When streaming a video from the server, play the original even when a transcode is available. May lead to buffering. Videos available locally are played in original quality regardless of this setting.",
|
||||
"setting_video_viewer_original_video_title": "Force original video",
|
||||
"settings": "समायोजन",
|
||||
"settings_require_restart": "Please restart Immich to apply this setting",
|
||||
"settings_saved": "सेटिंग्स को सहेजा गया",
|
||||
"share": "शेयर करना",
|
||||
"share_add_photos": "फ़ोटो डालें",
|
||||
"share_add_photos": "Add photos",
|
||||
"share_assets_selected": "{} selected",
|
||||
"share_dialog_preparing": "Preparing...",
|
||||
"shared": "साझा",
|
||||
"shared_album_activities_input_disable": "कॉमेंट डिजेबल्ड है",
|
||||
"shared_album_activity_remove_content": "क्या आप इस गतिविधि को हटाना चाहते हैं?",
|
||||
"shared_album_activity_remove_title": "गतिविधि हटाएं",
|
||||
"shared_album_section_people_action_error": "Error leaving/removing from album",
|
||||
"shared_album_section_people_action_leave": "Remove user from album",
|
||||
"shared_album_section_people_action_remove_user": "Remove user from album",
|
||||
"shared_album_section_people_title": "PEOPLE",
|
||||
"shared_by": "द्वारा साझा",
|
||||
"shared_by_you": "आपके द्वारा साझा किया गया",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Uploaded",
|
||||
"shared_link_app_bar_title": "साझा किए गए लिंक",
|
||||
"shared_link_clipboard_copied_massage": "Copied to clipboard",
|
||||
"shared_link_clipboard_text": "Link: {}\nPassword: {}",
|
||||
"shared_link_create_error": "Error while creating shared link",
|
||||
"shared_link_edit_description_hint": "शेयर विवरण दर्ज करें",
|
||||
"shared_link_edit_expire_after_option_day": "1 day",
|
||||
"shared_link_edit_expire_after_option_days": "{} days",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hour",
|
||||
"shared_link_edit_expire_after_option_hours": "{} hours",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minute",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutes",
|
||||
"shared_link_edit_expire_after_option_months": "{} months",
|
||||
"shared_link_edit_expire_after_option_year": "{} year",
|
||||
"shared_link_edit_password_hint": "शेयर पासवर्ड दर्ज करें",
|
||||
"shared_link_edit_submit_button": "अपडेट लिंक",
|
||||
"shared_link_error_server_url_fetch": "Cannot fetch the server url",
|
||||
"shared_link_expires_day": "Expires in {} day",
|
||||
"shared_link_expires_days": "Expires in {} days",
|
||||
"shared_link_expires_hour": "Expires in {} hour",
|
||||
"shared_link_expires_hours": "Expires in {} hours",
|
||||
"shared_link_expires_minute": "Expires in {} minute",
|
||||
"shared_link_expires_minutes": "Expires in {} minutes",
|
||||
"shared_link_expires_never": "Expires ∞",
|
||||
"shared_link_expires_second": "Expires in {} second",
|
||||
"shared_link_expires_seconds": "Expires in {} seconds",
|
||||
"shared_link_individual_shared": "Individual shared",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "साझा किए गए लिंक का प्रबंधन करें",
|
||||
"shared_links": "साझा किए गए लिंक",
|
||||
"shared_with_me": "मेरे साथ साझा किया गया",
|
||||
"sharing": "शेयरिंग",
|
||||
"sharing_enter_password": "कृपया इस पृष्ठ को देखने के लिए पासवर्ड दर्ज करें।",
|
||||
"sharing_page_album": "Shared albums",
|
||||
"sharing_page_description": "Create shared albums to share photos and videos with people in your network.",
|
||||
"sharing_page_empty_list": "EMPTY LIST",
|
||||
"sharing_sidebar_description": "साइडबार में शेयरिंग के लिए एक लिंक प्रदर्शित करें",
|
||||
"sharing_silver_appbar_create_shared_album": "New shared album",
|
||||
"sharing_silver_appbar_share_partner": "Share with partner",
|
||||
"shift_to_permanent_delete": "संपत्ति को स्थायी रूप से हटाने के लिए ⇧ दबाएँ",
|
||||
"show_album_options": "एल्बम विकल्प दिखाएँ",
|
||||
"show_all_people": "सभी लोगों को दिखाओ",
|
||||
@@ -1110,11 +1503,19 @@
|
||||
"theme": "विषय",
|
||||
"theme_selection": "थीम चयन",
|
||||
"theme_selection_description": "आपके ब्राउज़र की सिस्टम प्राथमिकता के आधार पर थीम को स्वचालित रूप से प्रकाश या अंधेरे पर सेट करें",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Show storage indicator on asset tiles",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Number of assets per row ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "प्राथमिक रंग को पृष्ठभूमि सतहों पर लागू करें",
|
||||
"theme_setting_colorful_interface_title": "रंगीन इंटरफ़ेस",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Adjust the quality of the detail image viewer",
|
||||
"theme_setting_image_viewer_quality_title": "Image viewer quality",
|
||||
"theme_setting_primary_color_subtitle": "प्राथमिक क्रियाओं और उच्चारणों के लिए एक रंग चुनें",
|
||||
"theme_setting_primary_color_title": "प्राथमिक रंग",
|
||||
"theme_setting_system_primary_color_title": "सिस्टम रंग का उपयोग करें",
|
||||
"theme_setting_system_theme_switch": "Automatic (Follow system setting)",
|
||||
"theme_setting_theme_subtitle": "Choose the app's theme setting",
|
||||
"theme_setting_three_stage_loading_subtitle": "Three-stage loading might increase the loading performance but causes significantly higher network load",
|
||||
"theme_setting_three_stage_loading_title": "Enable three-stage loading",
|
||||
"they_will_be_merged_together": "इन्हें एक साथ मिला दिया जाएगा",
|
||||
"time_based_memories": "समय आधारित यादें",
|
||||
"timezone": "समय क्षेत्र",
|
||||
@@ -1131,9 +1532,13 @@
|
||||
"trash_delete_asset": "संपत्ति को ट्रैश/डिलीट करें",
|
||||
"trash_emptied": "कचरा खाली कर दिया",
|
||||
"trash_no_results_message": "ट्रैश की गई फ़ोटो और वीडियो यहां दिखाई देंगे।",
|
||||
"trash_page_delete_all": "Delete All",
|
||||
"trash_page_empty_trash_dialog_content": "क्या आप अपनी कूड़ेदान संपत्तियों को खाली करना चाहते हैं? इन आइटमों को Immich से स्थायी रूप से हटा दिया जाएगा",
|
||||
"trash_page_info": "Trashed items will be permanently deleted after {} days",
|
||||
"trash_page_no_assets": "No trashed assets",
|
||||
"trash_page_restore_all": "सभी को पुनः स्थानांतरित करें",
|
||||
"trash_page_select_assets_btn": "संपत्तियों को चयन करें",
|
||||
"trash_page_title": "Trash ({})",
|
||||
"type": "प्रकार",
|
||||
"unarchive": "संग्रह से निकालें",
|
||||
"unfavorite": "नापसंद करें",
|
||||
@@ -1155,12 +1560,17 @@
|
||||
"updated_password": "अद्यतन पासवर्ड",
|
||||
"upload": "डालना",
|
||||
"upload_concurrency": "समवर्ती अपलोड करें",
|
||||
"upload_dialog_info": "Do you want to backup the selected Asset(s) to the server?",
|
||||
"upload_dialog_title": "Upload Asset",
|
||||
"upload_status_duplicates": "डुप्लिकेट",
|
||||
"upload_status_errors": "त्रुटियाँ",
|
||||
"upload_status_uploaded": "अपलोड किए गए",
|
||||
"upload_success": "अपलोड सफल रहा, नई अपलोड संपत्तियां देखने के लिए पेज को रीफ्रेश करें।",
|
||||
"upload_to_immich": "Upload to Immich ({})",
|
||||
"uploading": "Uploading",
|
||||
"url": "यूआरएल",
|
||||
"usage": "प्रयोग",
|
||||
"use_current_connection": "use current connection",
|
||||
"use_custom_date_range": "इसके बजाय कस्टम दिनांक सीमा का उपयोग करें",
|
||||
"user": "उपयोगकर्ता",
|
||||
"user_id": "उपयोगकर्ता पहचान",
|
||||
@@ -1172,10 +1582,16 @@
|
||||
"users": "उपयोगकर्ताओं",
|
||||
"utilities": "उपयोगिताओं",
|
||||
"validate": "मान्य",
|
||||
"validate_endpoint_error": "Please enter a valid URL",
|
||||
"variables": "चर",
|
||||
"version": "संस्करण",
|
||||
"version_announcement_closing": "आपका मित्र, एलेक्स",
|
||||
"version_announcement_message": "नमस्कार मित्र, एप्लिकेशन का एक नया संस्करण है, कृपया अपना समय निकालकर इसे देखें <link>रिलीज नोट्स</link> और अपना सुनिश्चित करें <code>docker-compose.yml</code>, और <code>.env</code> किसी भी गलत कॉन्फ़िगरेशन को रोकने के लिए सेटअप अद्यतित है, खासकर यदि आप वॉचटावर या किसी भी तंत्र का उपयोग करते हैं जो आपके एप्लिकेशन को स्वचालित रूप से अपडेट करने का प्रबंधन करता है।",
|
||||
"version_announcement_overlay_release_notes": "release notes",
|
||||
"version_announcement_overlay_text_1": "Hi friend, there is a new release of",
|
||||
"version_announcement_overlay_text_2": "please take your time to visit the ",
|
||||
"version_announcement_overlay_text_3": " and ensure your docker-compose and .env setup is up-to-date to prevent any misconfigurations, especially if you use WatchTower or any mechanism that handles updating your server application automatically.",
|
||||
"version_announcement_overlay_title": "New Server Version Available 🎉",
|
||||
"video": "वीडियो",
|
||||
"video_hover_setting": "होवर पर वीडियो थंबनेल चलाएं",
|
||||
"video_hover_setting_description": "जब माउस आइटम पर घूम रहा हो तो वीडियो थंबनेल चलाएं।",
|
||||
|
||||
150
i18n/hr.json
150
i18n/hr.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Dodaj u album",
|
||||
"add_to_album_bottom_sheet_added": "Dodano u {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Već u {album}",
|
||||
"add_to_locked_folder": "Dodaj zaključanu mapu",
|
||||
"add_to_shared_album": "Dodaj u dijeljeni album",
|
||||
"add_url": "Dodaj URL",
|
||||
"added_to_archive": "Dodano u arhivu",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Za potvrdu upišite \"{email}\" ispod",
|
||||
"confirm_reprocess_all_faces": "Jeste li sigurni da želite ponovno obraditi sva lica? Ovo će također obrisati imenovane osobe.",
|
||||
"confirm_user_password_reset": "Jeste li sigurni da želite poništiti lozinku korisnika {user}?",
|
||||
"confirm_user_pin_code_reset": "Jeste li sigurni da želite resetirati PIN korisnika {user}?",
|
||||
"create_job": "Izradi zadatak",
|
||||
"cron_expression": "Cron izraz (expression)",
|
||||
"cron_expression_description": "Postavite interval skeniranja koristeći cron format. Za više informacija pogledajte npr. <link>Crontab Guru</link>",
|
||||
@@ -207,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "Automatski postavite korisničku kvotu pohrane na vrijednost ovog zahtjeva.",
|
||||
"oauth_storage_quota_default": "Zadana kvota pohrane (GiB)",
|
||||
"oauth_storage_quota_default_description": "Kvota u GiB koja će se koristiti kada nema zahtjeva (unesite 0 za neograničenu kvotu).",
|
||||
"oauth_timeout": "Istek vremena zahtjeva",
|
||||
"oauth_timeout_description": "Istek vremena zahtjeva je u milisekundama",
|
||||
"offline_paths": "Izvanmrežne putanje",
|
||||
"offline_paths_description": "Ovi rezultati mogu biti posljedica ručnog brisanja datoteka koje nisu dio vanjske biblioteke.",
|
||||
"password_enable_description": "Prijava s email adresom i zaporkom",
|
||||
@@ -349,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "Broj dana nakon uklanjanja za trajno brisanje korisničkog računa i imovine. Posao brisanja korisnika pokreće se u ponoć kako bi se provjerili korisnici koji su spremni za brisanje. Promjene ove postavke bit će procijenjene pri sljedećem izvršavanju.",
|
||||
"user_delete_immediately": "Račun i sredstva korisnika <b>{user}</b> bit će stavljeni u red čekanja za trajno brisanje <b>odmah</b>.",
|
||||
"user_delete_immediately_checkbox": "Stavite korisnika i imovinu u red za trenutačno brisanje",
|
||||
"user_details": "Detalji korisnika",
|
||||
"user_management": "Upravljanje Korisnicima",
|
||||
"user_password_has_been_reset": "Korisnička lozinka je poništena:",
|
||||
"user_password_reset_description": "Molimo dostavite privremenu lozinku korisniku i obavijestite ga da će morati promijeniti lozinku pri sljedećoj prijavi.",
|
||||
@@ -371,7 +366,7 @@
|
||||
"advanced": "Napredno",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Koristite ovu opciju za filtriranje medija tijekom sinkronizacije na temelju alternativnih kriterija. Pokušajte ovo samo ako imate problema s aplikacijom koja ne prepoznaje sve albume.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EKSPERIMENTALNO] Koristite alternativni filter za sinkronizaciju albuma na uređaju",
|
||||
"advanced_settings_log_level_title": "Razina zapisivanja: {level}",
|
||||
"advanced_settings_log_level_title": "Razina zapisivanja: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Neki uređaji sporo učitavaju sličice s resursa na uređaju. Aktivirajte ovu postavku kako biste umjesto toga učitali slike s udaljenih izvora.",
|
||||
"advanced_settings_prefer_remote_title": "Preferiraj udaljene slike",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definirajte zaglavlja posrednika koja Immich treba slati sa svakim mrežnim zahtjevom.",
|
||||
@@ -402,9 +397,9 @@
|
||||
"album_remove_user_confirmation": "Jeste li sigurni da želite ukloniti {user}?",
|
||||
"album_share_no_users": "Čini se da ste podijelili ovaj album sa svim korisnicima ili nemate nijednog korisnika s kojim biste ga dijelili.",
|
||||
"album_thumbnail_card_item": "1 stavka",
|
||||
"album_thumbnail_card_items": "{count} stavki",
|
||||
"album_thumbnail_card_items": "{} stavki",
|
||||
"album_thumbnail_card_shared": " · Podijeljeno",
|
||||
"album_thumbnail_shared_by": "Podijeljeno sa {user}",
|
||||
"album_thumbnail_shared_by": "Podijeljeno sa {}",
|
||||
"album_updated": "Album ažuriran",
|
||||
"album_updated_setting_description": "Primite obavijest e-poštom kada dijeljeni album ima nova sredstva",
|
||||
"album_user_left": "Napušten {album}",
|
||||
@@ -442,10 +437,11 @@
|
||||
"archive": "Arhiva",
|
||||
"archive_or_unarchive_photo": "Arhivirajte ili dearhivirajte fotografiju",
|
||||
"archive_page_no_archived_assets": "Nema arhiviranih resursa",
|
||||
"archive_page_title": "Arhiviraj ({count})",
|
||||
"archive_page_title": "Arhiviraj ({})",
|
||||
"archive_size": "Veličina arhive",
|
||||
"archive_size_description": "Konfigurirajte veličinu arhive za preuzimanja (u GiB)",
|
||||
"archived": "Ahrivirano",
|
||||
"archived_count": "{count, plural, other {Archived #}}",
|
||||
"are_these_the_same_person": "Je li ovo ista osoba?",
|
||||
"are_you_sure_to_do_this": "Jeste li sigurni da to želite učiniti?",
|
||||
"asset_action_delete_err_read_only": "Nije moguće izbrisati resurse samo za čitanje, preskačem",
|
||||
@@ -477,18 +473,19 @@
|
||||
"assets_added_count": "Dodano {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_added_to_album_count": "Dodano {count, plural, one {# asset} other {# assets}} u album",
|
||||
"assets_added_to_name_count": "Dodano {count, plural, one {# asset} other {# assets}} u {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_deleted_permanently": "{count} resurs(i) uspješno uklonjeni",
|
||||
"assets_deleted_permanently_from_server": "{count} resurs(i) trajno obrisan(i) sa Immich poslužitelja",
|
||||
"assets_count": "{count, plural, one {# asset} other {# assets}}",
|
||||
"assets_deleted_permanently": "{} resurs(i) uspješno uklonjeni",
|
||||
"assets_deleted_permanently_from_server": "{} resurs(i) trajno obrisan(i) sa Immich poslužitelja",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# asset} other {# asset}} premješteno u smeće",
|
||||
"assets_permanently_deleted_count": "Trajno izbrisano {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_removed_count": "Uklonjeno {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_removed_permanently_from_device": "{count} resurs(i) trajno uklonjen(i) s vašeg uređaja",
|
||||
"assets_removed_permanently_from_device": "{} resurs(i) trajno uklonjen(i) s vašeg uređaja",
|
||||
"assets_restore_confirmation": "Jeste li sigurni da želite obnoviti sve svoje resurse bačene u otpad? Ne možete poništiti ovu radnju! Imajte na umu da se bilo koji izvanmrežni resursi ne mogu obnoviti na ovaj način.",
|
||||
"assets_restored_count": "Vraćeno {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_restored_successfully": "{count} resurs(i) uspješno obnovljen(i)",
|
||||
"assets_trashed": "{count} resurs(i) premješten(i) u smeće",
|
||||
"assets_restored_successfully": "{} resurs(i) uspješno obnovljen(i)",
|
||||
"assets_trashed": "{} resurs(i) premješten(i) u smeće",
|
||||
"assets_trashed_count": "Bačeno u smeće {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_trashed_from_server": "{count} resurs(i) premješten(i) u smeće s Immich poslužitelja",
|
||||
"assets_trashed_from_server": "{} resurs(i) premješten(i) u smeće s Immich poslužitelja",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Asset was} other {Assets were}} već dio albuma",
|
||||
"authorized_devices": "Ovlašteni Uređaji",
|
||||
"automatic_endpoint_switching_subtitle": "Povežite se lokalno preko naznačene Wi-Fi mreže kada je dostupna i koristite alternativne veze na drugim lokacijama",
|
||||
@@ -497,7 +494,7 @@
|
||||
"back_close_deselect": "Natrag, zatvorite ili poništite odabir",
|
||||
"background_location_permission": "Dozvola za lokaciju u pozadini",
|
||||
"background_location_permission_content": "Kako bi prebacivao mreže dok radi u pozadini, Immich mora *uvijek* imati pristup preciznoj lokaciji kako bi aplikacija mogla pročitati naziv Wi-Fi mreže",
|
||||
"backup_album_selection_page_albums_device": "Albumi na uređaju ({count})",
|
||||
"backup_album_selection_page_albums_device": "Albumi na uređaju ({})",
|
||||
"backup_album_selection_page_albums_tap": "Dodirnite za uključivanje, dvostruki dodir za isključivanje",
|
||||
"backup_album_selection_page_assets_scatter": "Resursi mogu biti raspoređeni u više albuma. Stoga, albumi mogu biti uključeni ili isključeni tijekom procesa sigurnosnog kopiranja.",
|
||||
"backup_album_selection_page_select_albums": "Odabrani albumi",
|
||||
@@ -506,11 +503,11 @@
|
||||
"backup_all": "Sve",
|
||||
"backup_background_service_backup_failed_message": "Neuspješno sigurnosno kopiranje resursa. Pokušavam ponovo…",
|
||||
"backup_background_service_connection_failed_message": "Neuspješno povezivanje s poslužiteljem. Pokušavam ponovo…",
|
||||
"backup_background_service_current_upload_notification": "Šaljem {filename}",
|
||||
"backup_background_service_current_upload_notification": "Šaljem {}",
|
||||
"backup_background_service_default_notification": "Provjera novih resursa…",
|
||||
"backup_background_service_error_title": "Pogreška pri sigurnosnom kopiranju",
|
||||
"backup_background_service_in_progress_notification": "Sigurnosno kopiranje vaših resursa…",
|
||||
"backup_background_service_upload_failure_notification": "Neuspješno slanje {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Neuspješno slanje {}",
|
||||
"backup_controller_page_albums": "Sigurnosno kopiranje albuma",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Omogućite osvježavanje aplikacije u pozadini u Postavke > Opće Postavke > Osvježavanje Aplikacija u Pozadini kako biste koristili sigurnosno kopiranje u pozadini.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Osvježavanje aplikacija u pozadini je onemogućeno",
|
||||
@@ -521,7 +518,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "Optimizacije baterije",
|
||||
"backup_controller_page_background_charging": "Samo tijekom punjenja",
|
||||
"backup_controller_page_background_configure_error": "Neuspješno konfiguriranje pozadinske usluge",
|
||||
"backup_controller_page_background_delay": "Odgođeno sigurnosno kopiranje novih resursa: {duration}",
|
||||
"backup_controller_page_background_delay": "Odgođeno sigurnosno kopiranje novih resursa: {}",
|
||||
"backup_controller_page_background_description": "Uključite pozadinsku uslugu kako biste automatski sigurnosno kopirali nove resurse bez potrebe za otvaranjem aplikacije",
|
||||
"backup_controller_page_background_is_off": "Automatsko sigurnosno kopiranje u pozadini je isključeno",
|
||||
"backup_controller_page_background_is_on": "Automatsko sigurnosno kopiranje u pozadini je uključeno",
|
||||
@@ -531,11 +528,12 @@
|
||||
"backup_controller_page_backup": "Sigurnosna kopija",
|
||||
"backup_controller_page_backup_selected": "Odabrani: ",
|
||||
"backup_controller_page_backup_sub": "Sigurnosno kopirane fotografije i videozapisi",
|
||||
"backup_controller_page_created": "Kreirano: {date}",
|
||||
"backup_controller_page_created": "Kreirano: {}",
|
||||
"backup_controller_page_desc_backup": "Uključite sigurnosno kopiranje u prvom planu kako biste automatski prenijeli nove resurse na poslužitelj prilikom otvaranja aplikacije.",
|
||||
"backup_controller_page_excluded": "Izuzeto: ",
|
||||
"backup_controller_page_failed": "Neuspješno ({count})",
|
||||
"backup_controller_page_filename": "Naziv datoteke: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Neuspješno ({})",
|
||||
"backup_controller_page_filename": "Naziv datoteke: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informacije o sigurnosnom kopiranju",
|
||||
"backup_controller_page_none_selected": "Nema odabranih",
|
||||
"backup_controller_page_remainder": "Podsjetnik",
|
||||
@@ -544,7 +542,7 @@
|
||||
"backup_controller_page_start_backup": "Pokreni Sigurnosno Kopiranje",
|
||||
"backup_controller_page_status_off": "Automatsko sigurnosno kopiranje u prvom planu je isključeno",
|
||||
"backup_controller_page_status_on": "Automatsko sigurnosno kopiranje u prvom planu je uključeno",
|
||||
"backup_controller_page_storage_format": "{used} od {total} iskorišteno",
|
||||
"backup_controller_page_storage_format": "{} od {} iskorišteno",
|
||||
"backup_controller_page_to_backup": "Albumi za sigurnosno kopiranje",
|
||||
"backup_controller_page_total_sub": "Sve jedinstvene fotografije i videozapisi iz odabranih albuma",
|
||||
"backup_controller_page_turn_off": "Isključite sigurnosno kopiranje u prvom planu",
|
||||
@@ -569,21 +567,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Jeste li sigurni da želite zadržati {count, plural, one {# duplicate asset} other {# duplicate asset}}? Ovo će riješiti sve duplicirane grupe bez brisanja ičega.",
|
||||
"bulk_trash_duplicates_confirmation": "Jeste li sigurni da želite na veliko baciti u smeće {count, plural, one {# duplicate asset} other {# duplicate asset}}? Ovo će zadržati najveće sredstvo svake grupe i baciti sve ostale duplikate u smeće.",
|
||||
"buy": "Kupi Immich",
|
||||
"cache_settings_album_thumbnails": "Sličice na stranici biblioteke ({count} resursa)",
|
||||
"cache_settings_album_thumbnails": "Sličice na stranici biblioteke ({} resursa)",
|
||||
"cache_settings_clear_cache_button": "Očisti predmemoriju",
|
||||
"cache_settings_clear_cache_button_title": "Briše predmemoriju aplikacije. Ovo će značajno utjecati na performanse aplikacije dok se predmemorija ponovno ne izgradi.",
|
||||
"cache_settings_duplicated_assets_clear_button": "OČISTI",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotografije i videozapisi koje je aplikacija stavila na crnu listu",
|
||||
"cache_settings_duplicated_assets_title": "Duplicirani resursi ({count})",
|
||||
"cache_settings_image_cache_size": "Veličina predmemorije slika ({count} resursa)",
|
||||
"cache_settings_duplicated_assets_title": "Duplicirani resursi ({})",
|
||||
"cache_settings_image_cache_size": "Veličina predmemorije slika ({} resursa)",
|
||||
"cache_settings_statistics_album": "Sličice biblioteke",
|
||||
"cache_settings_statistics_assets": "{count} resursa ({size})",
|
||||
"cache_settings_statistics_assets": "{} resursa ({})",
|
||||
"cache_settings_statistics_full": "Pune slike",
|
||||
"cache_settings_statistics_shared": "Sličice dijeljenih albuma",
|
||||
"cache_settings_statistics_thumbnail": "Sličice",
|
||||
"cache_settings_statistics_title": "Korištenje predmemorije",
|
||||
"cache_settings_subtitle": "Upravljajte ponašanjem predmemorije mobilne aplikacije Immich",
|
||||
"cache_settings_thumbnail_size": "Veličina predmemorije sličica ({count} stavki)",
|
||||
"cache_settings_thumbnail_size": "Veličina predmemorije sličica ({} stavki)",
|
||||
"cache_settings_tile_subtitle": "Upravljajte ponašanjem lokalne pohrane",
|
||||
"cache_settings_tile_title": "Lokalna pohrana",
|
||||
"cache_settings_title": "Postavke predmemorije",
|
||||
@@ -653,7 +651,7 @@
|
||||
"contain": "Sadrži",
|
||||
"context": "Kontekst",
|
||||
"continue": "Nastavi",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} stavki · Dijeljeno",
|
||||
"control_bottom_app_bar_album_info_shared": "{} stavki · Dijeljeno",
|
||||
"control_bottom_app_bar_create_new_album": "Kreiraj novi album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Izbriši iz Immicha",
|
||||
"control_bottom_app_bar_delete_from_local": "Izbriši s uređaja",
|
||||
@@ -697,10 +695,13 @@
|
||||
"current_server_address": "Trenutna adresa poslužitelja",
|
||||
"custom_locale": "Prilagođena Lokalizacija",
|
||||
"custom_locale_description": "Formatiranje datuma i brojeva na temelju jezika i regije",
|
||||
"daily_title_text_date": "E, MMM dd",
|
||||
"daily_title_text_date_year": "E, MMM dd, yyyy",
|
||||
"dark": "Tamno",
|
||||
"date_after": "Datum nakon",
|
||||
"date_and_time": "Datum i Vrijeme",
|
||||
"date_before": "Datum prije",
|
||||
"date_format": "E, LLL d, y • h:mm a",
|
||||
"date_of_birth_saved": "Datum rođenja uspješno spremljen",
|
||||
"date_range": "Razdoblje",
|
||||
"day": "Dan",
|
||||
@@ -742,6 +743,7 @@
|
||||
"direction": "Smjer",
|
||||
"disabled": "Onemogućeno",
|
||||
"disallow_edits": "Zabrani izmjene",
|
||||
"discord": "Discord",
|
||||
"discover": "Otkrij",
|
||||
"dismiss_all_errors": "Odbaci sve pogreške",
|
||||
"dismiss_error": "Odbaci pogrešku",
|
||||
@@ -758,7 +760,7 @@
|
||||
"download_enqueue": "Preuzimanje dodano u red",
|
||||
"download_error": "Pogreška pri preuzimanju",
|
||||
"download_failed": "Preuzimanje nije uspjelo",
|
||||
"download_filename": "datoteka: {filename}",
|
||||
"download_filename": "datoteka: {}",
|
||||
"download_finished": "Preuzimanje završeno",
|
||||
"download_include_embedded_motion_videos": "Ugrađeni videozapisi",
|
||||
"download_include_embedded_motion_videos_description": "Uključite videozapise ugrađene u fotografije s pokretom kao zasebnu datoteku",
|
||||
@@ -814,7 +816,7 @@
|
||||
"error_change_sort_album": "Nije moguće promijeniti redoslijed albuma",
|
||||
"error_delete_face": "Pogreška pri brisanju lica sa stavke",
|
||||
"error_loading_image": "Pogreška pri učitavanju slike",
|
||||
"error_saving_image": "Pogreška: {error}",
|
||||
"error_saving_image": "Pogreška: {}",
|
||||
"error_title": "Greška - Nešto je pošlo krivo",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Nije moguće prijeći na sljedeći materijal",
|
||||
@@ -942,15 +944,16 @@
|
||||
"unable_to_update_user": "Nije moguće ažurirati korisnika",
|
||||
"unable_to_upload_file": "Nije moguće učitati datoteku"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Dodaj opis...",
|
||||
"exif_bottom_sheet_details": "DETALJI",
|
||||
"exif_bottom_sheet_location": "LOKACIJA",
|
||||
"exif_bottom_sheet_people": "OSOBE",
|
||||
"exif_bottom_sheet_person_add_person": "Dodaj ime",
|
||||
"exif_bottom_sheet_person_age": "Dob {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Dob {months} mjeseci",
|
||||
"exif_bottom_sheet_person_age_year_months": "Dob 1 godina, {months} mjeseci",
|
||||
"exif_bottom_sheet_person_age_years": "Dob {years}",
|
||||
"exif_bottom_sheet_person_age": "Dob {}",
|
||||
"exif_bottom_sheet_person_age_months": "Dob {} mjeseci",
|
||||
"exif_bottom_sheet_person_age_year_months": "Dob 1 godina, {} mjeseci",
|
||||
"exif_bottom_sheet_person_age_years": "Dob {}",
|
||||
"exit_slideshow": "Izađi iz projekcije slideova",
|
||||
"expand_all": "Proširi sve",
|
||||
"experimental_settings_new_asset_list_subtitle": "Rad u tijeku",
|
||||
@@ -1057,6 +1060,7 @@
|
||||
"image_viewer_page_state_provider_download_started": "Preuzimanje započelo",
|
||||
"image_viewer_page_state_provider_download_success": "Uspješno Preuzimanje",
|
||||
"image_viewer_page_state_provider_share_error": "Greška pri dijeljenju",
|
||||
"immich_logo": "Immich Logo",
|
||||
"immich_web_interface": "Immich Web Sučelje",
|
||||
"import_from_json": "Uvoz iz JSON-a",
|
||||
"import_path": "Putanja uvoza",
|
||||
@@ -1129,6 +1133,7 @@
|
||||
"login_form_api_exception": "API iznimka. Provjerite URL poslužitelja i pokušajte ponovno.",
|
||||
"login_form_back_button_text": "Nazad",
|
||||
"login_form_email_hint": "vasaemaiadresal@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "URL krajnje točke poslužitelja",
|
||||
"login_form_err_http": "Molimo navedite http:// ili https://",
|
||||
"login_form_err_invalid_email": "Nevažeća e-mail adresa",
|
||||
@@ -1163,8 +1168,8 @@
|
||||
"manage_your_devices": "Upravljajte uređajima na kojima ste prijavljeni",
|
||||
"manage_your_oauth_connection": "Upravljajte svojom OAuth vezom",
|
||||
"map": "Karta",
|
||||
"map_assets_in_bound": "{count} fotografija",
|
||||
"map_assets_in_bounds": "{count} fotografija",
|
||||
"map_assets_in_bound": "{} fotografija",
|
||||
"map_assets_in_bounds": "{} fotografija",
|
||||
"map_cannot_get_user_location": "Nije moguće dohvatiti lokaciju korisnika",
|
||||
"map_location_dialog_yes": "Da",
|
||||
"map_location_picker_page_use_location": "Koristi ovu lokaciju",
|
||||
@@ -1178,9 +1183,9 @@
|
||||
"map_settings": "Postavke karte",
|
||||
"map_settings_dark_mode": "Tamni način rada",
|
||||
"map_settings_date_range_option_day": "Posljednja 24 sata",
|
||||
"map_settings_date_range_option_days": "Posljednjih {days} dana",
|
||||
"map_settings_date_range_option_days": "Posljednjih {} dana",
|
||||
"map_settings_date_range_option_year": "Prošla godina",
|
||||
"map_settings_date_range_option_years": "Posljednjih {years} godina",
|
||||
"map_settings_date_range_option_years": "Posljednjih {} godina",
|
||||
"map_settings_dialog_title": "Postavke karte",
|
||||
"map_settings_include_show_archived": "Uključi arhivirane",
|
||||
"map_settings_include_show_partners": "Uključi partnere",
|
||||
@@ -1195,6 +1200,8 @@
|
||||
"memories_setting_description": "Upravljajte onim što vidite u svojim sjećanjima",
|
||||
"memories_start_over": "Započni iznova",
|
||||
"memories_swipe_to_close": "Prijeđite prstom prema gore za zatvaranje",
|
||||
"memories_year_ago": "Prije godinu dana",
|
||||
"memories_years_ago": "Prije {} godina",
|
||||
"memory": "Memorija",
|
||||
"memory_lane_title": "Traka sjećanja {title}",
|
||||
"menu": "Izbornik",
|
||||
@@ -1207,7 +1214,9 @@
|
||||
"minimize": "Minimiziraj",
|
||||
"minute": "Minuta",
|
||||
"missing": "Nedostaje",
|
||||
"model": "Model",
|
||||
"month": "Mjesec",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Više",
|
||||
"moved_to_trash": "Premješteno u smeće",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Nije moguće urediti datum stavki samo za čitanje, preskačem",
|
||||
@@ -1256,10 +1265,12 @@
|
||||
"notification_toggle_setting_description": "Omogući obavijesti putem e-pošte",
|
||||
"notifications": "Obavijesti",
|
||||
"notifications_setting_description": "Upravljanje obavijestima",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Službeni Immich resursi",
|
||||
"offline": "Izvan mreže",
|
||||
"offline_paths": "Izvanmrežne putanje",
|
||||
"offline_paths_description": "Ovi rezultati mogu biti posljedica ručnog brisanja datoteka koje nisu dio vanjske biblioteke.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Prvo najstarije",
|
||||
"on_this_device": "Na ovom uređaju",
|
||||
"onboarding": "Uključivanje (Onboarding)",
|
||||
@@ -1276,11 +1287,13 @@
|
||||
"options": "Opcije",
|
||||
"or": "ili",
|
||||
"organize_your_library": "Organizirajte svoju knjižnicu",
|
||||
"original": "original",
|
||||
"other": "Ostalo",
|
||||
"other_devices": "Ostali uređaji",
|
||||
"other_variables": "Ostale varijable",
|
||||
"owned": "Vlasništvo",
|
||||
"owner": "Vlasnik",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} može pristupiti",
|
||||
"partner_can_access_assets": "Sve vaše fotografije i videi osim onih u arhivi i smeću",
|
||||
"partner_can_access_location": "Mjesto otkuda je slika otkinuta",
|
||||
@@ -1291,7 +1304,7 @@
|
||||
"partner_page_partner_add_failed": "Nije uspjelo dodavanje partnera",
|
||||
"partner_page_select_partner": "Odaberi partnera",
|
||||
"partner_page_shared_to_title": "Podijeljeno s",
|
||||
"partner_page_stop_sharing_content": "{partner} više neće moći pristupiti vašim fotografijama.",
|
||||
"partner_page_stop_sharing_content": "{} više neće moći pristupiti vašim fotografijama.",
|
||||
"partner_sharing": "Dijeljenje s partnerom",
|
||||
"partners": "Partneri",
|
||||
"password": "Zaporka",
|
||||
@@ -1344,6 +1357,7 @@
|
||||
"play_memories": "Pokreni sjećanja",
|
||||
"play_motion_photo": "Reproduciraj Pokretnu fotografiju",
|
||||
"play_or_pause_video": "Reproducirajte ili pauzirajte video",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Upravljajte postavkama aplikacije",
|
||||
"preferences_settings_title": "Postavke",
|
||||
"preset": "Unaprijed postavljeno",
|
||||
@@ -1357,6 +1371,7 @@
|
||||
"profile_drawer_client_out_of_date_major": "Mobilna aplikacija je zastarjela. Ažurirajte na najnoviju glavnu verziju.",
|
||||
"profile_drawer_client_out_of_date_minor": "Mobilna aplikacija je zastarjela. Ažurirajte na najnoviju manju verziju.",
|
||||
"profile_drawer_client_server_up_to_date": "Klijent i poslužitelj su ažurirani",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Poslužitelj je zastario. Ažurirajte na najnoviju glavnu verziju.",
|
||||
"profile_drawer_server_out_of_date_minor": "Poslužitelj je zastario. Ažurirajte na najnoviju manju verziju.",
|
||||
"profile_image_of_user": "Profilna slika korisnika {user}",
|
||||
@@ -1365,7 +1380,7 @@
|
||||
"public_share": "Javno dijeljenje",
|
||||
"purchase_account_info": "Podržava softver",
|
||||
"purchase_activated_subtitle": "Hvala što podržavate Immich i softver otvorenog koda",
|
||||
"purchase_activated_time": "Aktivirano {date}",
|
||||
"purchase_activated_time": "Aktivirano {date, date}",
|
||||
"purchase_activated_title": "Vaš ključ je uspješno aktiviran",
|
||||
"purchase_button_activate": "Aktiviraj",
|
||||
"purchase_button_buy": "Kupi",
|
||||
@@ -1451,6 +1466,7 @@
|
||||
"require_password": "Zahtijevaj lozinku",
|
||||
"require_user_to_change_password_on_first_login": "Zahtijevajte od korisnika promjenu lozinke pri prvoj prijavi",
|
||||
"rescan": "Ponovno skeniraj",
|
||||
"reset": "Reset",
|
||||
"reset_password": "Resetiraj lozinku",
|
||||
"reset_people_visibility": "Poništi vidljivost ljudi",
|
||||
"reset_to_default": "Vrati na zadano",
|
||||
@@ -1575,12 +1591,12 @@
|
||||
"setting_languages_apply": "Primijeni",
|
||||
"setting_languages_subtitle": "Promijeni jezik aplikacije",
|
||||
"setting_languages_title": "Jezici",
|
||||
"setting_notifications_notify_failures_grace_period": "Obavijesti o neuspjehu sigurnosnog kopiranja u pozadini: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} sati",
|
||||
"setting_notifications_notify_failures_grace_period": "Obavijesti o neuspjehu sigurnosnog kopiranja u pozadini: {}",
|
||||
"setting_notifications_notify_hours": "{} sati",
|
||||
"setting_notifications_notify_immediately": "odmah",
|
||||
"setting_notifications_notify_minutes": "{count} minuta",
|
||||
"setting_notifications_notify_minutes": "{} minuta",
|
||||
"setting_notifications_notify_never": "nikad",
|
||||
"setting_notifications_notify_seconds": "{count} sekundi",
|
||||
"setting_notifications_notify_seconds": "{} sekundi",
|
||||
"setting_notifications_single_progress_subtitle": "Detaljne informacije o napretku prijenosa po stavci",
|
||||
"setting_notifications_single_progress_title": "Prikaži detaljni napredak sigurnosnog kopiranja u pozadini",
|
||||
"setting_notifications_subtitle": "Prilagodite postavke obavijesti",
|
||||
@@ -1594,7 +1610,7 @@
|
||||
"settings_saved": "Postavke su spremljene",
|
||||
"share": "Podijeli",
|
||||
"share_add_photos": "Dodaj fotografije",
|
||||
"share_assets_selected": "{count} odabrano",
|
||||
"share_assets_selected": "{} odabrano",
|
||||
"share_dialog_preparing": "Priprema...",
|
||||
"shared": "Podijeljeno",
|
||||
"shared_album_activities_input_disable": "Komentiranje je onemogućeno",
|
||||
@@ -1608,33 +1624,34 @@
|
||||
"shared_by_user": "Podijelio {user}",
|
||||
"shared_by_you": "Podijelili vi",
|
||||
"shared_from_partner": "Fotografije od {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Preneseno",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Preneseno",
|
||||
"shared_link_app_bar_title": "Dijeljene poveznice",
|
||||
"shared_link_clipboard_copied_massage": "Kopirano u međuspremnik",
|
||||
"shared_link_clipboard_text": "Poveznica: {link}\nLozinka: {password}",
|
||||
"shared_link_clipboard_text": "Poveznica: {}\nLozinka: {}",
|
||||
"shared_link_create_error": "Pogreška pri kreiranju dijeljene poveznice",
|
||||
"shared_link_edit_description_hint": "Unesite opis dijeljenja",
|
||||
"shared_link_edit_expire_after_option_day": "1 dan",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dana",
|
||||
"shared_link_edit_expire_after_option_days": "{} dana",
|
||||
"shared_link_edit_expire_after_option_hour": "1 sat",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} sati",
|
||||
"shared_link_edit_expire_after_option_hours": "{} sati",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuta",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minuta",
|
||||
"shared_link_edit_expire_after_option_months": "{count} mjeseci",
|
||||
"shared_link_edit_expire_after_option_year": "{count} godina",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minuta",
|
||||
"shared_link_edit_expire_after_option_months": "{} mjeseci",
|
||||
"shared_link_edit_expire_after_option_year": "{} godina",
|
||||
"shared_link_edit_password_hint": "Unesite lozinku za dijeljenje",
|
||||
"shared_link_edit_submit_button": "Ažuriraj poveznicu",
|
||||
"shared_link_error_server_url_fetch": "Nije moguće dohvatiti URL poslužitelja",
|
||||
"shared_link_expires_day": "Istječe za {count} dan",
|
||||
"shared_link_expires_days": "Istječe za {count} dana",
|
||||
"shared_link_expires_hour": "Istječe za {count} sat",
|
||||
"shared_link_expires_hours": "Istječe za {count} sati",
|
||||
"shared_link_expires_minute": "Istječe za {count} minutu",
|
||||
"shared_link_expires_minutes": "Istječe za {count} minuta",
|
||||
"shared_link_expires_day": "Istječe za {} dan",
|
||||
"shared_link_expires_days": "Istječe za {} dana",
|
||||
"shared_link_expires_hour": "Istječe za {} sat",
|
||||
"shared_link_expires_hours": "Istječe za {} sati",
|
||||
"shared_link_expires_minute": "Istječe za {} minutu",
|
||||
"shared_link_expires_minutes": "Istječe za {} minuta",
|
||||
"shared_link_expires_never": "Istječe ∞",
|
||||
"shared_link_expires_second": "Istječe za {count} sekundu",
|
||||
"shared_link_expires_seconds": "Istječe za {count} sekundi",
|
||||
"shared_link_expires_second": "Istječe za {} sekundu",
|
||||
"shared_link_expires_seconds": "Istječe za {} sekundi",
|
||||
"shared_link_individual_shared": "Pojedinačno podijeljeno",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Upravljanje dijeljenim poveznicama",
|
||||
"shared_link_options": "Opcije dijeljene poveznice",
|
||||
"shared_links": "Dijeljene poveznice",
|
||||
@@ -1700,6 +1717,7 @@
|
||||
"start": "Početak",
|
||||
"start_date": "Datum početka",
|
||||
"state": "Stanje",
|
||||
"status": "Status",
|
||||
"stop_motion_photo": "Zaustavi pokretnu fotografiju",
|
||||
"stop_photo_sharing": "Prestati dijeliti svoje fotografije?",
|
||||
"stop_photo_sharing_description": "{partner} više neće moći pristupiti vašim fotografijama.",
|
||||
@@ -1709,6 +1727,7 @@
|
||||
"storage_usage": "{used} od {available} iskorišteno",
|
||||
"submit": "Pošalji",
|
||||
"suggestions": "Prijedlozi",
|
||||
"sunrise_on_the_beach": "Sunrise on the beach",
|
||||
"support": "Podrška",
|
||||
"support_and_feedback": "Podrška i povratne informacije",
|
||||
"support_third_party_description": "Vaša Immich instalacija je pakirana od strane treće strane. Problemi koje doživljavate mogu biti uzrokovani tim paketom, stoga vas molimo da probleme prvo prijavite njima putem poveznica u nastavku.",
|
||||
@@ -1731,7 +1750,7 @@
|
||||
"theme_selection": "Izbor teme",
|
||||
"theme_selection_description": "Automatski postavite temu na svijetlu ili tamnu ovisno o postavkama sustava vašeg preglednika",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Prikaži indikator pohrane na pločicama stavki",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Broj stavki po retku ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Broj stavki po retku ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Primijeni primarnu boju na pozadinske površine.",
|
||||
"theme_setting_colorful_interface_title": "Šareno sučelje",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Prilagodite kvalitetu preglednika detalja slike",
|
||||
@@ -1766,11 +1785,11 @@
|
||||
"trash_no_results_message": "Ovdje će se prikazati bačene fotografije i videozapisi.",
|
||||
"trash_page_delete_all": "Izbriši sve",
|
||||
"trash_page_empty_trash_dialog_content": "Želite li isprazniti svoje stavke u smeću? Ove stavke bit će trajno uklonjene iz Immicha",
|
||||
"trash_page_info": "Stavke u smeću bit će trajno izbrisane nakon {days} dana",
|
||||
"trash_page_info": "Stavke u smeću bit će trajno izbrisane nakon {} dana",
|
||||
"trash_page_no_assets": "Nema stavki u smeću",
|
||||
"trash_page_restore_all": "Vrati sve",
|
||||
"trash_page_select_assets_btn": "Odaberi stavke",
|
||||
"trash_page_title": "Smeće ({count})",
|
||||
"trash_page_title": "Smeće ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Stavke bačene u smeće trajno će se izbrisati nakon {days, plural, one {# day} other {# days}}.",
|
||||
"type": "Vrsta",
|
||||
"unarchive": "Poništi arhiviranje",
|
||||
@@ -1808,8 +1827,9 @@
|
||||
"upload_status_errors": "Greške",
|
||||
"upload_status_uploaded": "Preneseno",
|
||||
"upload_success": "Prijenos uspješan, osvježite stranicu da biste vidjeli nove prenesene stavke.",
|
||||
"upload_to_immich": "Prenesi na Immich ({count})",
|
||||
"upload_to_immich": "Prenesi na Immich ({})",
|
||||
"uploading": "Prijenos u tijeku",
|
||||
"url": "URL",
|
||||
"usage": "Korištenje",
|
||||
"use_current_connection": "koristi trenutnu vezu",
|
||||
"use_custom_date_range": "Koristi prilagođeni raspon datuma",
|
||||
|
||||
171
i18n/hu.json
171
i18n/hu.json
@@ -39,11 +39,11 @@
|
||||
"authentication_settings_disable_all": "Biztosan letiltod az összes bejelentkezési módot? A bejelentkezés teljesen le lesz tiltva.",
|
||||
"authentication_settings_reenable": "Az újbóli engedélyezéshez használj egy<link>Szerver Parancsot</link>.",
|
||||
"background_task_job": "Háttérfeladatok",
|
||||
"backup_database": "Adatbázis lementése",
|
||||
"backup_database_enable_description": "Adatbázis mentések engedélyezése",
|
||||
"backup_keep_last_amount": "Megőrizendő korábbi mentések száma",
|
||||
"backup_settings": "Adatbázis mentés beállításai",
|
||||
"backup_settings_description": "Adatbázis mentés beállításainak kezelése. Megjegyzés: Ezek a feladatok nincsenek felügyelve, így nem kapsz értesítés meghiúsulás esetén.",
|
||||
"backup_database": "Adatbázis Biztonsági Mentése",
|
||||
"backup_database_enable_description": "Adatbázis biztonsági mentések engedélyezése",
|
||||
"backup_keep_last_amount": "Megőrizendő korábbi biztonsági mentések száma",
|
||||
"backup_settings": "Biztonsági mentés beállításai",
|
||||
"backup_settings_description": "Adatbázis mentési beállításainak kezelése",
|
||||
"check_all": "Összes Kipiálása",
|
||||
"cleanup": "Takarítás",
|
||||
"cleared_jobs": "{job}: feladatai törölve",
|
||||
@@ -53,7 +53,6 @@
|
||||
"confirm_email_below": "A megerősítéshez írd be, hogy \"{email}\"",
|
||||
"confirm_reprocess_all_faces": "Biztos vagy benne, hogy újra fel szeretnéd dolgozni az összes arcot? Ez a már elnevezett személyeket is törli.",
|
||||
"confirm_user_password_reset": "Biztosan vissza szeretnéd állítani {user} jelszavát?",
|
||||
"confirm_user_pin_code_reset": "Biztos, hogy vissza akarod állítani {user} PIN-kódját?",
|
||||
"create_job": "Feladat létrehozása",
|
||||
"cron_expression": "Cron kifejezés",
|
||||
"cron_expression_description": "A beolvasási időköz beállítása a cron formátummal. További információért lásd pl. <link>Crontab Guru</link>",
|
||||
@@ -193,7 +192,6 @@
|
||||
"oauth_auto_register": "Automatikus regisztráció",
|
||||
"oauth_auto_register_description": "Új felhasználók automatikus regisztrálása az OAuth használatával történő bejelentkezés után",
|
||||
"oauth_button_text": "Gomb szövege",
|
||||
"oauth_client_secret_description": "Kötelező, ha az OAuth szolgáltató nem támogatja a PKCE-t (Proof Key for Code Exchange)",
|
||||
"oauth_enable_description": "Bejelentkezés OAuth használatával",
|
||||
"oauth_mobile_redirect_uri": "Mobil átirányítási URI",
|
||||
"oauth_mobile_redirect_uri_override": "Mobil átirányítási URI felülírás",
|
||||
@@ -207,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "A felhasználó tárhelykvótájának automatikus beállítása ennek az igényeltre.",
|
||||
"oauth_storage_quota_default": "Alapértelmezett tárhelykvóta (GiB)",
|
||||
"oauth_storage_quota_default_description": "Alapértelmezett tárhely kvóta GiB-ban, amennyiben a felhasználó nem jelezte az igényét (A korlátlan tárhelyhez 0-t adj meg).",
|
||||
"oauth_timeout": "Kérés időkorlátja",
|
||||
"oauth_timeout_description": "Kérések időkorlátja milliszekundumban",
|
||||
"offline_paths": "Offline Útvonalak",
|
||||
"offline_paths_description": "Ezek az eredmények olyan fájlok kézi törlésének tudhatók be, amelyek nem részei külső képtárnak.",
|
||||
"password_enable_description": "Bejelentkezés emaillel és jelszóval",
|
||||
@@ -364,19 +360,17 @@
|
||||
"video_conversion_job": "Videók Átkódolása",
|
||||
"video_conversion_job_description": "Videók átkódolása böngészőkkel és eszközökkel való széleskörű kompatibilitás érdekében"
|
||||
},
|
||||
"admin_email": "Admin Email",
|
||||
"admin_password": "Admin Jelszó",
|
||||
"administration": "Adminisztráció",
|
||||
"advanced": "Haladó",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Ezzel a beállítással a szinkronizálás során alternatív kritériumok alapján szűrheted a fájlokat. Csak akkor próbáld ki, ha problémáid vannak azzal, hogy az alkalmazás nem ismeri fel az összes albumot.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[KÍSÉRLETI] Alternatív eszköz album szinkronizálási szűrő használata",
|
||||
"advanced_settings_log_level_title": "Naplózás szintje: {level}",
|
||||
"advanced_settings_log_level_title": "Naplózás szintje: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Néhány eszköz fájdalmasan lassan tölti be az eszközön lévő bélyegképeket. Ez a beállítás inkább a távoli képeket tölti be helyettük.",
|
||||
"advanced_settings_prefer_remote_title": "Távoli képek előnyben részesítése",
|
||||
"advanced_settings_proxy_headers_subtitle": "Add meg azokat a proxy fejléceket, amiket az app elküldjön minden hálózati kérésnél",
|
||||
"advanced_settings_proxy_headers_title": "Proxy Fejlécek",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Nem ellenőrzi a szerver SSL tanúsítványát. Önaláírt tanúsítvány esetén szükséges beállítás.",
|
||||
"advanced_settings_self_signed_ssl_title": "Önaláírt SSL tanúsítványok engedélyezése",
|
||||
"advanced_settings_sync_remote_deletions_subtitle": "Automatikusan törölni vagy visszaállítani egy elemet ezen az eszközön, ha az adott műveletet a weben hajtották végre",
|
||||
"advanced_settings_tile_subtitle": "Haladó felhasználói beállítások",
|
||||
"advanced_settings_troubleshooting_subtitle": "További funkciók engedélyezése hibaelhárítás céljából",
|
||||
"advanced_settings_troubleshooting_title": "Hibaelhárítás",
|
||||
@@ -399,9 +393,9 @@
|
||||
"album_remove_user_confirmation": "Biztos, hogy el szeretnéd távolítani {user} felhasználót?",
|
||||
"album_share_no_users": "Úgy tűnik, hogy már minden felhasználóval megosztottad ezt az albumot, vagy nincs senki, akivel meg tudnád osztani.",
|
||||
"album_thumbnail_card_item": "1 elem",
|
||||
"album_thumbnail_card_items": "{count} elem",
|
||||
"album_thumbnail_card_items": "{} elem",
|
||||
"album_thumbnail_card_shared": "· Megosztott",
|
||||
"album_thumbnail_shared_by": "Megosztotta: {user}",
|
||||
"album_thumbnail_shared_by": "Megosztotta: {}",
|
||||
"album_updated": "Album frissült",
|
||||
"album_updated_setting_description": "Küldjön email értesítőt, amikor egy megosztott albumhoz új elemeket adnak hozzá",
|
||||
"album_user_left": "Kiléptél a(z) {album} albumból",
|
||||
@@ -439,7 +433,7 @@
|
||||
"archive": "Archívum",
|
||||
"archive_or_unarchive_photo": "Fotó archiválása vagy archiválásának visszavonása",
|
||||
"archive_page_no_archived_assets": "Nem található archivált elem",
|
||||
"archive_page_title": "Archívum ({count})",
|
||||
"archive_page_title": "Archívum ({})",
|
||||
"archive_size": "Archívum mérete",
|
||||
"archive_size_description": "Beállítja letöltésnél az archívum méretét (GiB)",
|
||||
"archived": "Archivált",
|
||||
@@ -476,18 +470,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, other {# elem}} hozzáadva az albumhoz",
|
||||
"assets_added_to_name_count": "{count, plural, other {# elem}} hozzáadva {hasName, select, true {a(z) <b>{name}</b>} other {az új}} albumhoz",
|
||||
"assets_count": "{count, plural, other {# elem}}",
|
||||
"assets_deleted_permanently": "{count} elem véglegesen törölve",
|
||||
"assets_deleted_permanently_from_server": "{count} elem véglegesen törölve az Immich szerverről",
|
||||
"assets_deleted_permanently": "{} elem véglegesen törölve",
|
||||
"assets_deleted_permanently_from_server": "{} elem véglegesen törölve az Immich szerverről",
|
||||
"assets_moved_to_trash_count": "{count, plural, other {# elem}} áthelyezve a lomtárba",
|
||||
"assets_permanently_deleted_count": "{count, plural, other {# elem}} véglegesen törölve",
|
||||
"assets_removed_count": "{count, plural, other {# elem}} eltávolítva",
|
||||
"assets_removed_permanently_from_device": "{count} elem véglegesen törölve az eszközödről",
|
||||
"assets_removed_permanently_from_device": "{} elem véglegesen törölve az eszközödről",
|
||||
"assets_restore_confirmation": "Biztos, hogy visszaállítod a lomtárban lévő összes elemet? Ez a művelet nem visszavonható! Megjegyzés: az offline elemeket nem lehet így visszaállítani.",
|
||||
"assets_restored_count": "{count, plural, other {# elem}} visszaállítva",
|
||||
"assets_restored_successfully": "{count} elem sikeresen helyreállítva",
|
||||
"assets_trashed": "{count} elem lomtárba helyezve",
|
||||
"assets_restored_successfully": "{} elem sikeresen helyreállítva",
|
||||
"assets_trashed": "{} elem lomtárba helyezve",
|
||||
"assets_trashed_count": "{count, plural, other {# elem}} a lomtárba helyezve",
|
||||
"assets_trashed_from_server": "{count} elem lomtárba helyezve az Immich szerveren",
|
||||
"assets_trashed_from_server": "{} elem lomtárba helyezve az Immich szerveren",
|
||||
"assets_were_part_of_album_count": "{count, plural, other {# elem}} már eleve szerepelt az albumban",
|
||||
"authorized_devices": "Engedélyezett Eszközök",
|
||||
"automatic_endpoint_switching_subtitle": "A megadott WiFi-n keresztül helyi hálózaton keresztül kapcsolódolik, egyébként az alternatív címeket használja",
|
||||
@@ -496,7 +490,7 @@
|
||||
"back_close_deselect": "Vissza, bezárás, vagy kijelölés törlése",
|
||||
"background_location_permission": "Háttérben történő helymeghatározási engedély",
|
||||
"background_location_permission_content": "Hálózatok automatikus váltásához az Immich-nek *mindenképpen* hozzá kell férnie a pontos helyzethez, hogy az alkalmazás le tudja kérni a Wi-Fi hálózat nevét",
|
||||
"backup_album_selection_page_albums_device": "Ezen az eszközön lévő albumok ({count})",
|
||||
"backup_album_selection_page_albums_device": "Ezen az eszközön lévő albumok ({})",
|
||||
"backup_album_selection_page_albums_tap": "Koppints a hozzáadáshoz, duplán koppints az eltávolításhoz",
|
||||
"backup_album_selection_page_assets_scatter": "Egy elem több albumban is lehet. Ezért a mentéshez albumokat lehet hozzáadni vagy azokat a mentésből kihagyni.",
|
||||
"backup_album_selection_page_select_albums": "Válassz albumokat",
|
||||
@@ -505,21 +499,22 @@
|
||||
"backup_all": "Összes",
|
||||
"backup_background_service_backup_failed_message": "Az elemek mentése sikertelen. Újrapróbálkozás...",
|
||||
"backup_background_service_connection_failed_message": "A szerverhez csatlakozás sikertelen. Újrapróbálkozás...",
|
||||
"backup_background_service_current_upload_notification": "Feltöltés {filename}",
|
||||
"backup_background_service_current_upload_notification": "Feltöltés {}",
|
||||
"backup_background_service_default_notification": "Új elemek ellenőrzése...",
|
||||
"backup_background_service_error_title": "Hiba a mentés közben",
|
||||
"backup_background_service_in_progress_notification": "Elemek mentése folyamatban…",
|
||||
"backup_background_service_upload_failure_notification": "A feltöltés sikertelen {filename}",
|
||||
"backup_background_service_upload_failure_notification": "A feltöltés sikertelen {}",
|
||||
"backup_controller_page_albums": "Albumok Mentése",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Engedélyezd a háttérben történő frissítést a Beállítások > Általános > Háttérben Frissítés menüpontban.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Háttérben frissítés kikapcsolva",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Beállítások megnyitása",
|
||||
"backup_controller_page_background_battery_info_link": "Mutasd meg hogyan",
|
||||
"backup_controller_page_background_battery_info_message": "A sikeres háttérben történő mentéshez kérjük, tiltsd le az Immich akkumulátor optimalizálását.\n\nMivel ezt a különféle eszközökön máshogy kell, ezért kérjük, az eszközöd gyártójától tudd meg, hogyan kell.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Akkumulátor optimalizálás",
|
||||
"backup_controller_page_background_charging": "Csak töltés közben",
|
||||
"backup_controller_page_background_configure_error": "A háttérszolgáltatás beállítása sikertelen",
|
||||
"backup_controller_page_background_delay": "Új elemek mentésének késleltetése: {duration}",
|
||||
"backup_controller_page_background_delay": "Új elemek mentésének késleltetése: {}",
|
||||
"backup_controller_page_background_description": "Kapcsold be a háttérfolyamatot, hogy automatikusan mentsen elemeket az applikáció megnyitása nélkül",
|
||||
"backup_controller_page_background_is_off": "Automatikus mentés a háttérben ki van kapcsolva",
|
||||
"backup_controller_page_background_is_on": "Automatikus mentés a háttérben be van kapcsolva",
|
||||
@@ -529,12 +524,12 @@
|
||||
"backup_controller_page_backup": "Mentés",
|
||||
"backup_controller_page_backup_selected": "Kiválasztva: ",
|
||||
"backup_controller_page_backup_sub": "Mentett fotók és videók",
|
||||
"backup_controller_page_created": "Létrehozva: {date}",
|
||||
"backup_controller_page_created": "Létrehozva: {}",
|
||||
"backup_controller_page_desc_backup": "Ha bekapcsolod az előtérben mentést, akkor az új elemek automatikusan feltöltődnek a szerverre, amikor megyitod az alkalmazást.",
|
||||
"backup_controller_page_excluded": "Kivéve: ",
|
||||
"backup_controller_page_failed": "Sikertelen ({count})",
|
||||
"backup_controller_page_filename": "Fájlnév: {filename}[{size}]",
|
||||
"backup_controller_page_id": "Azonosító: {id}",
|
||||
"backup_controller_page_failed": "Sikertelen ({})",
|
||||
"backup_controller_page_filename": "Fájlnév: {}[{}]",
|
||||
"backup_controller_page_id": "Azonosító: {}",
|
||||
"backup_controller_page_info": "Mentési Információk",
|
||||
"backup_controller_page_none_selected": "Egy sincs kiválasztva",
|
||||
"backup_controller_page_remainder": "Hátralévő",
|
||||
@@ -543,7 +538,7 @@
|
||||
"backup_controller_page_start_backup": "Mentés Indítása",
|
||||
"backup_controller_page_status_off": "Automatikus mentés az előtérben ki van kapcsolva",
|
||||
"backup_controller_page_status_on": "Automatikus mentés az előtérben be van kapcsolva",
|
||||
"backup_controller_page_storage_format": "{used} / {total} felhasználva",
|
||||
"backup_controller_page_storage_format": "{} / {} felhasználva",
|
||||
"backup_controller_page_to_backup": "Mentésre kijelölt albumok",
|
||||
"backup_controller_page_total_sub": "Minden egyedi fotó és videó a kijelölt albumokból",
|
||||
"backup_controller_page_turn_off": "Előtérben mentés kikapcsolása",
|
||||
@@ -562,26 +557,27 @@
|
||||
"birthdate_set_description": "A születés napját a rendszer arra használja, hogy kiírja, hogy a fénykép készítésekor a személy hány éves volt.",
|
||||
"blurred_background": "Homályos háttér",
|
||||
"bugs_and_feature_requests": "Hibabejelentés és Új Funkció Kérése",
|
||||
"build": "Build",
|
||||
"build_image": "Build Kép",
|
||||
"bulk_delete_duplicates_confirmation": "Biztosan kitörölsz {count, plural, one {# duplikált elemet} other {# duplikált elemet}}? A művelet a legnagyobb méretű elemet tartja meg minden hasonló csoportból és minden másik duplikált elemet kitöröl. Ez a művelet nem visszavonható!",
|
||||
"bulk_keep_duplicates_confirmation": "Biztosan meg szeretnél tartani {count, plural, other {# egyező elemet}}? Ez a művelet az elemek törlése nélkül megszünteti az összes duplikált csoportosítást.",
|
||||
"bulk_trash_duplicates_confirmation": "Biztosan kitörölsz {count, plural, one {# duplikált fájlt} other {# duplikált fájlt}}? Ez a művelet megtartja minden csoportból a legnagyobb méretű elemet, és kitöröl minden másik duplikáltat.",
|
||||
"buy": "Immich Megvásárlása",
|
||||
"cache_settings_album_thumbnails": "Képtár oldalankénti bélyegképei ({count} elem)",
|
||||
"cache_settings_album_thumbnails": "Képtár oldalankénti bélyegképei ({} elem)",
|
||||
"cache_settings_clear_cache_button": "Gyorsítótár kiürítése",
|
||||
"cache_settings_clear_cache_button_title": "Kiüríti az alkalmazás gyorsítótárát. Ez jelentősen kihat az alkalmazás teljesítményére, amíg a gyorsítótár újra nem épül.",
|
||||
"cache_settings_duplicated_assets_clear_button": "KIÜRÍT",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotók és videók, amiket az alkalmazás fekete listára tett",
|
||||
"cache_settings_duplicated_assets_title": "Duplikált Elemek ({count})",
|
||||
"cache_settings_image_cache_size": "Kép gyorsítótár mérete ({count} elem)",
|
||||
"cache_settings_duplicated_assets_title": "Duplikált Elemek ({})",
|
||||
"cache_settings_image_cache_size": "Kép gyorsítótár mérete ({} elem)",
|
||||
"cache_settings_statistics_album": "Képtár bélyegképei",
|
||||
"cache_settings_statistics_assets": "{count} elem ({size})",
|
||||
"cache_settings_statistics_assets": "{} elem ({})",
|
||||
"cache_settings_statistics_full": "Teljes méretű képek",
|
||||
"cache_settings_statistics_shared": "Megosztott album bélyegképei",
|
||||
"cache_settings_statistics_thumbnail": "Bélyegképek",
|
||||
"cache_settings_statistics_title": "Gyorsítótár használata",
|
||||
"cache_settings_subtitle": "Az Immich mobilalkalmazás gyorsítótár viselkedésének beállítása",
|
||||
"cache_settings_thumbnail_size": "Bélyegkép gyorsítótár mérete ({count} elem)",
|
||||
"cache_settings_thumbnail_size": "Bélyegkép gyorsítótár mérete ({} elem)",
|
||||
"cache_settings_tile_subtitle": "Helyi tárhely viselkedésének beállítása",
|
||||
"cache_settings_tile_title": "Helyi Tárhely",
|
||||
"cache_settings_title": "Gyorsítótár Beállítások",
|
||||
@@ -607,7 +603,6 @@
|
||||
"change_password_form_new_password": "Új Jelszó",
|
||||
"change_password_form_password_mismatch": "A beírt jelszavak nem egyeznek",
|
||||
"change_password_form_reenter_new_password": "Jelszó (Még Egyszer)",
|
||||
"change_pin_code": "PIN kód megváltoztatása",
|
||||
"change_your_password": "Jelszavad megváltoztatása",
|
||||
"changed_visibility_successfully": "Láthatóság sikeresen megváltoztatva",
|
||||
"check_all": "Mind Kijelöl",
|
||||
@@ -622,6 +617,7 @@
|
||||
"clear_all_recent_searches": "Legutóbbi keresések törlése",
|
||||
"clear_message": "Üzenet törlése",
|
||||
"clear_value": "Érték törlése",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Jelszó Megadása",
|
||||
"client_cert_import": "Importálás",
|
||||
"client_cert_import_success_msg": "Kliens tanúsítvány importálva",
|
||||
@@ -647,17 +643,17 @@
|
||||
"confirm_delete_face": "Biztos, hogy törölni szeretnéd a(z) {name} arcát az elemről?",
|
||||
"confirm_delete_shared_link": "Biztosan törölni szeretnéd ezt a megosztott linket?",
|
||||
"confirm_keep_this_delete_others": "Minden más elem a készletben törlésre kerül, kivéve ezt az elemet. Biztosan folytatni szeretnéd?",
|
||||
"confirm_new_pin_code": "Új PIN kód megerősítése",
|
||||
"confirm_password": "Jelszó megerősítése",
|
||||
"contain": "Belül",
|
||||
"context": "Kontextus",
|
||||
"continue": "Folytatás",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} elemek · Megosztva",
|
||||
"control_bottom_app_bar_album_info_shared": "{} elemek · Megosztva",
|
||||
"control_bottom_app_bar_create_new_album": "Új album létrehozása",
|
||||
"control_bottom_app_bar_delete_from_immich": "Törlés az Immich-ből",
|
||||
"control_bottom_app_bar_delete_from_local": "Törlés az eszközről",
|
||||
"control_bottom_app_bar_edit_location": "Hely Módosítása",
|
||||
"control_bottom_app_bar_edit_time": "Dátum és Idő Módosítása",
|
||||
"control_bottom_app_bar_share_link": "Share Link",
|
||||
"control_bottom_app_bar_share_to": "Megosztás Ide",
|
||||
"control_bottom_app_bar_trash_from_immich": "Lomtárba Helyez",
|
||||
"copied_image_to_clipboard": "Kép a vágólapra másolva.",
|
||||
@@ -692,7 +688,6 @@
|
||||
"crop": "Kivágás",
|
||||
"curated_object_page_title": "Dolgok",
|
||||
"current_device": "Ez az eszköz",
|
||||
"current_pin_code": "Aktuális PIN kód",
|
||||
"current_server_address": "Jelenlegi szerver cím",
|
||||
"custom_locale": "Egyéni Területi Beállítás",
|
||||
"custom_locale_description": "Dátumok és számok formázása a nyelv és terület szerint",
|
||||
@@ -744,6 +739,7 @@
|
||||
"direction": "Irány",
|
||||
"disabled": "Letiltott",
|
||||
"disallow_edits": "Módosítások letiltása",
|
||||
"discord": "Discord",
|
||||
"discover": "Felfedez",
|
||||
"dismiss_all_errors": "Minden hiba elvetése",
|
||||
"dismiss_error": "Hiba elvetése",
|
||||
@@ -760,7 +756,7 @@
|
||||
"download_enqueue": "Letöltés sorba állítva",
|
||||
"download_error": "Letöltési Hiba",
|
||||
"download_failed": "Sikertelen letöltés",
|
||||
"download_filename": "fájl: {filename}",
|
||||
"download_filename": "fájl: {}",
|
||||
"download_finished": "Letöltés kész",
|
||||
"download_include_embedded_motion_videos": "Beágyazott videók",
|
||||
"download_include_embedded_motion_videos_description": "Mozgó képekbe beágyazott videók mutatása külön fájlként",
|
||||
@@ -803,6 +799,8 @@
|
||||
"editor_close_without_save_title": "Szerkesztő bezárása?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Oldalarányok",
|
||||
"editor_crop_tool_h2_rotation": "Forgatás",
|
||||
"email": "Email",
|
||||
"empty_folder": "This folder is empty",
|
||||
"empty_trash": "Lomtár ürítése",
|
||||
"empty_trash_confirmation": "Biztosan kiüríted a lomtárat? Ez az Immich lomtárában lévő összes elemet véglegesen törli.\nEz a művelet nem visszavonható!",
|
||||
"enable": "Engedélyezés",
|
||||
@@ -814,7 +812,7 @@
|
||||
"error_change_sort_album": "Album sorbarendezésének megváltoztatása sikertelen",
|
||||
"error_delete_face": "Hiba az arc törlése során",
|
||||
"error_loading_image": "Hiba a kép betöltése közben",
|
||||
"error_saving_image": "Hiba: {error}",
|
||||
"error_saving_image": "Hiba: {}",
|
||||
"error_title": "Hiba - valami félresikerült",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Nem lehet a következő elemhez navigálni",
|
||||
@@ -942,11 +940,16 @@
|
||||
"unable_to_update_user": "Felhasználó módosítása sikertelen",
|
||||
"unable_to_upload_file": "Fájlfeltöltés sikertelen"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Leírás Hozzáadása...",
|
||||
"exif_bottom_sheet_details": "RÉSZLETEK",
|
||||
"exif_bottom_sheet_location": "HELY",
|
||||
"exif_bottom_sheet_people": "EMBEREK",
|
||||
"exif_bottom_sheet_person_add_person": "Elnevez",
|
||||
"exif_bottom_sheet_person_age": "Age {}",
|
||||
"exif_bottom_sheet_person_age_months": "Age {} months",
|
||||
"exif_bottom_sheet_person_age_year_months": "Age 1 year, {} months",
|
||||
"exif_bottom_sheet_person_age_years": "Age {}",
|
||||
"exit_slideshow": "Kilépés a Diavetítésből",
|
||||
"expand_all": "Összes kinyitása",
|
||||
"experimental_settings_new_asset_list_subtitle": "Fejlesztés alatt",
|
||||
@@ -968,6 +971,7 @@
|
||||
"face_unassigned": "Nincs hozzárendelve",
|
||||
"failed": "Sikertelen",
|
||||
"failed_to_load_assets": "Nem sikerült betölteni az elemeket",
|
||||
"failed_to_load_folder": "Failed to load folder",
|
||||
"favorite": "Kedvenc",
|
||||
"favorite_or_unfavorite_photo": "Fotó kedvencnek jelölése vagy annak visszavonása",
|
||||
"favorites": "Kedvencek",
|
||||
@@ -983,6 +987,8 @@
|
||||
"filter_people": "Személyek szűrése",
|
||||
"find_them_fast": "Név alapján kereséssel gyorsan megtalálhatóak",
|
||||
"fix_incorrect_match": "Hibás találat javítása",
|
||||
"folder": "Folder",
|
||||
"folder_not_found": "Folder not found",
|
||||
"folders": "Mappák",
|
||||
"folders_feature_description": "A fájlrendszerben lévő fényképek és videók mappanézetben való böngészése",
|
||||
"forward": "Előre",
|
||||
@@ -1157,8 +1163,8 @@
|
||||
"manage_your_devices": "Bejelentkezett eszközök kezelése",
|
||||
"manage_your_oauth_connection": "OAuth kapcsolódás kezelése",
|
||||
"map": "Térkép",
|
||||
"map_assets_in_bound": "{count} fotó",
|
||||
"map_assets_in_bounds": "{count} fotó",
|
||||
"map_assets_in_bound": "{} fotó",
|
||||
"map_assets_in_bounds": "{} fotó",
|
||||
"map_cannot_get_user_location": "A helymeghatározás nem sikerült",
|
||||
"map_location_dialog_yes": "Igen",
|
||||
"map_location_picker_page_use_location": "Kiválasztott hely használata",
|
||||
@@ -1172,9 +1178,9 @@
|
||||
"map_settings": "Térkép beállítások",
|
||||
"map_settings_dark_mode": "Sötét téma",
|
||||
"map_settings_date_range_option_day": "Elmúlt 24 óra",
|
||||
"map_settings_date_range_option_days": "Elmúlt {days} nap",
|
||||
"map_settings_date_range_option_days": "Elmúlt {} nap",
|
||||
"map_settings_date_range_option_year": "Elmúlt év",
|
||||
"map_settings_date_range_option_years": "Elmúlt {years} év",
|
||||
"map_settings_date_range_option_years": "Elmúlt {} év",
|
||||
"map_settings_dialog_title": "Térkép Beállítások",
|
||||
"map_settings_include_show_archived": "Archívokkal Együtt",
|
||||
"map_settings_include_show_partners": "Partnerével Együtt",
|
||||
@@ -1189,6 +1195,8 @@
|
||||
"memories_setting_description": "Állítsd be, hogy mik jelenjenek meg az emlékeid közt",
|
||||
"memories_start_over": "Újrakezdés",
|
||||
"memories_swipe_to_close": "Bezáráshoz söpörd ki felfelé",
|
||||
"memories_year_ago": "Egy éve",
|
||||
"memories_years_ago": "{} éve",
|
||||
"memory": "Emlék",
|
||||
"memory_lane_title": "Emlékek {title}",
|
||||
"menu": "Menü",
|
||||
@@ -1219,7 +1227,6 @@
|
||||
"new_api_key": "Új API Kulcs",
|
||||
"new_password": "Új jelszó",
|
||||
"new_person": "Új személy",
|
||||
"new_pin_code": "Új PIN kód",
|
||||
"new_user_created": "Új felhasználó létrehozva",
|
||||
"new_version_available": "ÚJ VERZIÓ ÉRHETŐ EL",
|
||||
"newest_first": "Legújabb először",
|
||||
@@ -1253,7 +1260,9 @@
|
||||
"notification_toggle_setting_description": "Email értesítések engedélyezése",
|
||||
"notifications": "Értesítések",
|
||||
"notifications_setting_description": "Értesítések kezelése",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Hivatalos Immich Források",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Offline útvonalak",
|
||||
"offline_paths_description": "Ezek az eredmények annak lehetnek köszönhetők, hogy manuálisan törölték azokat a fájlokat, amik nem részei egy külső képtárnak.",
|
||||
"ok": "Rendben",
|
||||
@@ -1264,6 +1273,7 @@
|
||||
"onboarding_theme_description": "Válassz egy színtémát. Ezt bármikor megváltoztathatod a beállításokban.",
|
||||
"onboarding_welcome_description": "Állítsunk be néhány gyakori beállítást.",
|
||||
"onboarding_welcome_user": "Üdvözöllek {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Csak kedvencek",
|
||||
"open_in_map_view": "Megnyitás térkép nézetben",
|
||||
"open_in_openstreetmap": "Megnyitás OpenStreetMap-ben",
|
||||
@@ -1277,6 +1287,7 @@
|
||||
"other_variables": "Egyéb változók",
|
||||
"owned": "Tulajdonos",
|
||||
"owner": "Tulajdonos",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} hozzáférhet",
|
||||
"partner_can_access_assets": "Minden fényképed és videód, kivéve az Archiváltak és a Töröltek",
|
||||
"partner_can_access_location": "A helyszín, ahol a fotókat készítették",
|
||||
@@ -1287,7 +1298,7 @@
|
||||
"partner_page_partner_add_failed": "Partner hozzáadása sikertelen",
|
||||
"partner_page_select_partner": "Partner kiválasztása",
|
||||
"partner_page_shared_to_title": "Megosztva: ",
|
||||
"partner_page_stop_sharing_content": "{partner} nem fog többé hozzáférni a fotóidhoz.",
|
||||
"partner_page_stop_sharing_content": "{} nem fog többé hozzáférni a fotóidhoz.",
|
||||
"partner_sharing": "Partner Megosztás",
|
||||
"partners": "Partnerek",
|
||||
"password": "Jelszó",
|
||||
@@ -1333,9 +1344,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Fotó} other {{count, number} Fotó}}",
|
||||
"photos_from_previous_years": "Fényképek az előző évekből",
|
||||
"pick_a_location": "Hely választása",
|
||||
"pin_code_changed_successfully": "Sikeres PIN kód változtatás",
|
||||
"pin_code_reset_successfully": "Sikeres PIN kód visszaállítás",
|
||||
"pin_code_setup_successfully": "Sikeres PIN kód beállítás",
|
||||
"place": "Hely",
|
||||
"places": "Helyek",
|
||||
"places_count": "{count, plural, one {{count, number} Helyszín} other {{count, number} Helyszín}}",
|
||||
@@ -1343,6 +1351,7 @@
|
||||
"play_memories": "Emlékek lejátszása",
|
||||
"play_motion_photo": "Mozgókép lejátszása",
|
||||
"play_or_pause_video": "Videó elindítása vagy megállítása",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Alkalmazásbeállítások kezelése",
|
||||
"preferences_settings_title": "Beállítások",
|
||||
"preset": "Sablon",
|
||||
@@ -1356,6 +1365,7 @@
|
||||
"profile_drawer_client_out_of_date_major": "A mobilalkalmazás elavult. Kérjük, frissítsd a legfrisebb főverzióra.",
|
||||
"profile_drawer_client_out_of_date_minor": "A mobilalkalmazás elavult. Kérjük, frissítsd a legfrisebb alverzióra.",
|
||||
"profile_drawer_client_server_up_to_date": "A Kliens és a Szerver is naprakész",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "A szerver elavult. Kérjük, frissítsd a legfrisebb főverzióra.",
|
||||
"profile_drawer_server_out_of_date_minor": "A szerver elavult. Kérjük, frissítsd a legfrisebb alverzióra.",
|
||||
"profile_image_of_user": "{user} profilképe",
|
||||
@@ -1364,7 +1374,7 @@
|
||||
"public_share": "Nyilvános Megosztás",
|
||||
"purchase_account_info": "Támogató",
|
||||
"purchase_activated_subtitle": "Köszönjük, hogy támogattad az Immich-et és a nyílt forráskódú szoftvereket",
|
||||
"purchase_activated_time": "Aktiválva ekkor: {date}",
|
||||
"purchase_activated_time": "Aktiválva ekkor: {date, date}",
|
||||
"purchase_activated_title": "Kulcs sikeresen aktiválva",
|
||||
"purchase_button_activate": "Aktiválás",
|
||||
"purchase_button_buy": "Vásárlás",
|
||||
@@ -1451,7 +1461,6 @@
|
||||
"reset": "Visszaállítás",
|
||||
"reset_password": "Jelszó visszaállítása",
|
||||
"reset_people_visibility": "Személyek láthatóságának visszaállítása",
|
||||
"reset_pin_code": "PIN kód visszaállítása",
|
||||
"reset_to_default": "Visszaállítás alapállapotba",
|
||||
"resolve_duplicates": "Duplikátumok feloldása",
|
||||
"resolved_all_duplicates": "Minden duplikátum feloldása",
|
||||
@@ -1574,12 +1583,12 @@
|
||||
"setting_languages_apply": "Alkalmaz",
|
||||
"setting_languages_subtitle": "Az alkalmazás nyelvének megváltoztatása",
|
||||
"setting_languages_title": "Nyelvek",
|
||||
"setting_notifications_notify_failures_grace_period": "Értesítés a háttérben történő mentés hibáiról: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} óra",
|
||||
"setting_notifications_notify_failures_grace_period": "Értesítés a háttérben történő mentés hibáiról: {}",
|
||||
"setting_notifications_notify_hours": "{} óra",
|
||||
"setting_notifications_notify_immediately": "azonnal",
|
||||
"setting_notifications_notify_minutes": "{count} perc",
|
||||
"setting_notifications_notify_minutes": "{} perc",
|
||||
"setting_notifications_notify_never": "soha",
|
||||
"setting_notifications_notify_seconds": "{count} másodperc",
|
||||
"setting_notifications_notify_seconds": "{} másodperc",
|
||||
"setting_notifications_single_progress_subtitle": "Részletes feltöltési folyamat információ minden elemről",
|
||||
"setting_notifications_single_progress_title": "Mutassa a háttérben történő mentés részletes folyamatát",
|
||||
"setting_notifications_subtitle": "Értesítési beállítások módosítása",
|
||||
@@ -1591,10 +1600,9 @@
|
||||
"settings": "Beállítások",
|
||||
"settings_require_restart": "Ennek a beállításnak az érvénybe lépéséhez indítsd újra az Immich-et",
|
||||
"settings_saved": "Beállítások elmentve",
|
||||
"setup_pin_code": "PIN kód beállítása",
|
||||
"share": "Megosztás",
|
||||
"share_add_photos": "Fotók hozzáadása",
|
||||
"share_assets_selected": "{count} kiválasztva",
|
||||
"share_assets_selected": "{} kiválasztva",
|
||||
"share_dialog_preparing": "Előkészítés...",
|
||||
"shared": "Megosztva",
|
||||
"shared_album_activities_input_disable": "Hozzászólások kikapcsolva",
|
||||
@@ -1608,33 +1616,34 @@
|
||||
"shared_by_user": "{user} osztotta meg",
|
||||
"shared_by_you": "Te osztottad meg",
|
||||
"shared_from_partner": "{partner} fényképei",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Feltöltve",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Feltöltve",
|
||||
"shared_link_app_bar_title": "Megosztott Linkek",
|
||||
"shared_link_clipboard_copied_massage": "Vágólapra másolva",
|
||||
"shared_link_clipboard_text": "Link: {link}\nJelszó: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nJelszó: {}",
|
||||
"shared_link_create_error": "Hiba a megosztott link létrehozásakor",
|
||||
"shared_link_edit_description_hint": "Add meg a megosztás leírását",
|
||||
"shared_link_edit_expire_after_option_day": "1 nap",
|
||||
"shared_link_edit_expire_after_option_days": "{count} nap",
|
||||
"shared_link_edit_expire_after_option_days": "{} nap",
|
||||
"shared_link_edit_expire_after_option_hour": "1 óra",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} óra",
|
||||
"shared_link_edit_expire_after_option_hours": "{} óra",
|
||||
"shared_link_edit_expire_after_option_minute": "1 perc",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} perc",
|
||||
"shared_link_edit_expire_after_option_months": "{count} hónap",
|
||||
"shared_link_edit_expire_after_option_year": "{count} év",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} perc",
|
||||
"shared_link_edit_expire_after_option_months": "{} hónap",
|
||||
"shared_link_edit_expire_after_option_year": "{} év",
|
||||
"shared_link_edit_password_hint": "Add meg a megosztáshoz tartozó jelszót",
|
||||
"shared_link_edit_submit_button": "Link frissítése",
|
||||
"shared_link_error_server_url_fetch": "A szerver címét nem lehet betölteni",
|
||||
"shared_link_expires_day": "{count} nap múlva lejár",
|
||||
"shared_link_expires_days": "{count} nap múlva lejár",
|
||||
"shared_link_expires_hour": "{count} óra múlva lejár",
|
||||
"shared_link_expires_hours": "{count} óra múlva lejár",
|
||||
"shared_link_expires_minute": "{count} perc múlva lejár",
|
||||
"shared_link_expires_minutes": "{count} perc múlva lejár",
|
||||
"shared_link_expires_day": "{} nap múlva lejár",
|
||||
"shared_link_expires_days": "{} nap múlva lejár",
|
||||
"shared_link_expires_hour": "{} óra múlva lejár",
|
||||
"shared_link_expires_hours": "{} óra múlva lejár",
|
||||
"shared_link_expires_minute": "{} perc múlva lejár",
|
||||
"shared_link_expires_minutes": "{} perc múlva lejár",
|
||||
"shared_link_expires_never": "Nem jár le",
|
||||
"shared_link_expires_second": "{count} másodperc múlva lejár",
|
||||
"shared_link_expires_seconds": "{count} másodperc múlva lejár",
|
||||
"shared_link_expires_second": "{} másodperc múlva lejár",
|
||||
"shared_link_expires_seconds": "{} másodperc múlva lejár",
|
||||
"shared_link_individual_shared": "Egyénileg megosztva",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Megosztott linkek kezelése",
|
||||
"shared_link_options": "Megosztott link beállításai",
|
||||
"shared_links": "Megosztott linkek",
|
||||
@@ -1696,6 +1705,7 @@
|
||||
"stack_select_one_photo": "Válassz egy fő képet a csoportból",
|
||||
"stack_selected_photos": "Kiválasztott fényképek csoportosítása",
|
||||
"stacked_assets_count": "{count, plural, other {# elem}} csoportosítva",
|
||||
"stacktrace": "Stacktrace",
|
||||
"start": "Elindít",
|
||||
"start_date": "Kezdő dátum",
|
||||
"state": "Megye/Állam",
|
||||
@@ -1732,7 +1742,7 @@
|
||||
"theme_selection": "Témaválasztás",
|
||||
"theme_selection_description": "A böngésző beállításának megfelelően automatikusan használjon világos vagy sötét témát",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Tárhely ikon mutatása az elemeken",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Elemek száma soronként ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Elemek száma soronként ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Alapértelmezett szín használata a háttérben lévő felületekhez",
|
||||
"theme_setting_colorful_interface_title": "Színes felhasználói felület",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Részletes képmegjelenítő minőségének beállítása",
|
||||
@@ -1767,15 +1777,13 @@
|
||||
"trash_no_results_message": "Itt lesznek láthatóak a lomtárba tett képek és videók.",
|
||||
"trash_page_delete_all": "Mindet Töröl",
|
||||
"trash_page_empty_trash_dialog_content": "Ki szeretnéd üríteni a lomtárban lévő elemeket? Ezeket véglegesen eltávolítjuk az Immich-ből",
|
||||
"trash_page_info": "A Lomátrba helyezett elemek {days} nap után véglegesen törlődnek",
|
||||
"trash_page_info": "A Lomátrba helyezett elemek {} nap után véglegesen törlődnek",
|
||||
"trash_page_no_assets": "A Lomtár üres",
|
||||
"trash_page_restore_all": "Mindet Visszaállít",
|
||||
"trash_page_select_assets_btn": "Elemek kiválasztása",
|
||||
"trash_page_title": "Lomtár ({count})",
|
||||
"trash_page_title": "Lomtár ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "A lomtárban lévő elemek véglegesen törlésre kerülnek {days, plural, other {# nap}} múlva.",
|
||||
"type": "Típus",
|
||||
"unable_to_change_pin_code": "Sikertelen PIN kód változtatás",
|
||||
"unable_to_setup_pin_code": "Sikertelen PIN kód beállítás",
|
||||
"unarchive": "Archívumból kivesz",
|
||||
"unarchived_count": "{count, plural, other {# elem kivéve az archívumból}}",
|
||||
"unfavorite": "Kedvenc közül kivesz",
|
||||
@@ -1811,16 +1819,15 @@
|
||||
"upload_status_errors": "Hibák",
|
||||
"upload_status_uploaded": "Feltöltve",
|
||||
"upload_success": "Feltöltés sikeres, frissítsd az oldalt az újonnan feltöltött elemek megtekintéséhez.",
|
||||
"upload_to_immich": "Feltöltés Immich-be ({count})",
|
||||
"upload_to_immich": "Feltöltés Immich-be ({})",
|
||||
"uploading": "Feltöltés folyamatban",
|
||||
"url": "URL",
|
||||
"usage": "Használat",
|
||||
"use_current_connection": "Jelenlegi kapcsolat használata",
|
||||
"use_custom_date_range": "Szabadon megadott időintervallum használata",
|
||||
"user": "Felhasználó",
|
||||
"user_id": "Felhasználó azonosítója",
|
||||
"user_liked": "{user} felhasználónak {type, select, photo {ez a fénykép} video {ez a videó} asset {ez az elem} other {ez}} tetszik",
|
||||
"user_pin_code_settings": "PIN kód",
|
||||
"user_pin_code_settings_description": "PIN kód kezelése",
|
||||
"user_purchase_settings": "Megvásárlás",
|
||||
"user_purchase_settings_description": "Vásárlás kezelése",
|
||||
"user_role_set": "{user} felhasználónak {role} jogkör biztosítása",
|
||||
|
||||
856
i18n/hy.json
856
i18n/hy.json
@@ -1,74 +1,904 @@
|
||||
{
|
||||
"about": "Մասին",
|
||||
"account": "",
|
||||
"account_settings": "",
|
||||
"acknowledge": "",
|
||||
"action": "Գործողություն",
|
||||
"actions": "",
|
||||
"active": "",
|
||||
"activity": "",
|
||||
"add": "Ավելացնել",
|
||||
"add_a_description": "",
|
||||
"add_a_location": "Ավելացնել տեղ",
|
||||
"add_a_name": "Ավելացնել անուն",
|
||||
"add_a_title": "",
|
||||
"add_exclusion_pattern": "",
|
||||
"add_import_path": "",
|
||||
"add_location": "Ավելացնել տեղ",
|
||||
"add_more_users": "",
|
||||
"add_partner": "",
|
||||
"add_path": "",
|
||||
"add_photos": "Ավելացնել նկարներ",
|
||||
"add_to": "",
|
||||
"add_to_album": "",
|
||||
"add_to_shared_album": "",
|
||||
"admin": {
|
||||
"add_exclusion_pattern_description": "",
|
||||
"authentication_settings": "",
|
||||
"authentication_settings_description": "",
|
||||
"background_task_job": "",
|
||||
"check_all": "",
|
||||
"config_set_by_file": "",
|
||||
"confirm_delete_library": "",
|
||||
"confirm_delete_library_assets": "",
|
||||
"confirm_email_below": "",
|
||||
"confirm_reprocess_all_faces": "",
|
||||
"confirm_user_password_reset": "",
|
||||
"disable_login": "",
|
||||
"duplicate_detection_job_description": "",
|
||||
"exclusion_pattern_description": "",
|
||||
"external_library_created_at": "",
|
||||
"external_library_management": "",
|
||||
"face_detection": "",
|
||||
"face_detection_description": "",
|
||||
"facial_recognition_job_description": "",
|
||||
"force_delete_user_warning": "",
|
||||
"forcing_refresh_library_files": "",
|
||||
"image_format_description": "",
|
||||
"image_prefer_embedded_preview": "",
|
||||
"image_prefer_embedded_preview_setting_description": "",
|
||||
"image_prefer_wide_gamut": "",
|
||||
"image_prefer_wide_gamut_setting_description": "",
|
||||
"image_quality": "",
|
||||
"image_settings": "",
|
||||
"image_settings_description": "",
|
||||
"job_concurrency": "",
|
||||
"job_not_concurrency_safe": "",
|
||||
"job_settings": "",
|
||||
"job_settings_description": "",
|
||||
"job_status": "",
|
||||
"jobs_delayed": "",
|
||||
"jobs_failed": "",
|
||||
"library_created": "",
|
||||
"library_deleted": "",
|
||||
"library_import_path_description": "",
|
||||
"library_scanning": "",
|
||||
"library_scanning_description": "",
|
||||
"library_scanning_enable_description": "",
|
||||
"library_settings": "",
|
||||
"library_settings_description": "",
|
||||
"library_tasks_description": "",
|
||||
"library_watching_enable_description": "",
|
||||
"library_watching_settings": "",
|
||||
"library_watching_settings_description": "",
|
||||
"logging_enable_description": "",
|
||||
"logging_level_description": "",
|
||||
"logging_settings": "",
|
||||
"machine_learning_clip_model": "",
|
||||
"machine_learning_duplicate_detection": "",
|
||||
"machine_learning_duplicate_detection_enabled_description": "",
|
||||
"machine_learning_duplicate_detection_setting_description": "",
|
||||
"machine_learning_enabled_description": "",
|
||||
"machine_learning_facial_recognition": "",
|
||||
"machine_learning_facial_recognition_description": "",
|
||||
"machine_learning_facial_recognition_model": "",
|
||||
"machine_learning_facial_recognition_model_description": "",
|
||||
"machine_learning_facial_recognition_setting_description": "",
|
||||
"machine_learning_max_detection_distance": "",
|
||||
"machine_learning_max_detection_distance_description": "",
|
||||
"machine_learning_max_recognition_distance": "",
|
||||
"machine_learning_max_recognition_distance_description": "",
|
||||
"machine_learning_min_detection_score": "",
|
||||
"machine_learning_min_detection_score_description": "",
|
||||
"machine_learning_min_recognized_faces": "",
|
||||
"machine_learning_min_recognized_faces_description": "",
|
||||
"machine_learning_settings": "",
|
||||
"machine_learning_settings_description": "",
|
||||
"machine_learning_smart_search": "",
|
||||
"machine_learning_smart_search_description": "",
|
||||
"machine_learning_smart_search_enabled_description": "",
|
||||
"machine_learning_url_description": "",
|
||||
"manage_concurrency": "",
|
||||
"manage_log_settings": "",
|
||||
"map_dark_style": "",
|
||||
"map_enable_description": "",
|
||||
"map_light_style": "",
|
||||
"map_reverse_geocoding": "",
|
||||
"map_reverse_geocoding_enable_description": "",
|
||||
"map_reverse_geocoding_settings": "",
|
||||
"map_settings": "",
|
||||
"map_settings_description": "",
|
||||
"map_style_description": "",
|
||||
"metadata_extraction_job": "",
|
||||
"metadata_extraction_job_description": "",
|
||||
"migration_job": "",
|
||||
"migration_job_description": "",
|
||||
"no_paths_added": "",
|
||||
"no_pattern_added": "",
|
||||
"note_apply_storage_label_previous_assets": "",
|
||||
"note_cannot_be_changed_later": "",
|
||||
"notification_email_from_address": "",
|
||||
"notification_email_from_address_description": "",
|
||||
"notification_email_host_description": "",
|
||||
"notification_email_ignore_certificate_errors": "",
|
||||
"notification_email_ignore_certificate_errors_description": "",
|
||||
"notification_email_password_description": "",
|
||||
"notification_email_port_description": "",
|
||||
"notification_email_sent_test_email_button": "",
|
||||
"notification_email_setting_description": "",
|
||||
"notification_email_test_email_failed": "",
|
||||
"notification_email_test_email_sent": "",
|
||||
"notification_email_username_description": "",
|
||||
"notification_enable_email_notifications": "",
|
||||
"notification_settings": "",
|
||||
"notification_settings_description": "",
|
||||
"oauth_auto_launch": "",
|
||||
"oauth_auto_launch_description": "",
|
||||
"oauth_auto_register": "",
|
||||
"oauth_auto_register_description": "",
|
||||
"oauth_button_text": "",
|
||||
"oauth_enable_description": "",
|
||||
"oauth_mobile_redirect_uri": "",
|
||||
"oauth_mobile_redirect_uri_override": "",
|
||||
"oauth_mobile_redirect_uri_override_description": "",
|
||||
"oauth_settings": "",
|
||||
"oauth_settings_description": "",
|
||||
"oauth_storage_label_claim": "",
|
||||
"oauth_storage_label_claim_description": "",
|
||||
"oauth_storage_quota_claim": "",
|
||||
"oauth_storage_quota_claim_description": "",
|
||||
"oauth_storage_quota_default": "",
|
||||
"oauth_storage_quota_default_description": "",
|
||||
"offline_paths": "",
|
||||
"offline_paths_description": "",
|
||||
"password_enable_description": "",
|
||||
"password_settings": "",
|
||||
"password_settings_description": "",
|
||||
"paths_validated_successfully": "",
|
||||
"quota_size_gib": "",
|
||||
"refreshing_all_libraries": "",
|
||||
"repair_all": "",
|
||||
"repair_matched_items": "",
|
||||
"repaired_items": "",
|
||||
"require_password_change_on_login": "",
|
||||
"reset_settings_to_default": "",
|
||||
"reset_settings_to_recent_saved": "",
|
||||
"send_welcome_email": "",
|
||||
"server_external_domain_settings": "",
|
||||
"server_external_domain_settings_description": "",
|
||||
"server_settings": "",
|
||||
"server_settings_description": "",
|
||||
"server_welcome_message": "",
|
||||
"server_welcome_message_description": "",
|
||||
"sidecar_job": "",
|
||||
"sidecar_job_description": "",
|
||||
"slideshow_duration_description": "",
|
||||
"smart_search_job_description": "",
|
||||
"storage_template_enable_description": "",
|
||||
"storage_template_hash_verification_enabled": "",
|
||||
"storage_template_hash_verification_enabled_description": "",
|
||||
"storage_template_migration": "",
|
||||
"storage_template_migration_job": "",
|
||||
"storage_template_settings": "",
|
||||
"storage_template_settings_description": "",
|
||||
"system_settings": "",
|
||||
"theme_custom_css_settings": "",
|
||||
"theme_custom_css_settings_description": "",
|
||||
"theme_settings": "",
|
||||
"theme_settings_description": "",
|
||||
"these_files_matched_by_checksum": "",
|
||||
"thumbnail_generation_job": "",
|
||||
"thumbnail_generation_job_description": "",
|
||||
"transcoding_acceleration_api": "",
|
||||
"transcoding_acceleration_api_description": "",
|
||||
"transcoding_acceleration_nvenc": "",
|
||||
"transcoding_acceleration_qsv": "",
|
||||
"transcoding_acceleration_rkmpp": "",
|
||||
"transcoding_acceleration_vaapi": "",
|
||||
"transcoding_accepted_audio_codecs": "",
|
||||
"transcoding_accepted_audio_codecs_description": "",
|
||||
"transcoding_accepted_video_codecs": "",
|
||||
"transcoding_accepted_video_codecs_description": "",
|
||||
"transcoding_advanced_options_description": "",
|
||||
"transcoding_audio_codec": "",
|
||||
"transcoding_audio_codec_description": "",
|
||||
"transcoding_bitrate_description": "",
|
||||
"transcoding_constant_quality_mode": "",
|
||||
"transcoding_constant_quality_mode_description": "",
|
||||
"transcoding_constant_rate_factor": "",
|
||||
"transcoding_constant_rate_factor_description": "",
|
||||
"transcoding_disabled_description": "",
|
||||
"transcoding_hardware_acceleration": "",
|
||||
"transcoding_hardware_acceleration_description": "",
|
||||
"transcoding_hardware_decoding": "",
|
||||
"transcoding_hardware_decoding_setting_description": "",
|
||||
"transcoding_hevc_codec": "",
|
||||
"transcoding_max_b_frames": "",
|
||||
"transcoding_max_b_frames_description": "",
|
||||
"transcoding_max_bitrate": "",
|
||||
"transcoding_max_bitrate_description": "",
|
||||
"transcoding_max_keyframe_interval": "",
|
||||
"transcoding_max_keyframe_interval_description": "",
|
||||
"transcoding_optimal_description": "",
|
||||
"transcoding_preferred_hardware_device": "",
|
||||
"transcoding_preferred_hardware_device_description": "",
|
||||
"transcoding_preset_preset": "",
|
||||
"transcoding_preset_preset_description": "",
|
||||
"transcoding_reference_frames": "",
|
||||
"transcoding_reference_frames_description": "",
|
||||
"transcoding_required_description": "",
|
||||
"transcoding_settings": "",
|
||||
"transcoding_settings_description": "",
|
||||
"transcoding_target_resolution": "",
|
||||
"transcoding_target_resolution_description": "",
|
||||
"transcoding_temporal_aq": "",
|
||||
"transcoding_temporal_aq_description": "",
|
||||
"transcoding_threads": "",
|
||||
"transcoding_threads_description": "",
|
||||
"transcoding_tone_mapping": "",
|
||||
"transcoding_tone_mapping_description": "",
|
||||
"transcoding_transcode_policy": "",
|
||||
"transcoding_transcode_policy_description": "",
|
||||
"transcoding_two_pass_encoding": "",
|
||||
"transcoding_two_pass_encoding_setting_description": "",
|
||||
"transcoding_video_codec": "",
|
||||
"transcoding_video_codec_description": "",
|
||||
"trash_enabled_description": "",
|
||||
"trash_number_of_days": "",
|
||||
"trash_number_of_days_description": "",
|
||||
"trash_settings": "",
|
||||
"trash_settings_description": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_description": "",
|
||||
"user_delete_delay_settings": "",
|
||||
"user_delete_delay_settings_description": "",
|
||||
"user_management": "",
|
||||
"user_password_has_been_reset": "",
|
||||
"user_password_reset_description": "",
|
||||
"user_settings": "",
|
||||
"user_settings_description": "",
|
||||
"user_successfully_removed": "",
|
||||
"version_check_enabled_description": "",
|
||||
"version_check_settings": "",
|
||||
"version_check_settings_description": "",
|
||||
"video_conversion_job": "",
|
||||
"video_conversion_job_description": ""
|
||||
},
|
||||
"admin_email": "",
|
||||
"admin_password": "",
|
||||
"administration": "",
|
||||
"advanced": "",
|
||||
"album_added": "",
|
||||
"album_added_notification_setting_description": "",
|
||||
"album_cover_updated": "",
|
||||
"album_info_updated": "",
|
||||
"album_name": "",
|
||||
"album_options": "",
|
||||
"album_updated": "",
|
||||
"album_updated_setting_description": "",
|
||||
"albums": "",
|
||||
"albums_count": "",
|
||||
"all": "",
|
||||
"all_people": "",
|
||||
"allow_dark_mode": "",
|
||||
"allow_edits": "",
|
||||
"api_key": "",
|
||||
"api_keys": "",
|
||||
"app_settings": "",
|
||||
"appears_in": "",
|
||||
"archive": "",
|
||||
"archive_or_unarchive_photo": "",
|
||||
"asset_offline": "",
|
||||
"assets": "",
|
||||
"authorized_devices": "",
|
||||
"back": "Հետ",
|
||||
"backup_all": "Բոլոր",
|
||||
"backup_controller_page_background_battery_info_link": "Ցույց տուր ինչպես",
|
||||
"backup_controller_page_background_battery_info_ok": "Լավ",
|
||||
"backward": "",
|
||||
"blurred_background": "",
|
||||
"camera": "",
|
||||
"camera_brand": "",
|
||||
"camera_model": "",
|
||||
"cancel": "",
|
||||
"cancel_search": "",
|
||||
"cannot_merge_people": "",
|
||||
"cannot_update_the_description": "",
|
||||
"change_date": "",
|
||||
"change_expiration_time": "",
|
||||
"change_location": "Փոխել տեղը",
|
||||
"change_name": "Փոխել անուն",
|
||||
"change_name_successfully": "",
|
||||
"change_password": "",
|
||||
"change_your_password": "",
|
||||
"changed_visibility_successfully": "",
|
||||
"check_all": "",
|
||||
"check_logs": "",
|
||||
"choose_matching_people_to_merge": "",
|
||||
"city": "Քաղաք",
|
||||
"clear": "",
|
||||
"clear_all": "",
|
||||
"clear_message": "",
|
||||
"clear_value": "",
|
||||
"client_cert_dialog_msg_confirm": "Լավ",
|
||||
"close": "",
|
||||
"collapse_all": "",
|
||||
"color": "Գույն",
|
||||
"color_theme": "",
|
||||
"comment_options": "",
|
||||
"comments_are_disabled": "",
|
||||
"confirm": "",
|
||||
"confirm_admin_password": "",
|
||||
"confirm_delete_shared_link": "",
|
||||
"confirm_password": "",
|
||||
"contain": "",
|
||||
"context": "",
|
||||
"continue": "",
|
||||
"control_bottom_app_bar_edit_location": "Փոխել Տեղը",
|
||||
"copied_image_to_clipboard": "",
|
||||
"copied_to_clipboard": "",
|
||||
"copy_error": "",
|
||||
"copy_file_path": "",
|
||||
"copy_image": "",
|
||||
"copy_link": "",
|
||||
"copy_link_to_clipboard": "",
|
||||
"copy_password": "",
|
||||
"copy_to_clipboard": "",
|
||||
"country": "Երկիր",
|
||||
"cover": "",
|
||||
"covers": "",
|
||||
"create": "",
|
||||
"create_album": "",
|
||||
"create_library": "",
|
||||
"create_link": "",
|
||||
"create_link_to_share": "",
|
||||
"create_new": "ՍՏԵՂԾԵԼ ՆՈՐ",
|
||||
"create_new_person": "Ստեղծել նոր անձ",
|
||||
"create_new_user": "",
|
||||
"create_shared_album_page_share_select_photos": "Ընտրե Նկարներ",
|
||||
"create_user": "",
|
||||
"created": "",
|
||||
"curated_object_page_title": "Բաներ",
|
||||
"current_device": "",
|
||||
"custom_locale": "",
|
||||
"custom_locale_description": "",
|
||||
"dark": "Մութ",
|
||||
"date_after": "",
|
||||
"date_and_time": "",
|
||||
"date_before": "",
|
||||
"date_range": "",
|
||||
"day": "Օր",
|
||||
"delete": "Ջնջել",
|
||||
"default_locale": "",
|
||||
"default_locale_description": "",
|
||||
"delete": "",
|
||||
"delete_album": "",
|
||||
"delete_api_key_prompt": "",
|
||||
"delete_key": "",
|
||||
"delete_library": "",
|
||||
"delete_link": "",
|
||||
"delete_shared_link": "",
|
||||
"delete_user": "",
|
||||
"deleted_shared_link": "",
|
||||
"description": "",
|
||||
"details": "",
|
||||
"direction": "",
|
||||
"disabled": "",
|
||||
"disallow_edits": "",
|
||||
"discover": "",
|
||||
"dismiss_all_errors": "",
|
||||
"dismiss_error": "",
|
||||
"display_options": "",
|
||||
"display_order": "",
|
||||
"display_original_photos": "",
|
||||
"display_original_photos_setting_description": "",
|
||||
"done": "",
|
||||
"download": "",
|
||||
"downloading": "",
|
||||
"duplicates": "",
|
||||
"duration": "",
|
||||
"edit_album": "",
|
||||
"edit_avatar": "",
|
||||
"edit_date": "",
|
||||
"edit_date_and_time": "",
|
||||
"edit_exclusion_pattern": "",
|
||||
"edit_faces": "",
|
||||
"edit_import_path": "",
|
||||
"edit_import_paths": "",
|
||||
"edit_key": "",
|
||||
"edit_link": "",
|
||||
"edit_location": "Փոխել տեղը",
|
||||
"edit_name": "",
|
||||
"edit_people": "",
|
||||
"edit_title": "",
|
||||
"edit_user": "",
|
||||
"edited": "",
|
||||
"editor": "",
|
||||
"email": "",
|
||||
"empty_trash": "",
|
||||
"enable": "",
|
||||
"enabled": "",
|
||||
"end_date": "",
|
||||
"error": "",
|
||||
"error_loading_image": "",
|
||||
"errors": {
|
||||
"cleared_jobs": "",
|
||||
"exclusion_pattern_already_exists": "",
|
||||
"failed_job_command": "",
|
||||
"import_path_already_exists": "",
|
||||
"paths_validation_failed": "",
|
||||
"quota_higher_than_disk_size": "",
|
||||
"repair_unable_to_check_items": "",
|
||||
"unable_to_add_album_users": "",
|
||||
"unable_to_add_comment": "",
|
||||
"unable_to_add_exclusion_pattern": "",
|
||||
"unable_to_add_import_path": "",
|
||||
"unable_to_add_partners": "",
|
||||
"unable_to_change_album_user_role": "",
|
||||
"unable_to_change_date": "",
|
||||
"unable_to_change_location": "",
|
||||
"unable_to_change_password": "",
|
||||
"unable_to_copy_to_clipboard": "",
|
||||
"unable_to_create_api_key": "",
|
||||
"unable_to_create_library": "",
|
||||
"unable_to_create_user": "",
|
||||
"unable_to_delete_album": "",
|
||||
"unable_to_delete_asset": "",
|
||||
"unable_to_delete_exclusion_pattern": "",
|
||||
"unable_to_delete_import_path": "",
|
||||
"unable_to_delete_shared_link": "",
|
||||
"unable_to_delete_user": "",
|
||||
"unable_to_edit_exclusion_pattern": "",
|
||||
"unable_to_edit_import_path": "",
|
||||
"unable_to_empty_trash": "",
|
||||
"unable_to_enter_fullscreen": "",
|
||||
"unable_to_exit_fullscreen": "",
|
||||
"unable_to_hide_person": "",
|
||||
"unable_to_link_oauth_account": "",
|
||||
"unable_to_load_album": "",
|
||||
"unable_to_load_asset_activity": "",
|
||||
"unable_to_load_items": "",
|
||||
"unable_to_load_liked_status": "",
|
||||
"unable_to_play_video": "",
|
||||
"unable_to_refresh_user": "",
|
||||
"unable_to_remove_album_users": "",
|
||||
"unable_to_remove_api_key": "",
|
||||
"unable_to_remove_deleted_assets": "",
|
||||
"unable_to_remove_library": "",
|
||||
"unable_to_remove_partner": "",
|
||||
"unable_to_remove_reaction": "",
|
||||
"unable_to_repair_items": "",
|
||||
"unable_to_reset_password": "",
|
||||
"unable_to_resolve_duplicate": "",
|
||||
"unable_to_restore_assets": "",
|
||||
"unable_to_restore_trash": "",
|
||||
"unable_to_restore_user": "",
|
||||
"unable_to_save_album": "",
|
||||
"unable_to_save_api_key": "",
|
||||
"unable_to_save_name": "",
|
||||
"unable_to_save_profile": "",
|
||||
"unable_to_save_settings": "",
|
||||
"unable_to_scan_libraries": "",
|
||||
"unable_to_scan_library": "",
|
||||
"unable_to_set_profile_picture": "",
|
||||
"unable_to_submit_job": "",
|
||||
"unable_to_trash_asset": "",
|
||||
"unable_to_unlink_account": "",
|
||||
"unable_to_update_library": "",
|
||||
"unable_to_update_location": "",
|
||||
"unable_to_update_settings": "",
|
||||
"unable_to_update_timeline_display_status": "",
|
||||
"unable_to_update_user": ""
|
||||
},
|
||||
"exif_bottom_sheet_person_add_person": "Ավելացնել անուն",
|
||||
"exif_bottom_sheet_person_age": "Տարիք {age}",
|
||||
"exif_bottom_sheet_person_age_years": "Տարիք {years}",
|
||||
"exif_bottom_sheet_person_age": "Տարիք {}",
|
||||
"exif_bottom_sheet_person_age_years": "Տարիք {}",
|
||||
"exit_slideshow": "",
|
||||
"expand_all": "",
|
||||
"expire_after": "",
|
||||
"expired": "",
|
||||
"explore": "",
|
||||
"export": "",
|
||||
"export_as_json": "",
|
||||
"extension": "",
|
||||
"external": "",
|
||||
"external_libraries": "",
|
||||
"favorite": "",
|
||||
"favorite_or_unfavorite_photo": "",
|
||||
"favorites": "",
|
||||
"feature_photo_updated": "",
|
||||
"file_name": "",
|
||||
"file_name_or_extension": "",
|
||||
"filename": "",
|
||||
"filetype": "",
|
||||
"filter_people": "",
|
||||
"find_them_fast": "",
|
||||
"fix_incorrect_match": "",
|
||||
"forward": "",
|
||||
"general": "",
|
||||
"get_help": "",
|
||||
"getting_started": "",
|
||||
"go_back": "",
|
||||
"go_to_search": "",
|
||||
"group_albums_by": "",
|
||||
"has_quota": "",
|
||||
"hi_user": "Բարեւ {name} ({email})",
|
||||
"map_assets_in_bound": "{count} նկար",
|
||||
"map_assets_in_bounds": "{count} նկարներ",
|
||||
"hide_gallery": "",
|
||||
"hide_password": "",
|
||||
"hide_person": "",
|
||||
"host": "",
|
||||
"hour": "",
|
||||
"image": "",
|
||||
"immich_logo": "",
|
||||
"immich_web_interface": "",
|
||||
"import_from_json": "",
|
||||
"import_path": "",
|
||||
"in_archive": "",
|
||||
"include_archived": "",
|
||||
"include_shared_albums": "",
|
||||
"include_shared_partner_assets": "",
|
||||
"individual_share": "",
|
||||
"info": "",
|
||||
"interval": {
|
||||
"day_at_onepm": "",
|
||||
"hours": "",
|
||||
"night_at_midnight": "",
|
||||
"night_at_twoam": ""
|
||||
},
|
||||
"invite_people": "",
|
||||
"invite_to_album": "",
|
||||
"jobs": "",
|
||||
"keep": "",
|
||||
"keyboard_shortcuts": "",
|
||||
"language": "",
|
||||
"language_setting_description": "",
|
||||
"last_seen": "",
|
||||
"leave": "",
|
||||
"let_others_respond": "",
|
||||
"level": "",
|
||||
"library": "",
|
||||
"library_options": "",
|
||||
"light": "",
|
||||
"link_options": "",
|
||||
"link_to_oauth": "",
|
||||
"linked_oauth_account": "",
|
||||
"list": "",
|
||||
"loading": "",
|
||||
"loading_search_results_failed": "",
|
||||
"log_out": "",
|
||||
"log_out_all_devices": "",
|
||||
"login_has_been_disabled": "",
|
||||
"look": "",
|
||||
"loop_videos": "",
|
||||
"loop_videos_description": "",
|
||||
"make": "",
|
||||
"manage_shared_links": "",
|
||||
"manage_sharing_with_partners": "",
|
||||
"manage_the_app_settings": "",
|
||||
"manage_your_account": "",
|
||||
"manage_your_api_keys": "",
|
||||
"manage_your_devices": "",
|
||||
"manage_your_oauth_connection": "",
|
||||
"map": "",
|
||||
"map_assets_in_bound": "{} նկար",
|
||||
"map_assets_in_bounds": "{} նկարներ",
|
||||
"map_marker_with_image": "",
|
||||
"map_settings": "",
|
||||
"matches": "",
|
||||
"media_type": "",
|
||||
"memories": "",
|
||||
"memories_setting_description": "",
|
||||
"menu": "",
|
||||
"merge": "",
|
||||
"merge_people": "",
|
||||
"merge_people_successfully": "",
|
||||
"minimize": "",
|
||||
"minute": "",
|
||||
"missing": "",
|
||||
"model": "",
|
||||
"month": "",
|
||||
"more": "",
|
||||
"moved_to_trash": "",
|
||||
"my_albums": "",
|
||||
"name": "",
|
||||
"name_or_nickname": "",
|
||||
"never": "",
|
||||
"new_api_key": "",
|
||||
"new_password": "",
|
||||
"new_person": "",
|
||||
"new_user_created": "",
|
||||
"newest_first": "",
|
||||
"next": "",
|
||||
"next_memory": "",
|
||||
"no": "",
|
||||
"no_albums_message": "",
|
||||
"no_archived_assets_message": "",
|
||||
"no_assets_message": "",
|
||||
"no_duplicates_found": "",
|
||||
"no_exif_info_available": "",
|
||||
"no_explore_results_message": "",
|
||||
"no_favorites_message": "",
|
||||
"no_libraries_message": "",
|
||||
"no_name": "",
|
||||
"no_places": "",
|
||||
"no_results": "",
|
||||
"no_shared_albums_message": "",
|
||||
"not_in_any_album": "",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "",
|
||||
"notes": "",
|
||||
"notification_toggle_setting_description": "",
|
||||
"notifications": "",
|
||||
"notifications_setting_description": "",
|
||||
"oauth": "",
|
||||
"offline": "",
|
||||
"offline_paths": "",
|
||||
"offline_paths_description": "",
|
||||
"ok": "",
|
||||
"oldest_first": "",
|
||||
"online": "",
|
||||
"only_favorites": "",
|
||||
"open_the_search_filters": "",
|
||||
"options": "",
|
||||
"organize_your_library": "",
|
||||
"other": "",
|
||||
"other_devices": "",
|
||||
"other_variables": "",
|
||||
"owned": "",
|
||||
"owner": "",
|
||||
"partner_can_access": "",
|
||||
"partner_can_access_assets": "",
|
||||
"partner_can_access_location": "",
|
||||
"partner_list_user_photos": "{}-ին նկարները",
|
||||
"partner_sharing": "",
|
||||
"partners": "",
|
||||
"password": "",
|
||||
"password_does_not_match": "",
|
||||
"password_required": "",
|
||||
"password_reset_success": "",
|
||||
"past_durations": {
|
||||
"days": "",
|
||||
"hours": "",
|
||||
"years": ""
|
||||
},
|
||||
"path": "",
|
||||
"pattern": "",
|
||||
"pause": "",
|
||||
"pause_memories": "",
|
||||
"paused": "",
|
||||
"pending": "",
|
||||
"people": "",
|
||||
"people_sidebar_description": "",
|
||||
"permanent_deletion_warning": "",
|
||||
"permanent_deletion_warning_setting_description": "",
|
||||
"permanently_delete": "",
|
||||
"permanently_deleted_asset": "",
|
||||
"photos": "Նկարներ",
|
||||
"photos_count": "",
|
||||
"photos_from_previous_years": "",
|
||||
"pick_a_location": "",
|
||||
"place": "",
|
||||
"places": "",
|
||||
"play": "",
|
||||
"play_memories": "",
|
||||
"play_motion_photo": "",
|
||||
"play_or_pause_video": "",
|
||||
"port": "",
|
||||
"preset": "",
|
||||
"preview": "",
|
||||
"previous": "",
|
||||
"previous_memory": "",
|
||||
"previous_or_next_photo": "",
|
||||
"primary": "",
|
||||
"profile_picture_set": "",
|
||||
"public_share": "",
|
||||
"reaction_options": "",
|
||||
"read_changelog": "",
|
||||
"recent": "",
|
||||
"recent_searches": "",
|
||||
"refresh": "",
|
||||
"refreshed": "",
|
||||
"refreshes_every_file": "",
|
||||
"remove": "",
|
||||
"remove_deleted_assets": "",
|
||||
"remove_from_album": "",
|
||||
"remove_from_favorites": "",
|
||||
"remove_from_shared_link": "",
|
||||
"removed_api_key": "",
|
||||
"rename": "",
|
||||
"repair": "",
|
||||
"repair_no_results_message": "",
|
||||
"replace_with_upload": "",
|
||||
"require_password": "",
|
||||
"require_user_to_change_password_on_first_login": "",
|
||||
"reset": "",
|
||||
"reset_password": "",
|
||||
"reset_people_visibility": "",
|
||||
"restore": "",
|
||||
"restore_all": "",
|
||||
"restore_user": "",
|
||||
"resume": "",
|
||||
"retry_upload": "",
|
||||
"review_duplicates": "",
|
||||
"role": "",
|
||||
"save": "Պահե",
|
||||
"saved_api_key": "",
|
||||
"saved_profile": "",
|
||||
"saved_settings": "",
|
||||
"say_something": "",
|
||||
"scan_all_libraries": "",
|
||||
"scan_library": "Նայե",
|
||||
"scan_settings": "",
|
||||
"search": "Փնտրե",
|
||||
"search_albums": "",
|
||||
"search_by_context": "",
|
||||
"search_camera_make": "",
|
||||
"search_camera_model": "",
|
||||
"search_city": "Որոնե քաղաք…",
|
||||
"search_country": "",
|
||||
"search_filter_date": "Ամսաթիվ",
|
||||
"search_filter_date_interval": "{start} մինչեւ {end}",
|
||||
"search_filter_location": "Տեղ",
|
||||
"search_filter_location_title": "Ընտրե տեղ",
|
||||
"search_for_existing_person": "",
|
||||
"search_no_people": "Ոչ մի անձ",
|
||||
"search_page_motion_photos": "Շարժվող Նկարներ",
|
||||
"search_people": "",
|
||||
"search_places": "",
|
||||
"search_state": "",
|
||||
"search_timezone": "",
|
||||
"search_type": "",
|
||||
"search_your_photos": "",
|
||||
"searching_locales": "",
|
||||
"second": "",
|
||||
"select_album_cover": "",
|
||||
"select_all": "",
|
||||
"select_avatar_color": "",
|
||||
"select_face": "",
|
||||
"select_featured_photo": "",
|
||||
"select_keep_all": "",
|
||||
"select_library_owner": "",
|
||||
"select_new_face": "",
|
||||
"select_photos": "Ընտրե նկարներ",
|
||||
"select_trash_all": "",
|
||||
"selected": "",
|
||||
"send_message": "",
|
||||
"send_welcome_email": "",
|
||||
"server_stats": "",
|
||||
"set": "",
|
||||
"set_as_album_cover": "",
|
||||
"set_as_profile_picture": "",
|
||||
"set_date_of_birth": "",
|
||||
"set_profile_picture": "",
|
||||
"set_slideshow_to_fullscreen": "",
|
||||
"setting_notifications_notify_never": "երբեք",
|
||||
"setting_notifications_notify_seconds": "{count} վայրկյան",
|
||||
"setting_notifications_notify_seconds": "{} վայրկյան",
|
||||
"settings": "",
|
||||
"settings_saved": "",
|
||||
"share": "",
|
||||
"share_add_photos": "Ավելացնել նկարներ",
|
||||
"shared": "",
|
||||
"shared_by": "",
|
||||
"shared_by_you": "",
|
||||
"shared_from_partner": "",
|
||||
"shared_link_edit_expire_after_option_day": "1 օր",
|
||||
"shared_link_edit_expire_after_option_days": "{count} օր",
|
||||
"shared_link_edit_expire_after_option_days": "{} օր",
|
||||
"shared_link_edit_expire_after_option_hour": "1 ժամ",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} ժամ",
|
||||
"shared_link_edit_expire_after_option_hours": "{} ժամ",
|
||||
"shared_link_edit_expire_after_option_minute": "1 րոպե",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} րոպե",
|
||||
"shared_link_edit_expire_after_option_months": "{count} ամիս",
|
||||
"shared_link_edit_expire_after_option_year": "{count} տարի",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} րոպե",
|
||||
"shared_link_edit_expire_after_option_months": "{} ամիս",
|
||||
"shared_link_edit_expire_after_option_year": "{} տարի",
|
||||
"shared_links": "",
|
||||
"shared_photos_and_videos_count": "",
|
||||
"shared_with_partner": "",
|
||||
"sharing": "",
|
||||
"sharing_sidebar_description": "",
|
||||
"show_album_options": "",
|
||||
"show_and_hide_people": "",
|
||||
"show_file_location": "",
|
||||
"show_gallery": "",
|
||||
"show_hidden_people": "",
|
||||
"show_in_timeline": "",
|
||||
"show_in_timeline_setting_description": "",
|
||||
"show_keyboard_shortcuts": "",
|
||||
"show_metadata": "",
|
||||
"show_or_hide_info": "",
|
||||
"show_password": "",
|
||||
"show_person_options": "",
|
||||
"show_progress_bar": "",
|
||||
"show_search_options": "",
|
||||
"shuffle": "",
|
||||
"sign_out": "",
|
||||
"sign_up": "",
|
||||
"size": "",
|
||||
"skip_to_content": "",
|
||||
"slideshow": "",
|
||||
"slideshow_settings": "",
|
||||
"sort_albums_by": "",
|
||||
"sort_oldest": "Ամենահին նկարը",
|
||||
"sort_recent": "Ամենանոր նկարը",
|
||||
"stack": "",
|
||||
"stack_selected_photos": "",
|
||||
"stacktrace": "",
|
||||
"start": "",
|
||||
"start_date": "",
|
||||
"state": "",
|
||||
"status": "",
|
||||
"stop_motion_photo": "",
|
||||
"stop_photo_sharing": "",
|
||||
"stop_photo_sharing_description": "",
|
||||
"stop_sharing_photos_with_user": "",
|
||||
"storage": "",
|
||||
"storage_label": "",
|
||||
"storage_usage": "",
|
||||
"submit": "",
|
||||
"suggestions": "",
|
||||
"sunrise_on_the_beach": "",
|
||||
"swap_merge_direction": "",
|
||||
"sync": "",
|
||||
"template": "",
|
||||
"theme": "",
|
||||
"theme_selection": "",
|
||||
"theme_selection_description": "",
|
||||
"time_based_memories": "",
|
||||
"timezone": "Ժամային գոտի",
|
||||
"to_archive": "",
|
||||
"to_favorite": "",
|
||||
"to_trash": "Աղբ",
|
||||
"toggle_settings": "",
|
||||
"toggle_theme": "",
|
||||
"total_usage": "",
|
||||
"trash": "Աղբ",
|
||||
"trash_page_title": "Աղբ ({count})",
|
||||
"trash_all": "",
|
||||
"trash_no_results_message": "",
|
||||
"trash_page_title": "Աղբ ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "",
|
||||
"type": "Տեսակ",
|
||||
"unarchive": "",
|
||||
"unfavorite": "",
|
||||
"unhide_person": "",
|
||||
"unknown": "Անհայտ",
|
||||
"unknown_country": "Անհայտ Երկիր",
|
||||
"unknown_year": "Անհայտ Տարի",
|
||||
"unlimited": "",
|
||||
"unlink_oauth": "",
|
||||
"unlinked_oauth_account": "",
|
||||
"unselect_all": "",
|
||||
"unstack": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_decription": "",
|
||||
"up_next": "",
|
||||
"updated_password": "",
|
||||
"upload": "",
|
||||
"upload_concurrency": "",
|
||||
"upload_status_errors": "Սխալներ",
|
||||
"url": "",
|
||||
"usage": "",
|
||||
"user": "",
|
||||
"user_id": "",
|
||||
"user_usage_detail": "",
|
||||
"username": "",
|
||||
"users": "",
|
||||
"utilities": "",
|
||||
"validate": "",
|
||||
"variables": "",
|
||||
"version": "",
|
||||
"version_announcement_closing": "Քո ընկերը՝ Ալեքսը",
|
||||
"video": "",
|
||||
"video_hover_setting": "",
|
||||
"video_hover_setting_description": "",
|
||||
"videos": "",
|
||||
"videos_count": "",
|
||||
"view_all": "",
|
||||
"view_all_users": "",
|
||||
"view_links": "",
|
||||
"view_next_asset": "",
|
||||
"view_previous_asset": "",
|
||||
"waiting": "",
|
||||
"week": "Շաբաթ",
|
||||
"welcome": "Բարի գալուստ",
|
||||
"welcome_to_immich": "",
|
||||
"year": "Տարի",
|
||||
"yes": "Այո"
|
||||
"yes": "Այո",
|
||||
"you_dont_have_any_shared_links": "",
|
||||
"zoom_image": ""
|
||||
}
|
||||
|
||||
432
i18n/id.json
432
i18n/id.json
File diff suppressed because it is too large
Load Diff
191
i18n/it.json
191
i18n/it.json
@@ -53,7 +53,6 @@
|
||||
"confirm_email_below": "Per confermare, scrivi \"{email}\" qui sotto",
|
||||
"confirm_reprocess_all_faces": "Sei sicuro di voler riprocessare tutti i volti? Questo cancellerà tutte le persone nominate.",
|
||||
"confirm_user_password_reset": "Sei sicuro di voler resettare la password di {user}?",
|
||||
"confirm_user_pin_code_reset": "Sicuro di voler resettare il codice PIN di {user}?",
|
||||
"create_job": "Crea Processo",
|
||||
"cron_expression": "Espressione Cron",
|
||||
"cron_expression_description": "Imposta il tempo di scansione utilizzando il formato Cron. Per ulteriori informazioni fare riferimento a <link>Crontab Guru</link>",
|
||||
@@ -207,8 +206,7 @@
|
||||
"oauth_storage_quota_claim_description": "Imposta automaticamente il limite di archiviazione dell'utente in base al valore di questa dichiarazione di ambito(claim).",
|
||||
"oauth_storage_quota_default": "Limite predefinito di archiviazione (GiB)",
|
||||
"oauth_storage_quota_default_description": "Limite in GiB da usare quanto nessuna dichiarazione di ambito(claim) è stata fornita (Inserisci 0 per archiviazione illimitata).",
|
||||
"oauth_timeout": "Timeout Richiesta",
|
||||
"oauth_timeout_description": "Timeout per le richieste, espresso in millisecondi",
|
||||
"oauth_timeout": "",
|
||||
"offline_paths": "Percorsi offline",
|
||||
"offline_paths_description": "Questi risultati potrebbero essere dovuti all'eliminazione manuale di file che non fanno parte di una libreria esterna.",
|
||||
"password_enable_description": "Login con email e password",
|
||||
@@ -349,7 +347,6 @@
|
||||
"user_delete_delay_settings_description": "Numero di giorni dopo l'eliminazione per cancellare in modo definitivo l'account e gli asset di un utente. Il processo di cancellazione dell'utente viene eseguito a mezzanotte per verificare se esistono utenti pronti a essere eliminati. Le modifiche a questa impostazioni saranno prese in considerazione dalla prossima esecuzione.",
|
||||
"user_delete_immediately": "L'account e tutti gli asset dell'utente <b>{user}</b> verranno messi in coda per la cancellazione permanente <b>immediata</b>.",
|
||||
"user_delete_immediately_checkbox": "utente",
|
||||
"user_details": "Dettagli Utente",
|
||||
"user_management": "Gestione Utenti",
|
||||
"user_password_has_been_reset": "La password dell'utente è stata reimpostata:",
|
||||
"user_password_reset_description": "Per favore inserisci una password temporanea per l'utente e informalo che dovrà cambiare la password al prossimo login.",
|
||||
@@ -371,10 +368,11 @@
|
||||
"advanced": "Avanzate",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Usa questa opzione per filtrare i contenuti multimediali durante la sincronizzazione in base a criteri alternativi. Prova questa opzione solo se riscontri problemi con il rilevamento di tutti gli album da parte dell'app.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[SPERIMENTALE] Usa un filtro alternativo per la sincronizzazione degli album del dispositivo",
|
||||
"advanced_settings_log_level_title": "Livello log: {level}",
|
||||
"advanced_settings_log_level_title": "Livello log: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Alcuni dispositivi sono molto lenti a caricare le anteprime delle immagini dal dispositivo. Attivare questa impostazione per caricare invece le immagini remote.",
|
||||
"advanced_settings_prefer_remote_title": "Preferisci immagini remote",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definisci gli header per i proxy che Immich dovrebbe inviare con ogni richiesta di rete",
|
||||
"advanced_settings_proxy_headers_title": "Proxy Headers",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Salta la verifica dei certificati SSL del server. Richiesto con l'uso di certificati self-signed.",
|
||||
"advanced_settings_self_signed_ssl_title": "Consenti certificati SSL self-signed",
|
||||
"advanced_settings_sync_remote_deletions_subtitle": "Rimuovi o ripristina automaticamente un elemento su questo dispositivo se l'azione è stata fatta via web",
|
||||
@@ -401,9 +399,9 @@
|
||||
"album_remove_user_confirmation": "Sicuro di voler rimuovere l'utente {user}?",
|
||||
"album_share_no_users": "Sembra che tu abbia condiviso questo album con tutti gli utenti oppure non hai nessun utente con cui condividere.",
|
||||
"album_thumbnail_card_item": "1 elemento",
|
||||
"album_thumbnail_card_items": "{count} elementi",
|
||||
"album_thumbnail_card_items": "{} elementi",
|
||||
"album_thumbnail_card_shared": " · Condiviso",
|
||||
"album_thumbnail_shared_by": "Condiviso da {user}",
|
||||
"album_thumbnail_shared_by": "Condiviso da {}",
|
||||
"album_updated": "Album aggiornato",
|
||||
"album_updated_setting_description": "Ricevi una notifica email quando un album condiviso ha nuovi media",
|
||||
"album_user_left": "{album} abbandonato",
|
||||
@@ -441,7 +439,7 @@
|
||||
"archive": "Archivio",
|
||||
"archive_or_unarchive_photo": "Archivia o ripristina foto",
|
||||
"archive_page_no_archived_assets": "Nessuna oggetto archiviato",
|
||||
"archive_page_title": "Archivio ({count})",
|
||||
"archive_page_title": "Archivio ({})",
|
||||
"archive_size": "Dimensioni Archivio",
|
||||
"archive_size_description": "Imposta le dimensioni dell'archivio per i download (in GiB)",
|
||||
"archived": "Archiviati",
|
||||
@@ -461,6 +459,7 @@
|
||||
"asset_list_layout_settings_group_automatically": "Automatico",
|
||||
"asset_list_layout_settings_group_by": "Raggruppa le risorse per",
|
||||
"asset_list_layout_settings_group_by_month_day": "Mese + giorno",
|
||||
"asset_list_layout_sub_title": "Layout",
|
||||
"asset_list_settings_subtitle": "Impostazion del layout della griglia delle foto",
|
||||
"asset_list_settings_title": "Griglia foto",
|
||||
"asset_offline": "Risorsa Offline",
|
||||
@@ -477,18 +476,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {# asset aggiunto} other {# asset aggiunti}} all'album",
|
||||
"assets_added_to_name_count": "Aggiunti {count, plural, one {# asset} other {# assets}} a {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_count": "{count, plural, other {# asset}}",
|
||||
"assets_deleted_permanently": "{count} elementi cancellati definitivamente",
|
||||
"assets_deleted_permanently_from_server": "{count} elementi cancellati definitivamente dal server Immich",
|
||||
"assets_deleted_permanently": "{} elementi cancellati definitivamente",
|
||||
"assets_deleted_permanently_from_server": "{} elementi cancellati definitivamente dal server Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# asset spostato} other {# asset spostati}} nel cestino",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# asset cancellato} other {# asset cancellati}} definitivamente",
|
||||
"assets_removed_count": "{count, plural, one {# asset rimosso} other {# asset rimossi}}",
|
||||
"assets_removed_permanently_from_device": "{count} elementi cancellati definitivamente dal tuo dispositivo",
|
||||
"assets_removed_permanently_from_device": "{} elementi cancellati definitivamente dal tuo dispositivo",
|
||||
"assets_restore_confirmation": "Sei sicuro di voler ripristinare tutti gli asset cancellati? Non puoi annullare questa azione! Tieni presente che eventuali risorse offline NON possono essere ripristinate in questo modo.",
|
||||
"assets_restored_count": "{count, plural, one {# asset ripristinato} other {# asset ripristinati}}",
|
||||
"assets_restored_successfully": "{count} elementi ripristinati",
|
||||
"assets_trashed": "{count} elementi cestinati",
|
||||
"assets_restored_successfully": "{} elementi ripristinati",
|
||||
"assets_trashed": "{} elementi cestinati",
|
||||
"assets_trashed_count": "{count, plural, one {Spostato # asset} other {Spostati # assets}} nel cestino",
|
||||
"assets_trashed_from_server": "{count} elementi cestinati dal server Immich",
|
||||
"assets_trashed_from_server": "{} elementi cestinati dal server Immich",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {L'asset era} other {Gli asset erano}} già parte dell'album",
|
||||
"authorized_devices": "Dispositivi autorizzati",
|
||||
"automatic_endpoint_switching_subtitle": "Connetti localmente quando la rete Wi-Fi specificata è disponibile e usa le connessioni alternative negli altri casi",
|
||||
@@ -497,7 +496,7 @@
|
||||
"back_close_deselect": "Indietro, chiudi o deseleziona",
|
||||
"background_location_permission": "Permesso di localizzazione in background",
|
||||
"background_location_permission_content": "Per fare in modo che sia possibile cambiare rete quando è in esecuzione in background, Immich deve *sempre* avere accesso alla tua posizione precisa in modo da poter leggere il nome della rete Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Album sul dispositivo ({count})",
|
||||
"backup_album_selection_page_albums_device": "Album sul dispositivo ({})",
|
||||
"backup_album_selection_page_albums_tap": "Tap per includere, doppio tap per escludere",
|
||||
"backup_album_selection_page_assets_scatter": "Visto che le risorse possono trovarsi in più album, questi possono essere inclusi o esclusi dal backup.",
|
||||
"backup_album_selection_page_select_albums": "Seleziona gli album",
|
||||
@@ -506,34 +505,37 @@
|
||||
"backup_all": "Tutti",
|
||||
"backup_background_service_backup_failed_message": "Impossibile caricare i contenuti. Riprovo…",
|
||||
"backup_background_service_connection_failed_message": "Impossibile connettersi al server. Riprovo…",
|
||||
"backup_background_service_current_upload_notification": "Caricamento di {filename} in corso",
|
||||
"backup_background_service_current_upload_notification": "Caricamento {}",
|
||||
"backup_background_service_default_notification": "Ricerca di nuovi contenuti…",
|
||||
"backup_background_service_error_title": "Errore di backup",
|
||||
"backup_background_service_in_progress_notification": "Backup dei tuoi contenuti…",
|
||||
"backup_background_service_upload_failure_notification": "Impossibile caricare {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Impossibile caricare {}",
|
||||
"backup_controller_page_albums": "Backup Album",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Attiva l'aggiornamento dell'app in background in Impostazioni > Generale > Aggiorna app in background per utilizzare backup in background.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Backup in background è disattivo",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Vai alle impostazioni",
|
||||
"backup_controller_page_background_battery_info_link": "Mostrami come",
|
||||
"backup_controller_page_background_battery_info_message": "Per una migliore esperienza di backup, disabilita le ottimizzazioni della batteria per l'app Immich.\n\nDal momento che è una funzionalità specifica del dispositivo, per favore consulta il manuale del produttore.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Ottimizzazioni batteria",
|
||||
"backup_controller_page_background_charging": "Solo durante la ricarica",
|
||||
"backup_controller_page_background_configure_error": "Impossibile configurare i servizi in background",
|
||||
"backup_controller_page_background_delay": "Ritarda il backup di nuovi elementi: {duration}",
|
||||
"backup_controller_page_background_delay": "Ritarda il backup di nuovi elementi: {}",
|
||||
"backup_controller_page_background_description": "Abilita i servizi in background per fare il backup di tutti i nuovi contenuti senza la necessità di aprire l'app",
|
||||
"backup_controller_page_background_is_off": "Backup automatico disattivato",
|
||||
"backup_controller_page_background_is_on": "Backup automatico attivo",
|
||||
"backup_controller_page_background_turn_off": "Disabilita servizi in background",
|
||||
"backup_controller_page_background_turn_on": "Abilita servizi in background",
|
||||
"backup_controller_page_background_wifi": "Solo Wi-Fi",
|
||||
"backup_controller_page_backup": "Backup",
|
||||
"backup_controller_page_backup_selected": "Selezionati: ",
|
||||
"backup_controller_page_backup_sub": "Foto e video caricati",
|
||||
"backup_controller_page_created": "Creato il: {date}",
|
||||
"backup_controller_page_created": "Creato il: {}",
|
||||
"backup_controller_page_desc_backup": "Attiva il backup per eseguire il caricamento automatico sul server all'apertura dell'applicazione.",
|
||||
"backup_controller_page_excluded": "Esclusi: ",
|
||||
"backup_controller_page_failed": "Falliti: ({count})",
|
||||
"backup_controller_page_filename": "Nome file: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Falliti: ({})",
|
||||
"backup_controller_page_filename": "Nome file: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informazioni sul backup",
|
||||
"backup_controller_page_none_selected": "Nessuna selezione",
|
||||
"backup_controller_page_remainder": "Rimanenti",
|
||||
@@ -542,7 +544,7 @@
|
||||
"backup_controller_page_start_backup": "Avvia backup",
|
||||
"backup_controller_page_status_off": "Backup è disattivato",
|
||||
"backup_controller_page_status_on": "Backup è attivato",
|
||||
"backup_controller_page_storage_format": "{used} di {total} usati",
|
||||
"backup_controller_page_storage_format": "{} di {} usati",
|
||||
"backup_controller_page_to_backup": "Album da caricare",
|
||||
"backup_controller_page_total_sub": "Tutte le foto e i video unici caricati dagli album selezionati",
|
||||
"backup_controller_page_turn_off": "Disattiva backup",
|
||||
@@ -567,21 +569,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Sei sicuro di voler tenere {count, plural, one {# asset duplicato} other {# assets duplicati}}? Questa operazione risolverà tutti i gruppi duplicati senza cancellare nulla.",
|
||||
"bulk_trash_duplicates_confirmation": "Sei davvero sicuro di voler cancellare {count, plural, one {# asset duplicato} other {# assets duplicati}}? Questa operazione manterrà l'asset più pesante di ogni gruppo e cancellerà permanentemente tutti gli altri duplicati.",
|
||||
"buy": "Acquista Immich",
|
||||
"cache_settings_album_thumbnails": "Anteprime pagine librerie ({count} elementi)",
|
||||
"cache_settings_album_thumbnails": "Anteprime pagine librerie ({} elementi)",
|
||||
"cache_settings_clear_cache_button": "Pulisci cache",
|
||||
"cache_settings_clear_cache_button_title": "Pulisce la cache dell'app. Questo impatterà significativamente le prestazioni dell''app fino a quando la cache non sarà rigenerata.",
|
||||
"cache_settings_duplicated_assets_clear_button": "PULISCI",
|
||||
"cache_settings_duplicated_assets_subtitle": "Foto e video che sono nella black list dell'applicazione",
|
||||
"cache_settings_duplicated_assets_title": "Elementi duplicati ({count})",
|
||||
"cache_settings_image_cache_size": "Dimensione cache delle immagini ({count} elementi)",
|
||||
"cache_settings_duplicated_assets_title": "Elementi duplicati ({})",
|
||||
"cache_settings_image_cache_size": "Dimensione cache delle immagini ({} elementi)",
|
||||
"cache_settings_statistics_album": "Anteprime librerie",
|
||||
"cache_settings_statistics_assets": "{count} elementi ({size})",
|
||||
"cache_settings_statistics_assets": "{} elementi ({})",
|
||||
"cache_settings_statistics_full": "Immagini complete",
|
||||
"cache_settings_statistics_shared": "Anteprime album condivisi",
|
||||
"cache_settings_statistics_thumbnail": "Anteprime",
|
||||
"cache_settings_statistics_title": "Uso della cache",
|
||||
"cache_settings_subtitle": "Controlla il comportamento della cache dell'applicazione mobile immich",
|
||||
"cache_settings_thumbnail_size": "Dimensione cache anteprime ({count} elementi)",
|
||||
"cache_settings_thumbnail_size": "Dimensione cache anteprime ({} elementi)",
|
||||
"cache_settings_tile_subtitle": "Controlla il comportamento dello storage locale",
|
||||
"cache_settings_tile_title": "Archiviazione locale",
|
||||
"cache_settings_title": "Impostazioni della Cache",
|
||||
@@ -607,7 +609,6 @@
|
||||
"change_password_form_new_password": "Nuova Password",
|
||||
"change_password_form_password_mismatch": "Le password non coincidono",
|
||||
"change_password_form_reenter_new_password": "Inserisci ancora la nuova password",
|
||||
"change_pin_code": "Cambia il codice PIN",
|
||||
"change_your_password": "Modifica la tua password",
|
||||
"changed_visibility_successfully": "Visibilità modificata con successo",
|
||||
"check_all": "Controlla Tutti",
|
||||
@@ -622,6 +623,9 @@
|
||||
"clear_all_recent_searches": "Rimuovi tutte le ricerche recenti",
|
||||
"clear_message": "Pulisci messaggio",
|
||||
"clear_value": "Pulisci valore",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Enter Password",
|
||||
"client_cert_import": "Import",
|
||||
"client_cert_import_success_msg": "Certificato client importato",
|
||||
"client_cert_invalid_msg": "File certificato invalido o password errata",
|
||||
"client_cert_remove_msg": "Certificato client rimosso",
|
||||
@@ -645,12 +649,11 @@
|
||||
"confirm_delete_face": "Sei sicuro di voler cancellare il volto di {name} dall'asset?",
|
||||
"confirm_delete_shared_link": "Sei sicuro di voler eliminare questo link condiviso?",
|
||||
"confirm_keep_this_delete_others": "Tutti gli altri asset nello stack saranno eliminati, eccetto questo asset. Sei sicuro di voler continuare?",
|
||||
"confirm_new_pin_code": "Conferma il nuovo codice PIN",
|
||||
"confirm_password": "Conferma password",
|
||||
"contain": "Adatta alla finestra",
|
||||
"context": "Contesto",
|
||||
"continue": "Continua",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} elementi · Condivisi",
|
||||
"control_bottom_app_bar_album_info_shared": "{} elementi · Condivisi",
|
||||
"control_bottom_app_bar_create_new_album": "Crea nuovo album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Elimina da Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Elimina dal dispositivo",
|
||||
@@ -688,11 +691,9 @@
|
||||
"create_tag_description": "Crea un nuovo tag. Per i tag annidati, si prega di inserire il percorso completo del tag tra cui barre oblique.",
|
||||
"create_user": "Crea utente",
|
||||
"created": "Creato",
|
||||
"created_at": "Creato il",
|
||||
"crop": "Ritaglia",
|
||||
"curated_object_page_title": "Oggetti",
|
||||
"current_device": "Dispositivo attuale",
|
||||
"current_pin_code": "Attuale codice PIN",
|
||||
"current_server_address": "Indirizzo del server in uso",
|
||||
"custom_locale": "Localizzazione personalizzata",
|
||||
"custom_locale_description": "Formatta data e numeri in base alla lingua e al paese",
|
||||
@@ -744,6 +745,7 @@
|
||||
"direction": "Direzione",
|
||||
"disabled": "Disabilitato",
|
||||
"disallow_edits": "Blocca modifiche",
|
||||
"discord": "Discord",
|
||||
"discover": "Scopri",
|
||||
"dismiss_all_errors": "Ignora tutti gli errori",
|
||||
"dismiss_error": "Ignora errore",
|
||||
@@ -760,6 +762,7 @@
|
||||
"download_enqueue": "Download in coda",
|
||||
"download_error": "Errore durante il download",
|
||||
"download_failed": "Download fallito",
|
||||
"download_filename": "file: {}",
|
||||
"download_finished": "Download terminato",
|
||||
"download_include_embedded_motion_videos": "Video incorporati",
|
||||
"download_include_embedded_motion_videos_description": "Includere i video incorporati nelle foto in movimento come file separato",
|
||||
@@ -797,11 +800,12 @@
|
||||
"edit_title": "Modifica Titolo",
|
||||
"edit_user": "Modifica utente",
|
||||
"edited": "Modificato",
|
||||
"editor": "Editor",
|
||||
"editor_close_without_save_prompt": "Le modifiche non verranno salvate",
|
||||
"editor_close_without_save_title": "Vuoi chiudere l'editor?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Proporzioni",
|
||||
"editor_crop_tool_h2_rotation": "Rotazione",
|
||||
"email_notifications": "Notifiche email",
|
||||
"email": "Email",
|
||||
"empty_folder": "La cartella è vuota",
|
||||
"empty_trash": "Svuota cestino",
|
||||
"empty_trash_confirmation": "Sei sicuro di volere svuotare il cestino? Questo rimuoverà tutte le risorse nel cestino in modo permanente da Immich.\nNon puoi annullare questa azione!",
|
||||
@@ -814,7 +818,7 @@
|
||||
"error_change_sort_album": "Errore nel cambiare l'ordine di degli album",
|
||||
"error_delete_face": "Errore nel cancellare la faccia dalla foto",
|
||||
"error_loading_image": "Errore nel caricamento dell'immagine",
|
||||
"error_saving_image": "Errore: {error}",
|
||||
"error_saving_image": "Errore: {}",
|
||||
"error_title": "Errore - Qualcosa è andato storto",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Impossibile passare alla risorsa successiva",
|
||||
@@ -917,7 +921,6 @@
|
||||
"unable_to_remove_reaction": "Impossibile rimuovere reazione",
|
||||
"unable_to_repair_items": "Impossibile riparare elementi",
|
||||
"unable_to_reset_password": "Impossibile reimpostare la password",
|
||||
"unable_to_reset_pin_code": "Impossibile resettare il codice PIN",
|
||||
"unable_to_resolve_duplicate": "Impossibile risolvere duplicato",
|
||||
"unable_to_restore_assets": "Impossibile ripristinare gli asset",
|
||||
"unable_to_restore_trash": "Impossibile ripristinare cestino",
|
||||
@@ -945,15 +948,16 @@
|
||||
"unable_to_update_user": "Impossibile aggiornare l'utente",
|
||||
"unable_to_upload_file": "Impossibile caricare il file"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Aggiungi una descrizione...",
|
||||
"exif_bottom_sheet_details": "DETTAGLI",
|
||||
"exif_bottom_sheet_location": "POSIZIONE",
|
||||
"exif_bottom_sheet_people": "PERSONE",
|
||||
"exif_bottom_sheet_person_add_person": "Aggiungi nome",
|
||||
"exif_bottom_sheet_person_age": "Età {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Età {months} mesi",
|
||||
"exif_bottom_sheet_person_age_year_months": "Età 1 anno e {months} mesi",
|
||||
"exif_bottom_sheet_person_age_years": "Età {years}",
|
||||
"exif_bottom_sheet_person_age": "Età {}",
|
||||
"exif_bottom_sheet_person_age_months": "Età {} mesi",
|
||||
"exif_bottom_sheet_person_age_year_months": "Età 1 anno e {} mesi",
|
||||
"exif_bottom_sheet_person_age_years": "Età {}",
|
||||
"exit_slideshow": "Esci dalla presentazione",
|
||||
"expand_all": "Espandi tutto",
|
||||
"experimental_settings_new_asset_list_subtitle": "Lavori in corso",
|
||||
@@ -1041,6 +1045,7 @@
|
||||
"home_page_first_time_notice": "Se è la prima volta che utilizzi l'app, assicurati di scegliere uno o più album di backup, in modo che la timeline possa popolare le foto e i video presenti negli album",
|
||||
"home_page_share_err_local": "Non puoi condividere una risorsa locale tramite link, azione ignorata",
|
||||
"home_page_upload_err_limit": "Puoi caricare al massimo 30 file per volta, ignora quelli in eccesso",
|
||||
"host": "Host",
|
||||
"hour": "Ora",
|
||||
"ignore_icloud_photos": "Ignora foto iCloud",
|
||||
"ignore_icloud_photos_description": "Le foto che sono memorizzate su iCloud non verranno caricate sul server Immich",
|
||||
@@ -1070,6 +1075,7 @@
|
||||
"include_shared_partner_assets": "Includi asset condivisi del compagno",
|
||||
"individual_share": "Condivisione individuale",
|
||||
"individual_shares": "Condivisioni individuali",
|
||||
"info": "Info",
|
||||
"interval": {
|
||||
"day_at_onepm": "Ogni giorno alle 13",
|
||||
"hours": "Ogni {hours, plural, one {ora} other {{hours, number} ore}}",
|
||||
@@ -1126,6 +1132,7 @@
|
||||
"log_out_all_devices": "Disconnetti tutti i dispositivi",
|
||||
"logged_out_all_devices": "Disconnesso da tutti i dispositivi",
|
||||
"logged_out_device": "Disconnesso dal dispositivo",
|
||||
"login": "Login",
|
||||
"login_disabled": "L'accesso è stato disattivato",
|
||||
"login_form_api_exception": "API error, per favore ricontrolli URL del server e riprovi.",
|
||||
"login_form_back_button_text": "Indietro",
|
||||
@@ -1141,6 +1148,7 @@
|
||||
"login_form_failed_get_oauth_server_disable": "OAuth non è disponibile su questo server",
|
||||
"login_form_failed_login": "Errore nel login, controlla URL del server e le credenziali (email e password)",
|
||||
"login_form_handshake_exception": "Si è verificata un'eccezione di handshake con il server. Abilita il supporto del certificato self-signed nelle impostazioni se si utilizza questo tipo di certificato.",
|
||||
"login_form_password_hint": "password",
|
||||
"login_form_save_login": "Rimani connesso",
|
||||
"login_form_server_empty": "Inserisci URL del server.",
|
||||
"login_form_server_error": "Non è possibile connettersi al server.",
|
||||
@@ -1164,8 +1172,8 @@
|
||||
"manage_your_devices": "Gestisci i tuoi dispositivi collegati",
|
||||
"manage_your_oauth_connection": "Gestisci la tua connessione OAuth",
|
||||
"map": "Mappa",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} foto",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} foto",
|
||||
"map_cannot_get_user_location": "Non è possibile ottenere la posizione dell'utente",
|
||||
"map_location_dialog_yes": "Si",
|
||||
"map_location_picker_page_use_location": "Usa questa posizione",
|
||||
@@ -1179,9 +1187,9 @@
|
||||
"map_settings": "Impostazioni Mappa",
|
||||
"map_settings_dark_mode": "Modalità scura",
|
||||
"map_settings_date_range_option_day": "Ultime 24 ore",
|
||||
"map_settings_date_range_option_days": "Ultimi {days} giorni",
|
||||
"map_settings_date_range_option_days": "Ultimi {} giorni",
|
||||
"map_settings_date_range_option_year": "Ultimo anno",
|
||||
"map_settings_date_range_option_years": "Ultimi {years} anni",
|
||||
"map_settings_date_range_option_years": "Ultimi {} anni",
|
||||
"map_settings_dialog_title": "Impostazioni Mappa",
|
||||
"map_settings_include_show_archived": "Includi Archiviati",
|
||||
"map_settings_include_show_partners": "Includi Partner",
|
||||
@@ -1199,8 +1207,11 @@
|
||||
"memories_setting_description": "Gestisci cosa vedi nei tuoi ricordi",
|
||||
"memories_start_over": "Ricomincia",
|
||||
"memories_swipe_to_close": "Scorri sopra per chiudere",
|
||||
"memories_year_ago": "Una anno fa",
|
||||
"memories_years_ago": "{} anni fa",
|
||||
"memory": "Memoria",
|
||||
"memory_lane_title": "Sentiero dei Ricordi {title}",
|
||||
"menu": "Menu",
|
||||
"merge": "Unisci",
|
||||
"merge_people": "Unisci persone",
|
||||
"merge_people_limit": "Puoi unire al massimo 5 volti alla volta",
|
||||
@@ -1212,9 +1223,9 @@
|
||||
"missing": "Mancanti",
|
||||
"model": "Modello",
|
||||
"month": "Mese",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Di più",
|
||||
"moved_to_archive": "Spostati {count, plural, one {# asset} other {# assets}} nell'archivio",
|
||||
"moved_to_library": "Spostati {count, plural, one {# asset} other {# assets}} nella libreria",
|
||||
"moved_to_archive": "",
|
||||
"moved_to_trash": "Spostato nel cestino",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Non puoi modificare la data di risorse in sola lettura, azione ignorata",
|
||||
"multiselect_grid_edit_gps_err_read_only": "Non puoi modificare la posizione di risorse in sola lettura, azione ignorata",
|
||||
@@ -1229,12 +1240,12 @@
|
||||
"new_api_key": "Nuova Chiave di API",
|
||||
"new_password": "Nuova password",
|
||||
"new_person": "Nuova persona",
|
||||
"new_pin_code": "Nuovo codice PIN",
|
||||
"new_user_created": "Nuovo utente creato",
|
||||
"new_version_available": "NUOVA VERSIONE DISPONIBILE",
|
||||
"newest_first": "Prima recenti",
|
||||
"next": "Prossimo",
|
||||
"next_memory": "Prossima memoria",
|
||||
"no": "No",
|
||||
"no_albums_message": "Crea un album per organizzare le tue foto ed i tuoi video",
|
||||
"no_albums_with_name_yet": "Sembra che tu non abbia ancora nessun album con questo nome.",
|
||||
"no_albums_yet": "Sembra che tu non abbia ancora nessun album.",
|
||||
@@ -1264,9 +1275,12 @@
|
||||
"notification_toggle_setting_description": "Attiva le notifiche via email",
|
||||
"notifications": "Notifiche",
|
||||
"notifications_setting_description": "Gestisci notifiche",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Risorse Ufficiali Immich",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Percorsi offline",
|
||||
"offline_paths_description": "Questi risultati potrebbero essere causati dall'eliminazione manuale di file che non fanno parte di una libreria esterna.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Prima vecchi",
|
||||
"on_this_device": "Su questo dispositivo",
|
||||
"onboarding": "Inserimento",
|
||||
@@ -1274,6 +1288,7 @@
|
||||
"onboarding_theme_description": "Scegli un tema colore per la tua istanza. Potrai cambiarlo nelle impostazioni.",
|
||||
"onboarding_welcome_description": "Andiamo ad impostare la tua istanza con alcune impostazioni comuni.",
|
||||
"onboarding_welcome_user": "Benvenuto, {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Solo preferiti",
|
||||
"open": "Apri",
|
||||
"open_in_map_view": "Apri nella visualizzazione mappa",
|
||||
@@ -1288,6 +1303,7 @@
|
||||
"other_variables": "Altre variabili",
|
||||
"owned": "Posseduti",
|
||||
"owner": "Proprietario",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} può accedere",
|
||||
"partner_can_access_assets": "Tutte le tue foto e i tuoi video eccetto quelli Archiviati e Cancellati",
|
||||
"partner_can_access_location": "La posizione dove è stata scattata la foto",
|
||||
@@ -1298,9 +1314,10 @@
|
||||
"partner_page_partner_add_failed": "Aggiunta del partner non riuscita",
|
||||
"partner_page_select_partner": "Seleziona partner",
|
||||
"partner_page_shared_to_title": "Condividi con",
|
||||
"partner_page_stop_sharing_content": "{partner} non sarà più in grado di accedere alle tue foto.",
|
||||
"partner_page_stop_sharing_content": "{} non sarà più in grado di accedere alle tue foto.",
|
||||
"partner_sharing": "Condivisione Compagno",
|
||||
"partners": "Compagni",
|
||||
"password": "Password",
|
||||
"password_does_not_match": "Le password non coincidono",
|
||||
"password_required": "Password Richiesta",
|
||||
"password_reset_success": "Ripristino password avvenuto con successo",
|
||||
@@ -1343,9 +1360,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Foto} other {{count, number} Foto}}",
|
||||
"photos_from_previous_years": "Foto degli anni scorsi",
|
||||
"pick_a_location": "Scegli una posizione",
|
||||
"pin_code_changed_successfully": "Codice PIN cambiato",
|
||||
"pin_code_reset_successfully": "Codice PIN resettato con successo",
|
||||
"pin_code_setup_successfully": "Codice PIN cambiato con successo",
|
||||
"place": "Posizione",
|
||||
"places": "Luoghi",
|
||||
"places_count": "{count, plural, one {{count, number} Luogo} other {{count, number} Places}}",
|
||||
@@ -1362,11 +1376,12 @@
|
||||
"previous_memory": "Ricordo precedente",
|
||||
"previous_or_next_photo": "Precedente o prossima foto",
|
||||
"primary": "Primario",
|
||||
"profile": "Profilo",
|
||||
"privacy": "Privacy",
|
||||
"profile_drawer_app_logs": "Registri",
|
||||
"profile_drawer_client_out_of_date_major": "L'applicazione non è aggiornata. Per favore aggiorna all'ultima versione principale.",
|
||||
"profile_drawer_client_out_of_date_minor": "L'applicazione non è aggiornata. Per favore aggiorna all'ultima versione minore.",
|
||||
"profile_drawer_client_server_up_to_date": "Client e server sono aggiornati",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Il server non è aggiornato. Per favore aggiorna all'ultima versione principale.",
|
||||
"profile_drawer_server_out_of_date_minor": "Il server non è aggiornato. Per favore aggiorna all'ultima versione minore.",
|
||||
"profile_image_of_user": "Immagine profilo di {user}",
|
||||
@@ -1375,7 +1390,7 @@
|
||||
"public_share": "Condivisione Pubblica",
|
||||
"purchase_account_info": "Contributore",
|
||||
"purchase_activated_subtitle": "Grazie per supportare Immich e i software open source",
|
||||
"purchase_activated_time": "Attivato il {date}",
|
||||
"purchase_activated_time": "Attivato il {date, date}",
|
||||
"purchase_activated_title": "La tua chiave è stata attivata con successo",
|
||||
"purchase_button_activate": "Attiva",
|
||||
"purchase_button_buy": "Acquista",
|
||||
@@ -1395,6 +1410,7 @@
|
||||
"purchase_panel_info_1": "Costruire Immich richiede molto tempo e impegno, e abbiamo ingegneri a tempo pieno che lavorano per renderlo il migliore possibile. La nostra missione è fare in modo che i software open source e le pratiche aziendali etiche diventino una fonte di reddito sostenibile per gli sviluppatori e creare un ecosistema che rispetti la privacy, offrendo vere alternative ai servizi cloud sfruttatori.",
|
||||
"purchase_panel_info_2": "Poiché siamo impegnati a non aggiungere barriere di pagamento, questo acquisto non ti offrirà funzionalità aggiuntive in Immich. Contiamo su utenti come te per sostenere lo sviluppo continuo di Immich.",
|
||||
"purchase_panel_title": "Contribuisci al progetto",
|
||||
"purchase_per_server": "Per server",
|
||||
"purchase_per_user": "Per utente",
|
||||
"purchase_remove_product_key": "Rimuovi la Chiave del Prodotto",
|
||||
"purchase_remove_product_key_prompt": "Sei sicuro di voler rimuovere la chiave del prodotto?",
|
||||
@@ -1402,6 +1418,7 @@
|
||||
"purchase_remove_server_product_key_prompt": "Sei sicuro di voler rimuovere la chiave del prodotto per Server?",
|
||||
"purchase_server_description_1": "Per l'intero server",
|
||||
"purchase_server_description_2": "Stato di Contributore",
|
||||
"purchase_server_title": "Server",
|
||||
"purchase_settings_server_activated": "La chiave del prodotto del server è gestita dall'amministratore",
|
||||
"rating": "Valutazione a stelle",
|
||||
"rating_clear": "Crea valutazione",
|
||||
@@ -1455,13 +1472,13 @@
|
||||
"repair": "Ripara",
|
||||
"repair_no_results_message": "I file mancanti e non tracciati saranno mostrati qui",
|
||||
"replace_with_upload": "Rimpiazza con upload",
|
||||
"repository": "Repository",
|
||||
"require_password": "Richiedi password",
|
||||
"require_user_to_change_password_on_first_login": "Richiedi all'utente di cambiare password al primo accesso",
|
||||
"rescan": "Scansiona nuovamente",
|
||||
"reset": "Ripristina",
|
||||
"reset_password": "Ripristina password",
|
||||
"reset_people_visibility": "Ripristina visibilità persone",
|
||||
"reset_pin_code": "Resetta il codice PIN",
|
||||
"reset_to_default": "Ripristina i valori predefiniti",
|
||||
"resolve_duplicates": "Risolvi duplicati",
|
||||
"resolved_all_duplicates": "Tutti i duplicati sono stati risolti",
|
||||
@@ -1473,6 +1490,7 @@
|
||||
"retry_upload": "Riprova caricamento",
|
||||
"review_duplicates": "Esamina duplicati",
|
||||
"role": "Ruolo",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visualizzatore",
|
||||
"save": "Salva",
|
||||
"save_to_gallery": "Salva in galleria",
|
||||
@@ -1498,12 +1516,15 @@
|
||||
"search_country": "Cerca paese...",
|
||||
"search_filter_apply": "Applica filtro",
|
||||
"search_filter_camera_title": "Seleziona il tipo di camera",
|
||||
"search_filter_date": "Date",
|
||||
"search_filter_date_interval": "{start} to {end}",
|
||||
"search_filter_date_title": "Scegli un range di date",
|
||||
"search_filter_display_option_not_in_album": "Non nell'album",
|
||||
"search_filter_display_options": "Opzioni di Visualizzazione",
|
||||
"search_filter_filename": "Cerca per nome file",
|
||||
"search_filter_location": "Posizione",
|
||||
"search_filter_location_title": "Seleziona posizione",
|
||||
"search_filter_media_type": "Media Type",
|
||||
"search_filter_media_type_title": "Seleziona il tipo di media",
|
||||
"search_filter_people_title": "Seleziona persone",
|
||||
"search_for": "Cerca per",
|
||||
@@ -1560,6 +1581,9 @@
|
||||
"send_welcome_email": "Invia email di benvenuto",
|
||||
"server_endpoint": "Server endpoint",
|
||||
"server_info_box_app_version": "Versione App",
|
||||
"server_info_box_server_url": "Server URL",
|
||||
"server_offline": "Server Offline",
|
||||
"server_online": "Server Online",
|
||||
"server_stats": "Statistiche Server",
|
||||
"server_version": "Versione Server",
|
||||
"set": "Imposta",
|
||||
@@ -1578,26 +1602,26 @@
|
||||
"setting_languages_apply": "Applica",
|
||||
"setting_languages_subtitle": "Cambia la lingua dell'app",
|
||||
"setting_languages_title": "Lingue",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifica caricamenti falliti in background: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} ore",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifica caricamenti falliti in background: {}",
|
||||
"setting_notifications_notify_hours": "{} ore",
|
||||
"setting_notifications_notify_immediately": "immediatamente",
|
||||
"setting_notifications_notify_minutes": "{count} minuti",
|
||||
"setting_notifications_notify_minutes": "{} minuti",
|
||||
"setting_notifications_notify_never": "mai",
|
||||
"setting_notifications_notify_seconds": "{count} secondi",
|
||||
"setting_notifications_notify_seconds": "{} secondi",
|
||||
"setting_notifications_single_progress_subtitle": "Informazioni dettagliate sul caricamento della risorsa",
|
||||
"setting_notifications_single_progress_title": "Mostra avanzamento dettagliato del backup in background",
|
||||
"setting_notifications_subtitle": "Cambia le impostazioni di notifica",
|
||||
"setting_notifications_total_progress_subtitle": "Progresso generale del caricamento (caricati / totali)",
|
||||
"setting_notifications_total_progress_title": "Mostra avanzamento del backup in background",
|
||||
"setting_video_viewer_looping_title": "Looping",
|
||||
"setting_video_viewer_original_video_subtitle": "Quando riproduci un video dal server, riproduci l'originale anche se è disponibile una versione transcodificata. Questo potrebbe portare a buffering. I video disponibili localmente sono sempre riprodotti a qualità originale indipendentemente da questa impostazione.",
|
||||
"setting_video_viewer_original_video_title": "Forza video originale",
|
||||
"settings": "Impostazioni",
|
||||
"settings_require_restart": "Si prega di riavviare Immich perché vengano applicate le impostazioni",
|
||||
"settings_saved": "Impostazioni salvate",
|
||||
"setup_pin_code": "Configura un codice PIN",
|
||||
"share": "Condivisione",
|
||||
"share_add_photos": "Aggiungi foto",
|
||||
"share_assets_selected": "{count} selezionati",
|
||||
"share_assets_selected": "{} selezionati",
|
||||
"share_dialog_preparing": "Preparo…",
|
||||
"shared": "Condivisi",
|
||||
"shared_album_activities_input_disable": "I commenti sono disabilitati",
|
||||
@@ -1611,32 +1635,34 @@
|
||||
"shared_by_user": "Condiviso da {user}",
|
||||
"shared_by_you": "Condiviso da te",
|
||||
"shared_from_partner": "Foto da {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Caricati",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Caricati",
|
||||
"shared_link_app_bar_title": "Link condivisi",
|
||||
"shared_link_clipboard_copied_massage": "Copiato negli appunti",
|
||||
"shared_link_clipboard_text": "Link: {}\nPassword: {}",
|
||||
"shared_link_create_error": "Si è verificato un errore durante la creazione del link condiviso",
|
||||
"shared_link_edit_description_hint": "Inserisci la descrizione della condivisione",
|
||||
"shared_link_edit_expire_after_option_day": "1 giorno",
|
||||
"shared_link_edit_expire_after_option_days": "{count} giorni",
|
||||
"shared_link_edit_expire_after_option_days": "{} giorni",
|
||||
"shared_link_edit_expire_after_option_hour": "1 ora",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} ore",
|
||||
"shared_link_edit_expire_after_option_hours": "{} ore",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuto",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minuti",
|
||||
"shared_link_edit_expire_after_option_months": "{count} mesi",
|
||||
"shared_link_edit_expire_after_option_year": "{count} anno",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minuti",
|
||||
"shared_link_edit_expire_after_option_months": "{} mesi",
|
||||
"shared_link_edit_expire_after_option_year": "{} anno",
|
||||
"shared_link_edit_password_hint": "Inserire la password di condivisione",
|
||||
"shared_link_edit_submit_button": "Aggiorna link",
|
||||
"shared_link_error_server_url_fetch": "Non è possibile trovare l'indirizzo del server",
|
||||
"shared_link_expires_day": "Scade tra {count} giorno",
|
||||
"shared_link_expires_days": "Scade tra {count} giorni",
|
||||
"shared_link_expires_hour": "Scade tra {count} ora",
|
||||
"shared_link_expires_hours": "Scade tra {count} ore",
|
||||
"shared_link_expires_minute": "Scade tra {count} minuto",
|
||||
"shared_link_expires_minutes": "Scade tra {count} minuti",
|
||||
"shared_link_expires_day": "Scade tra {} giorni",
|
||||
"shared_link_expires_days": "Scade tra {} giorni",
|
||||
"shared_link_expires_hour": "Scade tra {} ore",
|
||||
"shared_link_expires_hours": "Scade tra {} ore",
|
||||
"shared_link_expires_minute": "Scade tra {} minuto",
|
||||
"shared_link_expires_minutes": "Scade tra {} minuti",
|
||||
"shared_link_expires_never": "Scadenza ∞",
|
||||
"shared_link_expires_second": "Scade tra {count} secondo",
|
||||
"shared_link_expires_seconds": "Scade tra {count} secondi",
|
||||
"shared_link_expires_second": "Scade tra {} secondo",
|
||||
"shared_link_expires_seconds": "Scade tra {} secondi",
|
||||
"shared_link_individual_shared": "Condiviso individualmente",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Gestisci link condivisi",
|
||||
"shared_link_options": "Opzioni link condiviso",
|
||||
"shared_links": "Link condivisi",
|
||||
@@ -1709,7 +1735,6 @@
|
||||
"stop_sharing_photos_with_user": "Interrompi la condivisione delle tue foto con questo utente",
|
||||
"storage": "Spazio di archiviazione",
|
||||
"storage_label": "Etichetta archiviazione",
|
||||
"storage_quota": "Limite Archiviazione",
|
||||
"storage_usage": "{used} di {available} utilizzati",
|
||||
"submit": "Invia",
|
||||
"suggestions": "Suggerimenti",
|
||||
@@ -1722,6 +1747,7 @@
|
||||
"sync_albums": "Sincronizza album",
|
||||
"sync_albums_manual_subtitle": "Sincronizza tutti i video e le foto caricate sull'album di backup selezionato",
|
||||
"sync_upload_album_setting_subtitle": "Crea e carica le tue foto e video sull'album selezionato in Immich",
|
||||
"tag": "Tag",
|
||||
"tag_assets": "Tagga risorse",
|
||||
"tag_created": "Tag creata: {tag}",
|
||||
"tag_feature_description": "Navigazione foto e video raggruppati per argomenti tag logici",
|
||||
@@ -1735,7 +1761,7 @@
|
||||
"theme_selection": "Selezione tema",
|
||||
"theme_selection_description": "Imposta automaticamente il tema chiaro o scuro in base all'impostazione del tuo browser",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Mostra indicatore dello storage nei titoli dei contenuti",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Numero di elementi per riga ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Numero di elementi per riga ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Applica il colore primario alle superfici di sfondo.",
|
||||
"theme_setting_colorful_interface_title": "Interfaccia colorata",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Cambia la qualità del dettaglio dell'immagine",
|
||||
@@ -1755,6 +1781,7 @@
|
||||
"to_archive": "Archivio",
|
||||
"to_change_password": "Modifica password",
|
||||
"to_favorite": "Preferito",
|
||||
"to_login": "Login",
|
||||
"to_parent": "Sali di un livello",
|
||||
"to_trash": "Cancella",
|
||||
"toggle_settings": "Attiva/disattiva impostazioni",
|
||||
@@ -1769,15 +1796,13 @@
|
||||
"trash_no_results_message": "Le foto cestinate saranno mostrate qui.",
|
||||
"trash_page_delete_all": "Elimina tutti",
|
||||
"trash_page_empty_trash_dialog_content": "Vuoi eliminare gli elementi nel cestino? Questi elementi saranno eliminati definitivamente da Immich",
|
||||
"trash_page_info": "Gli elementi cestinati saranno eliminati definitivamente dopo {days} giorni",
|
||||
"trash_page_info": "Gli elementi cestinati saranno eliminati definitivamente dopo {} giorni",
|
||||
"trash_page_no_assets": "Nessun elemento cestinato",
|
||||
"trash_page_restore_all": "Ripristina tutto",
|
||||
"trash_page_select_assets_btn": "Seleziona elemento",
|
||||
"trash_page_title": "Cestino ({count})",
|
||||
"trash_page_title": "Cestino ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Gli elementi cestinati saranno eliminati definitivamente dopo {days, plural, one {# giorno} other {# giorni}}.",
|
||||
"type": "Tipo",
|
||||
"unable_to_change_pin_code": "Impossibile cambiare il codice PIN",
|
||||
"unable_to_setup_pin_code": "Impossibile configurare il codice PIN",
|
||||
"unarchive": "Annulla l'archiviazione",
|
||||
"unarchived_count": "{count, plural, other {Non archiviati #}}",
|
||||
"unfavorite": "Rimuovi preferito",
|
||||
@@ -1801,7 +1826,6 @@
|
||||
"untracked_files": "File non tracciati",
|
||||
"untracked_files_decription": "Questi file non vengono tracciati dall'applicazione. Sono il risultato di spostamenti falliti, caricamenti interrotti, oppure sono stati abbandonati a causa di un bug",
|
||||
"up_next": "Prossimo",
|
||||
"updated_at": "Aggiornato il",
|
||||
"updated_password": "Password aggiornata",
|
||||
"upload": "Carica",
|
||||
"upload_concurrency": "Caricamenti contemporanei",
|
||||
@@ -1814,17 +1838,15 @@
|
||||
"upload_status_errors": "Errori",
|
||||
"upload_status_uploaded": "Caricato",
|
||||
"upload_success": "Caricamento completato con successo, aggiorna la pagina per vedere i nuovi asset caricati.",
|
||||
"upload_to_immich": "Carica su Immich ({count})",
|
||||
"upload_to_immich": "Carica su Immich ({})",
|
||||
"uploading": "Caricamento",
|
||||
"url": "URL",
|
||||
"usage": "Utilizzo",
|
||||
"use_current_connection": "usa la connessione attuale",
|
||||
"use_custom_date_range": "Altrimenti utilizza un intervallo date personalizzato",
|
||||
"user": "Utente",
|
||||
"user_has_been_deleted": "L'utente è stato rimosso.",
|
||||
"user_id": "ID utente",
|
||||
"user_liked": "A {user} piace {type, select, photo {questa foto} video {questo video} asset {questo asset} other {questo elemento}}",
|
||||
"user_pin_code_settings": "Codice PIN",
|
||||
"user_pin_code_settings_description": "Gestisci il tuo codice PIN",
|
||||
"user_purchase_settings": "Acquisto",
|
||||
"user_purchase_settings_description": "Gestisci il tuo acquisto",
|
||||
"user_role_set": "Imposta {user} come {role}",
|
||||
@@ -1847,6 +1869,7 @@
|
||||
"version_announcement_overlay_title": "Nuova versione del server disponibile 🎉",
|
||||
"version_history": "Storico delle Versioni",
|
||||
"version_history_item": "Versione installata {version} il {date}",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Riproduci l'anteprima del video al passaggio del mouse",
|
||||
"video_hover_setting_description": "Riproduci miniatura video quando il mouse passa sopra l'elemento. Anche se disabilitato, la riproduzione può essere avviata passando con il mouse sopra l'icona riproduci.",
|
||||
"videos": "Video",
|
||||
|
||||
287
i18n/ja.json
287
i18n/ja.json
@@ -1,5 +1,5 @@
|
||||
{
|
||||
"about": "Immich について",
|
||||
"about": "このアプリについて",
|
||||
"account": "アカウント",
|
||||
"account_settings": "アカウント設定",
|
||||
"acknowledge": "了解",
|
||||
@@ -14,7 +14,7 @@
|
||||
"add_a_location": "場所を追加",
|
||||
"add_a_name": "名前を追加",
|
||||
"add_a_title": "タイトルを追加",
|
||||
"add_endpoint": "エンドポイントを追加",
|
||||
"add_endpoint": "エンドポイントを追加してください",
|
||||
"add_exclusion_pattern": "除外パターンを追加",
|
||||
"add_import_path": "インポートパスを追加",
|
||||
"add_location": "場所を追加",
|
||||
@@ -26,12 +26,11 @@
|
||||
"add_to_album": "アルバムに追加",
|
||||
"add_to_album_bottom_sheet_added": "{album}に追加",
|
||||
"add_to_album_bottom_sheet_already_exists": "{album}に追加済み",
|
||||
"add_to_locked_folder": "鍵付きフォルダーに入れる",
|
||||
"add_to_shared_album": "共有アルバムに追加",
|
||||
"add_url": "URLを追加",
|
||||
"added_to_archive": "アーカイブにしました",
|
||||
"added_to_favorites": "お気に入りに追加済",
|
||||
"added_to_favorites_count": "{count, number} 枚の画像をお気に入りに追加しました",
|
||||
"added_to_favorites_count": "{count, number} 枚の画像をお気に入りに追加済",
|
||||
"admin": {
|
||||
"add_exclusion_pattern_description": "除外パターンを追加します。ワイルドカード「*」「**」「?」を使用できます。すべてのディレクトリで「Raw」と名前が付いたファイルを無視するには、「**/Raw/**」を使用します。また、「.tif」で終わるファイルをすべて無視するには、「**/*.tif」を使用します。さらに、絶対パスを無視するには「/path/to/ignore/**」を使用します。",
|
||||
"asset_offline_description": "この外部ライブラリのアセットはディスク上に見つからなくなってゴミ箱に移動されました。ファイルがライブラリの中で移動された場合はタイムラインで新しい対応するアセットを確認してください。このアセットを復元するには以下のファイルパスがImmichからアクセスできるか確認してライブラリをスキャンしてください。",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "確認のため、以下に \"{email}\" と入力してください",
|
||||
"confirm_reprocess_all_faces": "本当にすべての顔を再処理しますか? これにより名前が付けられた人物も消去されます。",
|
||||
"confirm_user_password_reset": "本当に {user} のパスワードをリセットしますか?",
|
||||
"confirm_user_pin_code_reset": "{user}のPINコードをリセットしてよいですか?",
|
||||
"create_job": "ジョブの作成",
|
||||
"cron_expression": "Cron式",
|
||||
"cron_expression_description": "cronのフォーマットを使ってスキャン間隔を設定します。詳しくは<link>Crontab Guru</link>などを参照してください",
|
||||
@@ -194,7 +192,6 @@
|
||||
"oauth_auto_register": "自動登録",
|
||||
"oauth_auto_register_description": "OAuthでサインインしたあと、自動的に新規ユーザーを登録する",
|
||||
"oauth_button_text": "ボタンテキスト",
|
||||
"oauth_client_secret_description": "OAuthプロバイダーがPKCEをサポートしていない場合は必要",
|
||||
"oauth_enable_description": "OAuthでログイン",
|
||||
"oauth_mobile_redirect_uri": "モバイル用リダイレクトURI",
|
||||
"oauth_mobile_redirect_uri_override": "モバイル用リダイレクトURI(上書き)",
|
||||
@@ -208,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "ユーザーのストレージクォータをこのクレームの値に自動的に設定します。",
|
||||
"oauth_storage_quota_default": "デフォルトのストレージ割り当て(GiB)",
|
||||
"oauth_storage_quota_default_description": "クレームが提供されていない場合に使用されるクォータをGiB単位で設定します(無制限にする場合は0を入力してください)。",
|
||||
"oauth_timeout": "リクエストタイムアウト",
|
||||
"oauth_timeout_description": "リクエストのタイムアウトまでの時間(ms)",
|
||||
"offline_paths": "オフラインのパス",
|
||||
"offline_paths_description": "これらの結果は、外部ライブラリに属さないファイルを手動で削除したことによる可能性があります。",
|
||||
"password_enable_description": "メールアドレスとパスワードでログイン",
|
||||
@@ -350,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "削除実行後、ユーザーのアカウントとアセットが完全に削除されるまでの日数。 ユーザー削除ジョブは深夜に実行され、削除の準備ができているユーザーを確認します。 この設定への変更は、次回の実行時に反映されます。",
|
||||
"user_delete_immediately": "<b>{user}</b> のアカウントとアセットは、<b>直ちに</b>完全に削除するためにキューに追加されます。",
|
||||
"user_delete_immediately_checkbox": "ユーザーとアセットを即時削除するキューに入れる",
|
||||
"user_details": "ユーザー詳細",
|
||||
"user_management": "ユーザー管理",
|
||||
"user_password_has_been_reset": "ユーザーのパスワードがリセットされました:",
|
||||
"user_password_reset_description": "ユーザーにこの一時パスワードを提供し、次回ログイン時にパスワードを変更しなければならないことを伝えてください。",
|
||||
@@ -372,7 +366,7 @@
|
||||
"advanced": "詳細設定",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "別の基準に従ってメディアファイルにフィルターをかけて、同期を行います。アプリがすべてのアルバムを読み込んでくれない場合にのみ、この機能を試してください。",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[試験運用] 別のデバイスのアルバム同期フィルターを使用する",
|
||||
"advanced_settings_log_level_title": "ログレベル: {level}",
|
||||
"advanced_settings_log_level_title": "ログレベル: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "デバイスによっては、デバイス上にあるサムネイルのロードに非常に時間がかかることがあります。このオプションをに有効にする事により、サーバーから直接画像をロードすることが可能です。",
|
||||
"advanced_settings_prefer_remote_title": "リモートを優先する",
|
||||
"advanced_settings_proxy_headers_subtitle": "プロキシヘッダを設定する",
|
||||
@@ -403,16 +397,16 @@
|
||||
"album_remove_user_confirmation": "本当に{user}を削除しますか?",
|
||||
"album_share_no_users": "このアルバムを全てのユーザーと共有したか、共有するユーザーがいないようです。",
|
||||
"album_thumbnail_card_item": "1枚",
|
||||
"album_thumbnail_card_items": "{count}項目",
|
||||
"album_thumbnail_card_items": "{}項目",
|
||||
"album_thumbnail_card_shared": " · 共有済み",
|
||||
"album_thumbnail_shared_by": "{user}が共有中",
|
||||
"album_thumbnail_shared_by": "{}が共有中",
|
||||
"album_updated": "アルバム更新",
|
||||
"album_updated_setting_description": "共有アルバムに新しいアセットが追加されたとき通知を受け取る",
|
||||
"album_user_left": "{album} を去りました",
|
||||
"album_user_removed": "{user} を削除しました",
|
||||
"album_viewer_appbar_delete_confirm": "本当にこのアルバムを削除しますか?",
|
||||
"album_viewer_appbar_share_err_delete": "アルバムの削除に失敗しました",
|
||||
"album_viewer_appbar_share_err_leave": "退出に失敗しました",
|
||||
"album_viewer_appbar_share_err_delete": "削除失敗",
|
||||
"album_viewer_appbar_share_err_leave": "退出失敗",
|
||||
"album_viewer_appbar_share_err_remove": "アルバムから写真を削除する際にエラー発生",
|
||||
"album_viewer_appbar_share_err_title": "タイトル変更の失敗",
|
||||
"album_viewer_appbar_share_leave": "アルバムから退出",
|
||||
@@ -443,7 +437,7 @@
|
||||
"archive": "アーカイブ",
|
||||
"archive_or_unarchive_photo": "写真をアーカイブまたはアーカイブ解除",
|
||||
"archive_page_no_archived_assets": "アーカイブした写真またはビデオがありません",
|
||||
"archive_page_title": "アーカイブ ({count})",
|
||||
"archive_page_title": "アーカイブ ({})",
|
||||
"archive_size": "アーカイブサイズ",
|
||||
"archive_size_description": "ダウンロードのアーカイブ サイズを設定(GiB 単位)",
|
||||
"archived": "アーカイブ",
|
||||
@@ -468,7 +462,7 @@
|
||||
"asset_list_settings_title": "グリッド",
|
||||
"asset_offline": "アセットはオフラインです",
|
||||
"asset_offline_description": "このアセットはオフラインです。 Immichはファイルの場所にアクセスできません。 アセットが利用可能であることを確認しライブラリを再スキャンしてください。",
|
||||
"asset_restored_successfully": "復元できました",
|
||||
"asset_restored_successfully": "{}項目を復元しました",
|
||||
"asset_skipped": "スキップ済",
|
||||
"asset_skipped_in_trash": "ゴミ箱の中",
|
||||
"asset_uploaded": "アップロード済",
|
||||
@@ -480,18 +474,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {#個} other {#個}}のアセットをアルバムに追加しました",
|
||||
"assets_added_to_name_count": "{count, plural, one {#個} other {#個}}のアセットを{hasName, select, true {<b>{name}</b>} other {新しいアルバム}}に追加しました",
|
||||
"assets_count": "{count, plural, one {#個} other {#個}}のアセット",
|
||||
"assets_deleted_permanently": "{count}項目を完全に削除しました",
|
||||
"assets_deleted_permanently_from_server": "サーバー上の{count}項目を完全に削除しました",
|
||||
"assets_deleted_permanently": "{}項目を完全に削除しました",
|
||||
"assets_deleted_permanently_from_server": "サーバー上の{}項目を完全に削除しました",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {#項目} other {#項目}}をゴミ箱に移動しました",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {#項目} other {#項目}}を完全に削除しました",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {#個} other {#個}}のアセットを完全に削除しました",
|
||||
"assets_removed_count": "{count, plural, one {#項目} other {#項目}}を削除しました",
|
||||
"assets_removed_permanently_from_device": "デバイスから{count}項目を完全に削除しました",
|
||||
"assets_removed_permanently_from_device": "デバイスから{}項目を完全に削除しました",
|
||||
"assets_restore_confirmation": "ごみ箱のアセットをすべて復元してもよろしいですか? この操作を元に戻すことはできません! オフラインのアセットはこの方法では復元できません。",
|
||||
"assets_restored_count": "{count, plural, one {#} other {#}}項目を復元しました",
|
||||
"assets_restored_successfully": "{count}項目を復元しました",
|
||||
"assets_trashed": "{count}項目をゴミ箱に移動しました",
|
||||
"assets_restored_count": "{count, plural, one {#個} other {#個}}のアセットを復元しました",
|
||||
"assets_restored_successfully": "{}項目を復元しました",
|
||||
"assets_trashed": "{}項目をゴミ箱に移動しました",
|
||||
"assets_trashed_count": "{count, plural, one {#個} other {#個}}のアセットをごみ箱に移動しました",
|
||||
"assets_trashed_from_server": "サーバー上の{count}項目をゴミ箱に移動しました",
|
||||
"assets_trashed_from_server": "サーバー上の{}項目をゴミ箱に移動しました",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {個} other {個}}のアセットは既にアルバムの一部です",
|
||||
"authorized_devices": "認可済みデバイス",
|
||||
"automatic_endpoint_switching_subtitle": "指定されたWi-Fiに接続時のみローカル接続を行い、他のネットワーク下では通常通りの接続を行います",
|
||||
@@ -500,7 +494,7 @@
|
||||
"back_close_deselect": "戻る、閉じる、選択解除",
|
||||
"background_location_permission": "バックグラウンド位置情報アクセス",
|
||||
"background_location_permission_content": "正常にWi-Fiの名前(SSID)を獲得するにはアプリが常に詳細な位置情報にアクセスできる必要があります",
|
||||
"backup_album_selection_page_albums_device": "デバイス上のアルバム({count})",
|
||||
"backup_album_selection_page_albums_device": "デバイス上のアルバム数: {}",
|
||||
"backup_album_selection_page_albums_tap": "タップで選択、ダブルタップで除外",
|
||||
"backup_album_selection_page_assets_scatter": "アルバムを選択・除外してバックアップする写真を選ぶ (同じ写真が複数のアルバムに登録されていることがあるため)",
|
||||
"backup_album_selection_page_select_albums": "アルバムを選択",
|
||||
@@ -509,11 +503,11 @@
|
||||
"backup_all": "すべて",
|
||||
"backup_background_service_backup_failed_message": "アップロードに失敗しました。リトライ中",
|
||||
"backup_background_service_connection_failed_message": "サーバーに接続できません。リトライ中",
|
||||
"backup_background_service_current_upload_notification": "{filename}をアップロード中",
|
||||
"backup_background_service_current_upload_notification": "{}をアップロード中",
|
||||
"backup_background_service_default_notification": "新しい写真を確認中",
|
||||
"backup_background_service_error_title": "バックアップエラー",
|
||||
"backup_background_service_in_progress_notification": "バックアップ中",
|
||||
"backup_background_service_upload_failure_notification": "{filename}のアップロードに失敗",
|
||||
"backup_background_service_upload_failure_notification": "{}のアップロードに失敗",
|
||||
"backup_controller_page_albums": "アルバム",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "バックグラウンドで写真のバックアップを行いたい場合は、バックグラウンド更新を\n設定 > 一般 > Appのバックグラウンド更新\nからオンにしてください。",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "バックグラウンド更新はオフになっています",
|
||||
@@ -524,7 +518,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "バッテリーの最適化",
|
||||
"backup_controller_page_background_charging": "充電中のみ",
|
||||
"backup_controller_page_background_configure_error": "バックグラウンドサービスの設定に失敗",
|
||||
"backup_controller_page_background_delay": "新しい項目のバックアップ開始まで待つ時間: {duration}",
|
||||
"backup_controller_page_background_delay": "新しい項目のバックアップ開始まで待つ時間: {}",
|
||||
"backup_controller_page_background_description": "アプリを開いていないときもバックアップを行います",
|
||||
"backup_controller_page_background_is_off": "バックグランドサービスがオフになっています",
|
||||
"backup_controller_page_background_is_on": "バックグランドサービスがオンになっています",
|
||||
@@ -534,12 +528,12 @@
|
||||
"backup_controller_page_backup": "バックアップ",
|
||||
"backup_controller_page_backup_selected": "選択中:",
|
||||
"backup_controller_page_backup_sub": "バックアップされた写真と動画の数",
|
||||
"backup_controller_page_created": "作成日: {date}",
|
||||
"backup_controller_page_created": "作成日: {}",
|
||||
"backup_controller_page_desc_backup": "アプリを開いているときに写真と動画をバックアップします",
|
||||
"backup_controller_page_excluded": "除外中のアルバム:",
|
||||
"backup_controller_page_failed": "失敗: ({count})",
|
||||
"backup_controller_page_filename": "ファイル名: {filename} [{size}]",
|
||||
"backup_controller_page_id": "ID: {id}",
|
||||
"backup_controller_page_failed": "失敗: ({})",
|
||||
"backup_controller_page_filename": "ファイル名: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "バックアップ情報",
|
||||
"backup_controller_page_none_selected": "なし",
|
||||
"backup_controller_page_remainder": "残り",
|
||||
@@ -548,7 +542,7 @@
|
||||
"backup_controller_page_start_backup": "バックアップ開始",
|
||||
"backup_controller_page_status_off": "バックアップがオフになっています",
|
||||
"backup_controller_page_status_on": "バックアップがオンになっています",
|
||||
"backup_controller_page_storage_format": "使用中: {used} / {total}",
|
||||
"backup_controller_page_storage_format": "使用中: {} / {}",
|
||||
"backup_controller_page_to_backup": "バックアップされるアルバム",
|
||||
"backup_controller_page_total_sub": "選択されたアルバムの写真と動画の数",
|
||||
"backup_controller_page_turn_off": "バックアップをオフにする",
|
||||
@@ -563,35 +557,31 @@
|
||||
"backup_options_page_title": "バックアップオプション",
|
||||
"backup_setting_subtitle": "アップロードに関する設定",
|
||||
"backward": "新しい方へ",
|
||||
"biometric_auth_enabled": "生体認証を有効化しました",
|
||||
"biometric_locked_out": "生体認証により、アクセスできません",
|
||||
"biometric_no_options": "生体認証を利用できません",
|
||||
"biometric_not_available": "このデバイスでは生体認証をご利用いただけません",
|
||||
"birthdate_saved": "生年月日が正常に保存されました",
|
||||
"birthdate_set_description": "生年月日は、写真撮影時のこの人物の年齢を計算するために使用されます。",
|
||||
"blurred_background": "ぼやけた背景",
|
||||
"bugs_and_feature_requests": "バグと機能のリクエスト",
|
||||
"build": "ビルド",
|
||||
"build_image": "ビルドイメージ",
|
||||
"bulk_delete_duplicates_confirmation": "本当に {count, plural, one {#} other {#}}の重複した項目を一括削除しますか?これにより、重複した画像それぞれの中で最もサイズの大きいものを残し、他の全ての重複が削除されます。この操作を元に戻すことはできません!",
|
||||
"bulk_delete_duplicates_confirmation": "本当に {count, plural, one {#個} other {#個}}の重複したアセットを一括削除しますか?これにより各重複中の最大のアセットが保持され、他の全ての重複が削除されます。この操作を元に戻すことはできません!",
|
||||
"bulk_keep_duplicates_confirmation": "本当に{count, plural, one {#個} other {#個}}の重複アセットを保持しますか?これにより何も削除されずに重複グループが解決されます。",
|
||||
"bulk_trash_duplicates_confirmation": "本当に{count, plural, one {#個} other {#個}}の重複したアセットを一括でごみ箱に移動しますか?これにより各重複中の最大のアセットが保持され、他の全ての重複はごみ箱に移動されます。",
|
||||
"buy": "Immichを購入",
|
||||
"cache_settings_album_thumbnails": "ライブラリのサムネイル ({count}枚)",
|
||||
"cache_settings_album_thumbnails": "ライブラリのサムネイル ({}枚)",
|
||||
"cache_settings_clear_cache_button": "キャッシュをクリア",
|
||||
"cache_settings_clear_cache_button_title": "キャッシュを削除 (キャッシュが再生成されるまで、アプリのパフォーマンスが著しく低下します)",
|
||||
"cache_settings_duplicated_assets_clear_button": "クリア",
|
||||
"cache_settings_duplicated_assets_subtitle": "サーバーにアップロード済みと認識された写真や動画の数",
|
||||
"cache_settings_duplicated_assets_title": "重複した項目数: ({count})",
|
||||
"cache_settings_image_cache_size": "画像キャッシュのサイズ ({count}項目)",
|
||||
"cache_settings_duplicated_assets_title": "重複した項目数: ({})",
|
||||
"cache_settings_image_cache_size": "画像キャッシュのサイズ ({}項目)",
|
||||
"cache_settings_statistics_album": "ライブラリのサムネイル",
|
||||
"cache_settings_statistics_assets": "{count}項目 ({size})",
|
||||
"cache_settings_statistics_assets": "{}項目 ({}項目中)",
|
||||
"cache_settings_statistics_full": "フル画像",
|
||||
"cache_settings_statistics_shared": "共有アルバムのサムネイル",
|
||||
"cache_settings_statistics_thumbnail": "サムネイル",
|
||||
"cache_settings_statistics_title": "キャッシュ",
|
||||
"cache_settings_subtitle": "キャッシュの動作を変更する",
|
||||
"cache_settings_thumbnail_size": "サムネイルのキャッシュのサイズ ({count}項目)",
|
||||
"cache_settings_thumbnail_size": "サムネイルのキャッシュのサイズ ({}項目)",
|
||||
"cache_settings_tile_subtitle": "ローカルストレージの挙動を確認する",
|
||||
"cache_settings_tile_title": "ローカルストレージ",
|
||||
"cache_settings_title": "キャッシュの設定",
|
||||
@@ -604,9 +594,7 @@
|
||||
"cannot_merge_people": "人物を統合できません",
|
||||
"cannot_undo_this_action": "この操作は元に戻せません!",
|
||||
"cannot_update_the_description": "説明を更新できません",
|
||||
"cast": "キャスト",
|
||||
"change_date": "日時を変更",
|
||||
"change_description": "説明文を変更",
|
||||
"change_display_order": "表示順を変更",
|
||||
"change_expiration_time": "有効期限を変更",
|
||||
"change_location": "場所を変更",
|
||||
@@ -619,7 +607,6 @@
|
||||
"change_password_form_new_password": "新しいパスワード",
|
||||
"change_password_form_password_mismatch": "パスワードが一致しません",
|
||||
"change_password_form_reenter_new_password": "再度パスワードを入力してください",
|
||||
"change_pin_code": "PINコードを変更",
|
||||
"change_your_password": "パスワードを変更します",
|
||||
"changed_visibility_successfully": "非表示設定を正常に変更しました",
|
||||
"check_all": "全て選択",
|
||||
@@ -657,19 +644,17 @@
|
||||
"completed": "完了",
|
||||
"confirm": "確認",
|
||||
"confirm_admin_password": "管理者パスワードを確認",
|
||||
"confirm_delete_face": "本当に『{name}』の顔を項目から削除しますか?",
|
||||
"confirm_delete_face": "本当に『{name}』の顔をアセットから削除しますか?",
|
||||
"confirm_delete_shared_link": "本当にこの共有リンクを削除しますか?",
|
||||
"confirm_keep_this_delete_others": "この項目以外の項目がスタックから削除されます。本当に削除しますか?",
|
||||
"confirm_new_pin_code": "このPINコードを使う",
|
||||
"confirm_keep_this_delete_others": "このアセット以外のアセットがスタックから削除されます。本当に削除しますか?",
|
||||
"confirm_password": "確認",
|
||||
"connected_to": "接続:",
|
||||
"contain": "収める",
|
||||
"context": "状況",
|
||||
"continue": "続ける",
|
||||
"control_bottom_app_bar_album_info_shared": "{count}項目 · 共有中",
|
||||
"control_bottom_app_bar_album_info_shared": "{}項目 · 共有中",
|
||||
"control_bottom_app_bar_create_new_album": "アルバムを作成",
|
||||
"control_bottom_app_bar_delete_from_immich": "サーバーから削除",
|
||||
"control_bottom_app_bar_delete_from_local": "デバイス上から削除",
|
||||
"control_bottom_app_bar_delete_from_immich": "Immichから削除",
|
||||
"control_bottom_app_bar_delete_from_local": "端末上から削除",
|
||||
"control_bottom_app_bar_edit_location": "位置情報を編集",
|
||||
"control_bottom_app_bar_edit_time": "日時を変更",
|
||||
"control_bottom_app_bar_share_link": "共有リンク",
|
||||
@@ -689,7 +674,7 @@
|
||||
"covers": "カバー",
|
||||
"create": "作成",
|
||||
"create_album": "アルバムを作成",
|
||||
"create_album_page_untitled": "無題のタイトル",
|
||||
"create_album_page_untitled": "タイトルなし",
|
||||
"create_library": "ライブラリを作成",
|
||||
"create_link": "リンクを作る",
|
||||
"create_link_to_share": "共有リンクを作る",
|
||||
@@ -704,11 +689,9 @@
|
||||
"create_tag_description": "タグを作成します。入れ子構造のタグは、はじめのスラッシュを含めた、タグの完全なパスを入力してください。",
|
||||
"create_user": "ユーザーを作成",
|
||||
"created": "作成",
|
||||
"created_at": "作成:",
|
||||
"crop": "クロップ",
|
||||
"curated_object_page_title": "被写体",
|
||||
"current_device": "現在のデバイス",
|
||||
"current_pin_code": "現在のPINコード",
|
||||
"current_server_address": "現在のサーバーURL",
|
||||
"custom_locale": "カスタムロケール",
|
||||
"custom_locale_description": "言語と地域に基づいて日付と数値をフォーマットします",
|
||||
@@ -729,15 +712,15 @@
|
||||
"deduplication_info_description": "アセットを自動的に選択して重複を一括で削除するには次のようにします:",
|
||||
"default_locale": "デフォルトのロケール",
|
||||
"default_locale_description": "ブラウザのロケールに基づいて日付と数値をフォーマットします",
|
||||
"delete": "デバイスとサーバーから削除",
|
||||
"delete": "削除",
|
||||
"delete_album": "アルバムを削除",
|
||||
"delete_api_key_prompt": "本当にこのAPI キーを削除しますか?",
|
||||
"delete_dialog_alert": "サーバーとデバイスの両方から完全に削除されます",
|
||||
"delete_dialog_alert": "サーバーとデバイスの両方から永久的に削除されます!",
|
||||
"delete_dialog_alert_local": "選択された項目はデバイスから削除されますが、サーバーには残ります",
|
||||
"delete_dialog_alert_local_non_backed_up": "選択された項目の中に、サーバーにバックアップされていない物が含まれています。そのため、デバイスから完全に削除されます。",
|
||||
"delete_dialog_alert_remote": "選択された項目はサーバーから完全に削除されます",
|
||||
"delete_dialog_alert_remote": "選択された項目はImmichから永久に削除されます",
|
||||
"delete_dialog_ok_force": "削除します",
|
||||
"delete_dialog_title": "完全に削除",
|
||||
"delete_dialog_title": "永久的に削除",
|
||||
"delete_duplicates_confirmation": "本当にこれらの重複を完全に削除しますか?",
|
||||
"delete_face": "顔の削除",
|
||||
"delete_key": "キーを削除",
|
||||
@@ -760,6 +743,7 @@
|
||||
"direction": "方向",
|
||||
"disabled": "無効",
|
||||
"disallow_edits": "編集を許可しない",
|
||||
"discord": "Discord",
|
||||
"discover": "探索",
|
||||
"dismiss_all_errors": "全てのエラーを無視",
|
||||
"dismiss_error": "エラーを無視",
|
||||
@@ -776,7 +760,7 @@
|
||||
"download_enqueue": "ダウンロード待機中",
|
||||
"download_error": "ダウンロードエラー",
|
||||
"download_failed": "ダウンロード失敗",
|
||||
"download_filename": "ファイル名: {filename}",
|
||||
"download_filename": "ファイル名: {}",
|
||||
"download_finished": "ダウンロード終了",
|
||||
"download_include_embedded_motion_videos": "埋め込まれた動画",
|
||||
"download_include_embedded_motion_videos_description": "別ファイルとして、モーションフォトに埋め込まれた動画を含める",
|
||||
@@ -800,8 +784,6 @@
|
||||
"edit_avatar": "アバターを編集",
|
||||
"edit_date": "日付を編集",
|
||||
"edit_date_and_time": "日時を編集",
|
||||
"edit_description": "説明文を編集",
|
||||
"edit_description_prompt": "新しい説明文を選んでください:",
|
||||
"edit_exclusion_pattern": "除外パターンを編集",
|
||||
"edit_faces": "顔を編集",
|
||||
"edit_import_path": "インポートパスを編集",
|
||||
@@ -822,30 +804,26 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "アスペクト比",
|
||||
"editor_crop_tool_h2_rotation": "回転",
|
||||
"email": "メールアドレス",
|
||||
"email_notifications": "Eメール通知",
|
||||
"empty_folder": "このフォルダーは空です",
|
||||
"empty_trash": "コミ箱を空にする",
|
||||
"empty_trash_confirmation": "本当にゴミ箱を空にしますか? これにより、ゴミ箱内のすべてのアセットが Immich から永久に削除されます。\nこの操作を元に戻すことはできません!",
|
||||
"enable": "有効化",
|
||||
"enable_biometric_auth_description": "生体認証を有効化するために、PINコードを入力してください",
|
||||
"enabled": "有効",
|
||||
"end_date": "終了日",
|
||||
"enqueued": "順番待ち中",
|
||||
"enter_wifi_name": "Wi-Fiの名前(SSID)を入力",
|
||||
"enter_your_pin_code": "PINコードを入力してください",
|
||||
"enter_your_pin_code_subtitle": "鍵付きフォルダー用のPINコードを入力してください",
|
||||
"error": "エラー",
|
||||
"error_change_sort_album": "アルバムの表示順の変更に失敗しました",
|
||||
"error_delete_face": "アセットから顔の削除ができませんでした",
|
||||
"error_loading_image": "画像の読み込みエラー",
|
||||
"error_saving_image": "エラー: {error}",
|
||||
"error_saving_image": "エラー: {}",
|
||||
"error_title": "エラー - 問題が発生しました",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "次のアセットに移動できません",
|
||||
"cannot_navigate_previous_asset": "前のアセットに移動できません",
|
||||
"cant_apply_changes": "変更を適用できません",
|
||||
"cant_change_activity": "アクティビティを{enabled, select, true {無効化} other {有効化}}できません",
|
||||
"cant_change_asset_favorite": "項目のお気に入りを変更できません",
|
||||
"cant_change_asset_favorite": "アセットのお気に入りを変更できません",
|
||||
"cant_change_metadata_assets_count": "{count, plural, one {#個} other {#個}}のアセットのメタデータを変更できません",
|
||||
"cant_get_faces": "顔を取得できません",
|
||||
"cant_get_number_of_comments": "コメント数を取得できません",
|
||||
@@ -865,7 +843,7 @@
|
||||
"failed_to_create_shared_link": "共有リンクを作成できませんでした",
|
||||
"failed_to_edit_shared_link": "共有リンクを編集できませんでした",
|
||||
"failed_to_get_people": "人物を取得できませんでした",
|
||||
"failed_to_keep_this_delete_others": "この項目以外の項目の削除に失敗しました",
|
||||
"failed_to_keep_this_delete_others": "ほかのアセットを削除できませんでした",
|
||||
"failed_to_load_asset": "アセットを読み込めませんでした",
|
||||
"failed_to_load_assets": "アセットを読み込めませんでした",
|
||||
"failed_to_load_notifications": "通知の読み込みに失敗しました",
|
||||
@@ -887,12 +865,11 @@
|
||||
"unable_to_add_import_path": "インポートパスを追加できません",
|
||||
"unable_to_add_partners": "パートナーを追加できません",
|
||||
"unable_to_add_remove_archive": "アーカイブ{archived, select, true {からアセットを削除} other {にアセットを追加}}できません",
|
||||
"unable_to_add_remove_favorites": "項目をお気に入り{favorite, select, true {に追加} other {の解除}}できませんでした",
|
||||
"unable_to_add_remove_favorites": "お気に入りを{favorite, select, true {アセットに追加} other {アセットから削除}}できません",
|
||||
"unable_to_archive_unarchive": "{archived, select, true {アーカイブ} other {アーカイブ解除}}できません",
|
||||
"unable_to_change_album_user_role": "アルバムのユーザーロールを変更できません",
|
||||
"unable_to_change_date": "日付を変更できません",
|
||||
"unable_to_change_description": "説明文の変更に失敗しました",
|
||||
"unable_to_change_favorite": "お気に入りを変更できませんでした",
|
||||
"unable_to_change_favorite": "アセットのお気に入りを変更できません",
|
||||
"unable_to_change_location": "場所を変更できません",
|
||||
"unable_to_change_password": "パスワードを変更できません",
|
||||
"unable_to_change_visibility": "{count, plural, one {#人} other {#人}}の人物の非表示設定を変更できません",
|
||||
@@ -905,8 +882,8 @@
|
||||
"unable_to_create_library": "ライブラリを作成できません",
|
||||
"unable_to_create_user": "ユーザーを作成できません",
|
||||
"unable_to_delete_album": "アルバムを削除できません",
|
||||
"unable_to_delete_asset": "項目を削除できません",
|
||||
"unable_to_delete_assets": "項目を削除中のエラー",
|
||||
"unable_to_delete_asset": "アセットを削除できません",
|
||||
"unable_to_delete_assets": "アセットを削除中のエラー",
|
||||
"unable_to_delete_exclusion_pattern": "除外パターンを削除できません",
|
||||
"unable_to_delete_import_path": "インポートパスを削除できません",
|
||||
"unable_to_delete_shared_link": "共有リンクを削除できません",
|
||||
@@ -924,12 +901,11 @@
|
||||
"unable_to_link_oauth_account": "OAuth アカウントをリンクできません",
|
||||
"unable_to_load_album": "アルバムを読み込めません",
|
||||
"unable_to_load_asset_activity": "アセットのアクティビティを読み込めません",
|
||||
"unable_to_load_items": "項目を読み込めません",
|
||||
"unable_to_load_items": "アイテムを読み込めません",
|
||||
"unable_to_load_liked_status": "いいねのステータスを読み込めません",
|
||||
"unable_to_log_out_all_devices": "全てのデバイスからログアウトできません",
|
||||
"unable_to_log_out_device": "デバイスからログアウトできません",
|
||||
"unable_to_login_with_oauth": "OAuth でログインできません",
|
||||
"unable_to_move_to_locked_folder": "鍵付きフォルダーへの移動に失敗しました",
|
||||
"unable_to_play_video": "動画を再生できません",
|
||||
"unable_to_reassign_assets_existing_person": "アセットを{name, select, null {既存の人物} other {{name}}}に再割り当てできません",
|
||||
"unable_to_reassign_assets_new_person": "アセットを新しい人物に再割り当てできません",
|
||||
@@ -943,7 +919,6 @@
|
||||
"unable_to_remove_reaction": "リアクションを削除できません",
|
||||
"unable_to_repair_items": "アイテムを修復できません",
|
||||
"unable_to_reset_password": "パスワードをリセットできません",
|
||||
"unable_to_reset_pin_code": "PINコードをリセットできませんでした",
|
||||
"unable_to_resolve_duplicate": "重複を解決できません",
|
||||
"unable_to_restore_assets": "アセットを復元できません",
|
||||
"unable_to_restore_trash": "ゴミ箱を復元できません",
|
||||
@@ -971,15 +946,16 @@
|
||||
"unable_to_update_user": "ユーザーを更新できません",
|
||||
"unable_to_upload_file": "ファイルをアップロードできません"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "説明を追加",
|
||||
"exif_bottom_sheet_details": "詳細",
|
||||
"exif_bottom_sheet_location": "撮影場所",
|
||||
"exif_bottom_sheet_people": "人物",
|
||||
"exif_bottom_sheet_person_add_person": "名前を追加",
|
||||
"exif_bottom_sheet_person_age": "{age}歳",
|
||||
"exif_bottom_sheet_person_age_months": "生後{months}ヶ月",
|
||||
"exif_bottom_sheet_person_age_year_months": "1歳{months}ヶ月",
|
||||
"exif_bottom_sheet_person_age_years": "{years}歳",
|
||||
"exif_bottom_sheet_person_age": "{}歳",
|
||||
"exif_bottom_sheet_person_age_months": "生後{}ヶ月",
|
||||
"exif_bottom_sheet_person_age_year_months": "1歳{}ヶ月",
|
||||
"exif_bottom_sheet_person_age_years": "{}歳",
|
||||
"exit_slideshow": "スライドショーを終わる",
|
||||
"expand_all": "全て展開",
|
||||
"experimental_settings_new_asset_list_subtitle": "製作途中 (WIP)",
|
||||
@@ -1000,13 +976,12 @@
|
||||
"external_network_sheet_info": "指定されたWi-Fiに繋がっていない時アプリはサーバーへの接続を指定されたURLで行います。優先順位は上から下です",
|
||||
"face_unassigned": "未割り当て",
|
||||
"failed": "失敗",
|
||||
"failed_to_authenticate": "認証に失敗しました",
|
||||
"failed_to_load_assets": "アセットのロードに失敗しました",
|
||||
"failed_to_load_folder": "フォルダーの読み込みに失敗",
|
||||
"favorite": "お気に入り",
|
||||
"favorite_or_unfavorite_photo": "写真をお気にいりに登録または解除",
|
||||
"favorite_or_unfavorite_photo": "写真をお気に入りまたはお気に入り解除",
|
||||
"favorites": "お気に入り",
|
||||
"favorites_page_no_favorites": "お気に入り登録された項目がありません",
|
||||
"favorites_page_no_favorites": "お気に入り登録された写真またはビデオがありません",
|
||||
"feature_photo_updated": "人物画像が更新されました",
|
||||
"features": "機能",
|
||||
"features_setting_description": "アプリの機能を管理する",
|
||||
@@ -1062,17 +1037,14 @@
|
||||
"home_page_archive_err_partner": "パートナーの写真はアーカイブできません。スキップします",
|
||||
"home_page_building_timeline": "タイムライン構築中",
|
||||
"home_page_delete_err_partner": "パートナーの写真は削除できません。スキップします",
|
||||
"home_page_delete_remote_err_local": "サーバー上のアイテムの削除の選択にデバイス上のアイテムが含まれているのでスキップします",
|
||||
"home_page_delete_remote_err_local": "サーバー上のアイテムの削除の選択に端末上のアイテムが含まれているのでスキップします",
|
||||
"home_page_favorite_err_local": "まだアップロードされてない項目はお気に入り登録できません",
|
||||
"home_page_favorite_err_partner": "パートナーの写真はお気に入り登録できません。スキップします",
|
||||
"home_page_favorite_err_partner": "まだパートナーの写真をお気に入り登録できません。スキップします (アップデートをお待ちください)",
|
||||
"home_page_first_time_notice": "はじめてアプリを使う場合、タイムラインに写真を表示するためにアルバムを選択してください",
|
||||
"home_page_locked_error_local": "デバイス上にしかない項目を鍵付きフォルダーに移動することはできません。スキップします",
|
||||
"home_page_locked_error_partner": "パートナーの項目を鍵付きフォルダーに移動することはできません。スキップします",
|
||||
"home_page_share_err_local": "ローカルのみの項目をリンクで共有はできません。スキップします",
|
||||
"home_page_upload_err_limit": "1回でアップロードできる写真の数は30枚です。スキップします",
|
||||
"host": "ホスト",
|
||||
"hour": "時間",
|
||||
"id": "ID",
|
||||
"ignore_icloud_photos": "iCloud上の写真をスキップ",
|
||||
"ignore_icloud_photos_description": "iCloudに保存済みの項目をImmichサーバー上にアップロードしません",
|
||||
"image": "写真",
|
||||
@@ -1124,7 +1096,7 @@
|
||||
"last_seen": "最新の活動",
|
||||
"latest_version": "最新バージョン",
|
||||
"latitude": "緯度",
|
||||
"leave": "退出",
|
||||
"leave": "標高",
|
||||
"lens_model": "レンズモデル",
|
||||
"let_others_respond": "他のユーザーの返信を許可する",
|
||||
"level": "レベル",
|
||||
@@ -1154,8 +1126,6 @@
|
||||
"location_picker_latitude_hint": "緯度を入力",
|
||||
"location_picker_longitude_error": "有効な経度を入力してください",
|
||||
"location_picker_longitude_hint": "経度を入力",
|
||||
"lock": "ロック",
|
||||
"locked_folder": "鍵付きフォルダー",
|
||||
"log_out": "ログアウト",
|
||||
"log_out_all_devices": "全てのデバイスからログアウト",
|
||||
"logged_out_all_devices": "全てのデバイスからログアウトしました",
|
||||
@@ -1165,6 +1135,7 @@
|
||||
"login_form_api_exception": "APIエラーが発生しました。URLをチェックしてもう一度お試しください。",
|
||||
"login_form_back_button_text": "戻る",
|
||||
"login_form_email_hint": "hoge@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "サーバーのエンドポイントURL",
|
||||
"login_form_err_http": "http://かhttps://かを指定してください",
|
||||
"login_form_err_invalid_email": "メールアドレスが無効です",
|
||||
@@ -1199,8 +1170,8 @@
|
||||
"manage_your_devices": "ログインデバイスを管理します",
|
||||
"manage_your_oauth_connection": "OAuth接続を管理します",
|
||||
"map": "地図",
|
||||
"map_assets_in_bound": "{count}枚",
|
||||
"map_assets_in_bounds": "{count}枚",
|
||||
"map_assets_in_bound": "{}枚",
|
||||
"map_assets_in_bounds": "{}枚",
|
||||
"map_cannot_get_user_location": "位置情報がゲットできません",
|
||||
"map_location_dialog_yes": "はい",
|
||||
"map_location_picker_page_use_location": "この位置情報を使う",
|
||||
@@ -1214,9 +1185,9 @@
|
||||
"map_settings": "マップの設定",
|
||||
"map_settings_dark_mode": "ダークモード",
|
||||
"map_settings_date_range_option_day": "過去24時間",
|
||||
"map_settings_date_range_option_days": "過去{days}日間",
|
||||
"map_settings_date_range_option_days": "過去{}日間",
|
||||
"map_settings_date_range_option_year": "過去1年間",
|
||||
"map_settings_date_range_option_years": "過去{years}年間",
|
||||
"map_settings_date_range_option_years": "過去{}年間",
|
||||
"map_settings_dialog_title": "マップの設定",
|
||||
"map_settings_include_show_archived": "アーカイブ済みを含める",
|
||||
"map_settings_include_show_partners": "パートナーを含める",
|
||||
@@ -1229,11 +1200,13 @@
|
||||
"matches": "マッチ",
|
||||
"media_type": "メディアタイプ",
|
||||
"memories": "メモリー",
|
||||
"memories_all_caught_up": "これで全部です",
|
||||
"memories_check_back_tomorrow": "また明日、見に来てくださいね",
|
||||
"memories_all_caught_up": "すべて確認済み",
|
||||
"memories_check_back_tomorrow": "明日もう一度確認してください",
|
||||
"memories_setting_description": "メモリーの内容を管理します",
|
||||
"memories_start_over": "もう一度見る",
|
||||
"memories_start_over": "始める",
|
||||
"memories_swipe_to_close": "上にスワイプして閉じる",
|
||||
"memories_year_ago": "一年前",
|
||||
"memories_years_ago": "{}年前",
|
||||
"memory": "メモリー",
|
||||
"memory_lane_title": "思い出 {title}",
|
||||
"menu": "メニュー",
|
||||
@@ -1250,12 +1223,6 @@
|
||||
"month": "月",
|
||||
"monthly_title_text_date_format": "yyyy MM",
|
||||
"more": "もっと表示",
|
||||
"move": "移動",
|
||||
"move_off_locked_folder": "鍵付きフォルダーから出す",
|
||||
"move_to_locked_folder": "鍵付きフォルダーへ移動",
|
||||
"move_to_locked_folder_confirmation": "これらの写真や動画はすべてのアルバムから外され、鍵付きフォルダー内でのみ閲覧可能になります",
|
||||
"moved_to_archive": "{count, plural, one {#} other {#}}項目をアーカイブしました",
|
||||
"moved_to_library": "{count, plural, one {#} other {#}}項目をライブラリに移動しました",
|
||||
"moved_to_trash": "ゴミ箱に移動しました",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "読み取り専用の項目の日付を変更できません",
|
||||
"multiselect_grid_edit_gps_err_read_only": "読み取り専用の項目の位置情報を変更できません",
|
||||
@@ -1270,8 +1237,6 @@
|
||||
"new_api_key": "新しいAPI キー",
|
||||
"new_password": "新しいパスワード",
|
||||
"new_person": "新しい人物",
|
||||
"new_pin_code": "新しいPINコード",
|
||||
"new_pin_code_subtitle": "鍵付きフォルダーを利用するのが初めてのようです。PINコードを作成してください",
|
||||
"new_user_created": "新しいユーザーが作成されました",
|
||||
"new_version_available": "新しいバージョンが利用可能",
|
||||
"newest_first": "最新順",
|
||||
@@ -1287,12 +1252,10 @@
|
||||
"no_duplicates_found": "重複は見つかりませんでした。",
|
||||
"no_exif_info_available": "exif情報が利用できません",
|
||||
"no_explore_results_message": "コレクションを探索するにはさらに写真をアップロードしてください。",
|
||||
"no_favorites_message": "お気に入り登録すると好きな写真や動画をすぐに見つけられます",
|
||||
"no_favorites_message": "お気に入りに追加すると最高の写真や動画をすぐに見つけられます",
|
||||
"no_libraries_message": "あなたの写真や動画を表示するための外部ライブラリを作成しましょう",
|
||||
"no_locked_photos_message": "鍵付きフォルダー内の写真や動画は通常のライブラリから隠されます。",
|
||||
"no_name": "名前なし",
|
||||
"no_notifications": "通知なし",
|
||||
"no_people_found": "一致する人物が見つかりません",
|
||||
"no_places": "場所なし",
|
||||
"no_results": "結果がありません",
|
||||
"no_results_description": "同義語やより一般的なキーワードを試してください",
|
||||
@@ -1301,7 +1264,6 @@
|
||||
"not_selected": "選択なし",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "注意: 以前にアップロードしたアセットにストレージラベルを適用するには以下を実行してください",
|
||||
"notes": "注意",
|
||||
"nothing_here_yet": "まだ何も無いようです",
|
||||
"notification_permission_dialog_content": "通知を許可するには設定を開いてオンにしてください",
|
||||
"notification_permission_list_tile_content": "通知の許可 をオンにしてください",
|
||||
"notification_permission_list_tile_enable_button": "通知をオンにする",
|
||||
@@ -1309,6 +1271,7 @@
|
||||
"notification_toggle_setting_description": "メール通知を有効化",
|
||||
"notifications": "通知",
|
||||
"notifications_setting_description": "通知を管理します",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "公式Immichリソース",
|
||||
"offline": "オフライン",
|
||||
"offline_paths": "オフラインのパス",
|
||||
@@ -1347,7 +1310,7 @@
|
||||
"partner_page_partner_add_failed": "パートナーの追加に失敗",
|
||||
"partner_page_select_partner": "パートナーを選択",
|
||||
"partner_page_shared_to_title": "次のユーザーと共有します: ",
|
||||
"partner_page_stop_sharing_content": "{partner}は今後あなたの写真へアクセスできなくなります",
|
||||
"partner_page_stop_sharing_content": "{}は今後あなたの写真へアクセスできなくなります",
|
||||
"partner_sharing": "パートナとの共有",
|
||||
"partners": "パートナー",
|
||||
"password": "パスワード",
|
||||
@@ -1372,10 +1335,10 @@
|
||||
"permanent_deletion_warning": "永久削除の警告",
|
||||
"permanent_deletion_warning_setting_description": "アセットを完全に削除するときに警告を表示する",
|
||||
"permanently_delete": "完全に削除",
|
||||
"permanently_delete_assets_count": "{count, plural, one {#} other {#}}項目を完全に削除",
|
||||
"permanently_delete_assets_count": "{count, plural, one {アセット} other {アセット}}を完全に削除",
|
||||
"permanently_delete_assets_prompt": "本当に{count, plural, one {このアセット} other {これらの<b>#</b>個のアセット}}を完全に削除しますか? これにより {count, plural, one {このアセット} other {これらのアセット}}はアルバムからも削除されます。",
|
||||
"permanently_deleted_asset": "項目を完全に削除しました",
|
||||
"permanently_deleted_assets_count": "{count, plural, one {#個} other {#個}}の項目を完全に削除しました",
|
||||
"permanently_deleted_asset": "アセットを完全に削除しました",
|
||||
"permanently_deleted_assets_count": "{count, plural, one {#個} other {#個}}のアセットを完全に削除しました",
|
||||
"permission_onboarding_back": "戻る",
|
||||
"permission_onboarding_continue_anyway": "無視して続行",
|
||||
"permission_onboarding_get_started": "はじめる",
|
||||
@@ -1393,10 +1356,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number}枚の写真} other {{count, number}枚の写真}}",
|
||||
"photos_from_previous_years": "以前の年の写真",
|
||||
"pick_a_location": "場所を選択",
|
||||
"pin_code_changed_successfully": "PINコードを変更しました",
|
||||
"pin_code_reset_successfully": "PINコードをリセットしました",
|
||||
"pin_code_setup_successfully": "PINコードをセットアップしました",
|
||||
"pin_verification": "PINコード認証",
|
||||
"place": "場所",
|
||||
"places": "撮影場所",
|
||||
"places_count": "{count, plural, other {{count, number}箇所}}",
|
||||
@@ -1404,7 +1363,6 @@
|
||||
"play_memories": "メモリーを再生",
|
||||
"play_motion_photo": "モーションビデオを再生",
|
||||
"play_or_pause_video": "動画を再生または一時停止",
|
||||
"please_auth_to_access": "アクセスするには認証が必要です",
|
||||
"port": "ポートレート",
|
||||
"preferences_settings_subtitle": "アプリに関する設定",
|
||||
"preferences_settings_title": "設定",
|
||||
@@ -1415,11 +1373,11 @@
|
||||
"previous_or_next_photo": "前または次の写真",
|
||||
"primary": "最優先",
|
||||
"privacy": "プライバシー",
|
||||
"profile": "プロフィール",
|
||||
"profile_drawer_app_logs": "ログ",
|
||||
"profile_drawer_client_out_of_date_major": "アプリが更新されてません。最新のバージョンに更新してください",
|
||||
"profile_drawer_client_out_of_date_minor": "アプリが更新されてません。最新のバージョンに更新してください",
|
||||
"profile_drawer_client_server_up_to_date": "すべて最新版です",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "サーバーが更新されてません。最新のバージョンに更新してください",
|
||||
"profile_drawer_server_out_of_date_minor": "サーバーが更新されてません。最新のバージョンに更新してください",
|
||||
"profile_image_of_user": "{user} のプロフィール画像",
|
||||
@@ -1428,7 +1386,7 @@
|
||||
"public_share": "公開共有",
|
||||
"purchase_account_info": "サポーター",
|
||||
"purchase_activated_subtitle": "Immich とオープンソース ソフトウェアを支援していただきありがとうございます",
|
||||
"purchase_activated_time": "{date}にアクティベート",
|
||||
"purchase_activated_time": "{date, date}にアクティベート",
|
||||
"purchase_activated_title": "キーは正常にアクティベートされました",
|
||||
"purchase_button_activate": "アクティベート",
|
||||
"purchase_button_buy": "購入",
|
||||
@@ -1493,9 +1451,7 @@
|
||||
"remove_custom_date_range": "カスタム日付範囲を削除",
|
||||
"remove_deleted_assets": "オフラインのファイルを削除",
|
||||
"remove_from_album": "アルバムから削除",
|
||||
"remove_from_favorites": "お気に入り解除",
|
||||
"remove_from_locked_folder": "鍵付きフォルダーから取り除く",
|
||||
"remove_from_locked_folder_confirmation": "選択した写真・動画を鍵付きフォルダーの外に出してよろしいですか?ライブラリに再び表示されるようになります",
|
||||
"remove_from_favorites": "お気に入りから削除",
|
||||
"remove_from_shared_link": "共有リンクから削除",
|
||||
"remove_memory": "メモリーの削除",
|
||||
"remove_photo_from_memory": "メモリーから写真を削除",
|
||||
@@ -1503,7 +1459,7 @@
|
||||
"remove_user": "ユーザーを削除",
|
||||
"removed_api_key": "削除されたAPI キー: {name}",
|
||||
"removed_from_archive": "アーカイブから外しました",
|
||||
"removed_from_favorites": "お気に入りを解除しました",
|
||||
"removed_from_favorites": "お気に入りを外しました",
|
||||
"removed_from_favorites_count": "{count, plural, other {#項目}}をお気に入りから外しました",
|
||||
"removed_memory": "削除されたメモリー",
|
||||
"removed_photo_from_memory": "メモリーから削除された写真",
|
||||
@@ -1519,14 +1475,13 @@
|
||||
"reset": "リセット",
|
||||
"reset_password": "パスワードをリセット",
|
||||
"reset_people_visibility": "人物の非表示設定をリセット",
|
||||
"reset_pin_code": "PINコードをリセット",
|
||||
"reset_to_default": "デフォルトにリセット",
|
||||
"resolve_duplicates": "重複を解決する",
|
||||
"resolved_all_duplicates": "全ての重複を解決しました",
|
||||
"restore": "復元",
|
||||
"restore_all": "全て復元",
|
||||
"restore_user": "ユーザーを復元",
|
||||
"restored_asset": "項目を復元しました",
|
||||
"restored_asset": "アセットを復元しました",
|
||||
"resume": "再開",
|
||||
"retry_upload": "アップロードを再試行",
|
||||
"review_duplicates": "重複を調査",
|
||||
@@ -1612,7 +1567,6 @@
|
||||
"select_keep_all": "全て保持",
|
||||
"select_library_owner": "ライブラリ所有者を選択",
|
||||
"select_new_face": "新しい顔を選択",
|
||||
"select_person_to_tag": "タグを付ける人物を選んでください",
|
||||
"select_photos": "写真を選択",
|
||||
"select_trash_all": "全て削除",
|
||||
"select_user_for_sharing_page_err_album": "アルバム作成に失敗",
|
||||
@@ -1643,68 +1597,67 @@
|
||||
"setting_languages_apply": "適用する",
|
||||
"setting_languages_subtitle": "アプリの言語を変更する",
|
||||
"setting_languages_title": "言語",
|
||||
"setting_notifications_notify_failures_grace_period": "バックグラウンドバックアップ失敗の通知: {duration}",
|
||||
"setting_notifications_notify_hours": "{count}時間後",
|
||||
"setting_notifications_notify_failures_grace_period": "バックグラウンドバックアップ失敗の通知: {}",
|
||||
"setting_notifications_notify_hours": "{}時間後",
|
||||
"setting_notifications_notify_immediately": "すぐに行う",
|
||||
"setting_notifications_notify_minutes": "{count}分後",
|
||||
"setting_notifications_notify_minutes": "{}分後",
|
||||
"setting_notifications_notify_never": "行わない",
|
||||
"setting_notifications_notify_seconds": "{count}秒後",
|
||||
"setting_notifications_notify_seconds": "{}秒後",
|
||||
"setting_notifications_single_progress_subtitle": "アップロード中の写真の詳細",
|
||||
"setting_notifications_single_progress_title": "バックアップの詳細な進行状況を表示",
|
||||
"setting_notifications_subtitle": "通知設定を変更する",
|
||||
"setting_notifications_total_progress_subtitle": "アップロードの進行状況 (完了済み/全体枚数)",
|
||||
"setting_notifications_total_progress_title": "全体のバックアップの進行状況を表示",
|
||||
"setting_video_viewer_looping_title": "動画をループする",
|
||||
"setting_video_viewer_looping_title": "ループ中",
|
||||
"setting_video_viewer_original_video_subtitle": "動画をストリーミングする際に、トランスコードされた動画が存在していても、あえてオリジナル画質の動画を再生します。ストリーミングに待ち時間が生じるかもしれません。なお、デバイス上に保存されている動画はこの設定の有無に関わらず、オリジナル画質の動画を再生します。",
|
||||
"setting_video_viewer_original_video_title": "常にオリジナル画質の動画を再生する",
|
||||
"settings": "設定",
|
||||
"settings_require_restart": "Immichを再起動して設定を適用してください",
|
||||
"settings_saved": "設定が保存されました",
|
||||
"setup_pin_code": "PINコードをセットアップ",
|
||||
"share": "共有",
|
||||
"share_add_photos": "写真を追加",
|
||||
"share_assets_selected": "{count}選択中",
|
||||
"share_assets_selected": "{}選択中",
|
||||
"share_dialog_preparing": "準備中",
|
||||
"share_link": "共有リンク",
|
||||
"shared": "共有済み",
|
||||
"shared_album_activities_input_disable": "コメントはオフになってます",
|
||||
"shared_album_activity_remove_content": "このアクティビティを削除しますか?",
|
||||
"shared_album_activity_remove_content": "このアクティビティを削除しますか",
|
||||
"shared_album_activity_remove_title": "アクティビティを削除します",
|
||||
"shared_album_section_people_action_error": "退出に失敗",
|
||||
"shared_album_section_people_action_leave": "ユーザーをアルバムから退出させる",
|
||||
"shared_album_section_people_action_remove_user": "ユーザーをアルバムから退出させる",
|
||||
"shared_album_section_people_action_leave": "ユーザーをアルバムから退出",
|
||||
"shared_album_section_people_action_remove_user": "ユーザーをアルバムから退出",
|
||||
"shared_album_section_people_title": "人物",
|
||||
"shared_by": "により共有",
|
||||
"shared_by_user": "{user} により共有",
|
||||
"shared_by_you": "あなたにより共有",
|
||||
"shared_from_partner": "{partner} による写真",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} アップロード完了",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} アップロード完了",
|
||||
"shared_link_app_bar_title": "共有リンク",
|
||||
"shared_link_clipboard_copied_massage": "クリップボードにコピーしました",
|
||||
"shared_link_clipboard_text": "リンク: {link}\nパスワード: {password}",
|
||||
"shared_link_clipboard_text": "リンク: {}\nパスワード: {}",
|
||||
"shared_link_create_error": "共有用のリンク作成時にエラーが発生しました",
|
||||
"shared_link_edit_description_hint": "概要を追加",
|
||||
"shared_link_edit_expire_after_option_day": "1日",
|
||||
"shared_link_edit_expire_after_option_days": "{count}日",
|
||||
"shared_link_edit_expire_after_option_days": "{}日",
|
||||
"shared_link_edit_expire_after_option_hour": "1時間",
|
||||
"shared_link_edit_expire_after_option_hours": "{count}時間",
|
||||
"shared_link_edit_expire_after_option_hours": "{}時間",
|
||||
"shared_link_edit_expire_after_option_minute": "1分",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count}分",
|
||||
"shared_link_edit_expire_after_option_months": "{count}ヶ月",
|
||||
"shared_link_edit_expire_after_option_year": "{count}年",
|
||||
"shared_link_edit_expire_after_option_minutes": "{}分",
|
||||
"shared_link_edit_expire_after_option_months": "{}ヶ月",
|
||||
"shared_link_edit_expire_after_option_year": "{}年",
|
||||
"shared_link_edit_password_hint": "共有パスワードを入力する",
|
||||
"shared_link_edit_submit_button": "リンクをアップデートする",
|
||||
"shared_link_error_server_url_fetch": "サーバーのURLを取得できません",
|
||||
"shared_link_expires_day": "{count}日後に有効期限切れ",
|
||||
"shared_link_expires_days": "{count}日後に有効期限切れ",
|
||||
"shared_link_expires_hour": "{count}時間後に有効期限切れ",
|
||||
"shared_link_expires_hours": "{count}時間後に有効期限切れ",
|
||||
"shared_link_expires_minute": "{count}分後に有効期限切れ",
|
||||
"shared_link_expires_minutes": "{count}分後に有効期限切れ",
|
||||
"shared_link_expires_day": "{}日後に有効期限切れ",
|
||||
"shared_link_expires_days": "{}日後に有効期限切れ",
|
||||
"shared_link_expires_hour": "{}時間後に有効期限切れ",
|
||||
"shared_link_expires_hours": "{}時間後に有効期限切れ",
|
||||
"shared_link_expires_minute": "{}分後に有効期限切れ",
|
||||
"shared_link_expires_minutes": "{}分後に有効期限切れ",
|
||||
"shared_link_expires_never": "有効期限はありません",
|
||||
"shared_link_expires_second": "{count}秒後に有効期限切れ",
|
||||
"shared_link_expires_seconds": "{count}秒後に有効期限切れ",
|
||||
"shared_link_expires_second": "{}秒後に有効期限切れ",
|
||||
"shared_link_expires_seconds": "{}秒後に有効期限切れ",
|
||||
"shared_link_individual_shared": "1枚ずつ共有されています",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "共有済みのリンクを管理",
|
||||
"shared_link_options": "共有リンクのオプション",
|
||||
"shared_links": "共有リンク",
|
||||
@@ -1754,7 +1707,7 @@
|
||||
"slideshow_settings": "スライドショー設定",
|
||||
"sort_albums_by": "この順序でアルバムをソート…",
|
||||
"sort_created": "作成日",
|
||||
"sort_items": "項目の数",
|
||||
"sort_items": "アイテムの数",
|
||||
"sort_modified": "変更日",
|
||||
"sort_oldest": "古い写真",
|
||||
"sort_people_by_similarity": "似ている順に人物を並び替える",
|
||||
@@ -1777,7 +1730,6 @@
|
||||
"stop_sharing_photos_with_user": "このユーザーとの写真の共有をやめる",
|
||||
"storage": "ストレージ使用量",
|
||||
"storage_label": "ストレージラベル",
|
||||
"storage_quota": "ストレージ容量",
|
||||
"storage_usage": "{available} 中 {used} 使用中",
|
||||
"submit": "送信",
|
||||
"suggestions": "ユーザーリスト",
|
||||
@@ -1804,7 +1756,7 @@
|
||||
"theme_selection": "テーマ選択",
|
||||
"theme_selection_description": "ブラウザのシステム設定に基づいてテーマを明色または暗色に自動的に設定します",
|
||||
"theme_setting_asset_list_storage_indicator_title": "ストレージに関する情報を表示",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "一行ごとの表示枚数: {count}",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "一行ごとの表示枚数: {}",
|
||||
"theme_setting_colorful_interface_subtitle": "アクセントカラーを背景にも使用する",
|
||||
"theme_setting_colorful_interface_title": "カラフルなUI",
|
||||
"theme_setting_image_viewer_quality_subtitle": "画像ビューの画質の設定",
|
||||
@@ -1839,18 +1791,16 @@
|
||||
"trash_no_results_message": "ゴミ箱に移動した写真や動画がここに表示されます。",
|
||||
"trash_page_delete_all": "すべて削除",
|
||||
"trash_page_empty_trash_dialog_content": "ゴミ箱を空にしますか?選択された項目は完全に削除されます。この操作は取り消せません。",
|
||||
"trash_page_info": "ゴミ箱に移動したアイテムは{days}日後に削除されます",
|
||||
"trash_page_info": "ゴミ箱に移動したアイテムは{}日後に削除されます",
|
||||
"trash_page_no_assets": "ゴミ箱は空です",
|
||||
"trash_page_restore_all": "すべて復元",
|
||||
"trash_page_select_assets_btn": "項目を選択",
|
||||
"trash_page_title": "ゴミ箱 ({count})",
|
||||
"trash_page_title": "ゴミ箱 ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "ゴミ箱に入れられたアイテムは{days, plural, one {#日} other {#日}}後に完全に削除されます。",
|
||||
"type": "タイプ",
|
||||
"unable_to_change_pin_code": "PINコードを変更できませんでした",
|
||||
"unable_to_setup_pin_code": "PINコードをセットアップできませんでした",
|
||||
"unarchive": "アーカイブを解除",
|
||||
"unarchived_count": "{count, plural, other {#枚アーカイブを解除しました}}",
|
||||
"unfavorite": "お気に入り解除",
|
||||
"unfavorite": "お気に入りから外す",
|
||||
"unhide_person": "人物の非表示を解除",
|
||||
"unknown": "不明",
|
||||
"unknown_country": "不明な国",
|
||||
@@ -1871,7 +1821,6 @@
|
||||
"untracked_files": "未追跡ファイル",
|
||||
"untracked_files_decription": "これらのファイルはアプリケーションによって追跡されていません。これらは移動の失敗、アップロードの中断、またはバグにより取り残されたものである可能性があります",
|
||||
"up_next": "次へ",
|
||||
"updated_at": "更新",
|
||||
"updated_password": "パスワードを更新しました",
|
||||
"upload": "アップロード",
|
||||
"upload_concurrency": "アップロードの同時実行数",
|
||||
@@ -1884,18 +1833,15 @@
|
||||
"upload_status_errors": "エラー",
|
||||
"upload_status_uploaded": "アップロード済",
|
||||
"upload_success": "アップロード成功、新しくアップロードされたアセットを見るにはページを更新してください。",
|
||||
"upload_to_immich": "Immichにアップロード ({count})",
|
||||
"upload_to_immich": "Immichにアップロード ({})",
|
||||
"uploading": "アップロード中",
|
||||
"url": "URL",
|
||||
"usage": "使用容量",
|
||||
"use_biometric": "生体認証をご利用ください",
|
||||
"use_current_connection": "現在の接続情報を使用",
|
||||
"use_custom_date_range": "代わりにカスタム日付範囲を使用",
|
||||
"user": "ユーザー",
|
||||
"user_has_been_deleted": "このユーザーは削除されました",
|
||||
"user_id": "ユーザーID",
|
||||
"user_liked": "{user} が{type, select, photo {この写真を} video {この動画を} asset {このアセットを} other {}}いいねしました",
|
||||
"user_pin_code_settings": "PINコード",
|
||||
"user_pin_code_settings_description": "PINコードを管理",
|
||||
"user_purchase_settings": "購入",
|
||||
"user_purchase_settings_description": "購入を管理",
|
||||
"user_role_set": "{user} を{role}に設定しました",
|
||||
@@ -1945,7 +1891,6 @@
|
||||
"welcome": "ようこそ",
|
||||
"welcome_to_immich": "Immichにようこそ",
|
||||
"wifi_name": "Wi-Fiの名前(SSID)",
|
||||
"wrong_pin_code": "PINコードが間違っています",
|
||||
"year": "年",
|
||||
"years_ago": "{years, plural, one {#年} other {#年}}前",
|
||||
"yes": "はい",
|
||||
|
||||
19
i18n/ka.json
19
i18n/ka.json
@@ -4,34 +4,27 @@
|
||||
"account_settings": "ანგარიშის პარამეტრები",
|
||||
"acknowledge": "მიღება",
|
||||
"action": "ქმედება",
|
||||
"action_common_update": "განაახლე",
|
||||
"actions": "ქმედებები",
|
||||
"active": "აქტიური",
|
||||
"activity": "აქტივობა",
|
||||
"activity_changed": "აქტივობა {enabled, select, true {ჩართული} other {გამორთული}}",
|
||||
"add": "დაამატე",
|
||||
"add": "დამატება",
|
||||
"add_a_description": "დაამატე აღწერა",
|
||||
"add_a_location": "დაამატე ადგილი",
|
||||
"add_a_name": "დაამატე სახელი",
|
||||
"add_a_title": "დაასათაურე",
|
||||
"add_exclusion_pattern": "დაამატე გამონაკლისი ნიმუში",
|
||||
"add_import_path": "დაამატე საიმპორტო მისამართი",
|
||||
"add_location": "დაამატე ადგილი",
|
||||
"add_more_users": "დაამატე მომხმარებლები",
|
||||
"add_partner": "დაამატე პარტნიორი",
|
||||
"add_path": "დაამატე მისამართი",
|
||||
"add_photos": "დაამატე ფოტოები",
|
||||
"add_to": "დაამატე ...ში",
|
||||
"add_to_album": "დაამატე ალბომში",
|
||||
"add_to_album_bottom_sheet_added": "დამატებულია {album}-ში",
|
||||
"add_to_album_bottom_sheet_already_exists": "{album}-ში უკვე არსებობს",
|
||||
"add_to_shared_album": "დაამატე საზიარო ალბომში",
|
||||
"add_url": "დაამატე URL",
|
||||
"added_to_archive": "დაარქივდა",
|
||||
"added_to_favorites": "დაამატე რჩეულებში",
|
||||
"added_to_favorites_count": "{count, number} დაემატა რჩეულებში",
|
||||
"admin": {
|
||||
"asset_offline_description": "ეს საგარეო ბიბლიოთეკის აქტივი დისკზე ვერ მოიძებნა და სანაგვეში იქნა მოთავსებული. თუ ფაილი ბიბლიოთეკის შიგნით მდებარეობს, შეამოწმეთ შესაბამისი აქტივი ტაიმლაინზე. ამ აქტივის აღსადგენად, დარწმუნდით რომ ქვემოთ მოცემული ფაილის მისამართი Immich-ის მიერ წვდომადია და დაასკანერეთ ბიბლიოთეკა.",
|
||||
"authentication_settings": "ავთენტიკაციის პარამეტრები",
|
||||
"authentication_settings_description": "პაროლის, OAuth-ის და სხვა ავტენთიფიკაციის პარამეტრების მართვა",
|
||||
"authentication_settings_disable_all": "ნამდვილად გინდა ავტორიზაციის ყველა მეთოდის გამორთვა? ავტორიზაციას ვეღარანაირად შეძლებ.",
|
||||
@@ -44,22 +37,14 @@
|
||||
"backup_settings_description": "მონაცემთა ბაზის პარამეტრების ამრთვა. შენიშვნა: ამ დავალებების მონიტორინგი არ ხდება და თქვენ არ მოგივათ შეტყობინება, თუ ის ჩავარდება.",
|
||||
"check_all": "შეამოწმე ყველა",
|
||||
"cleanup": "გასუფთავება",
|
||||
"cleared_jobs": "დავალებები {job}-ისათვის გაწმენდილია",
|
||||
"config_set_by_file": "მიმდინარე კონფიგურაცია ფაილის მიერ არის დაყენებული",
|
||||
"confirm_delete_library": "ნამდვილად გინდა {library} ბიბლიოთეკის წაშლა?",
|
||||
"confirm_delete_library_assets": "მართლა გსურთ ამ ბიბლიოთეკის წაშლა? ეს ქმედება Immich-იდან წაშლის ყველა მონიშნულ აქტივს და შეუქცევადია. ფაილები მყარ დისკზე ხელუხლებელი დარჩება.",
|
||||
"confirm_email_below": "დასადასტურებლად, ქვემოთ აკრიფე \"{email}\"",
|
||||
"confirm_reprocess_all_faces": "მართლა გსურთ ყველა სახის თავიდან დამუშავება? ეს ქმედება ხალხისათვის მინიჭებულ სახელებს გაწმენდს.",
|
||||
"confirm_user_password_reset": "ნამდვილად გინდა {user}-(ი)ს პაროლის დარესეტება?",
|
||||
"create_job": "შექმენი დავალება",
|
||||
"cron_expression": "Cron გამოსახულება",
|
||||
"disable_login": "გამორთე ავტორიზაცია",
|
||||
"external_library_management": "გარე ბიბლიოთეკების მართვა",
|
||||
"face_detection": "სახის ამოცნობა",
|
||||
"image_format": "ფორმატი",
|
||||
"image_format_description": "WebP ფორმატი JPEG-ზე პატარა ფაილებს აწარმოებს, მაგრამ მის დამზადებას უფრო მეტი დრო სჭირდება.",
|
||||
"image_fullsize_title": "სრული ზომის გამოსახულების პარამეტრები",
|
||||
"image_prefer_wide_gamut": "უპირატესობა მიენიჭოს ფერის ფართე დიაპაზონს",
|
||||
"image_quality": "ხარისხი",
|
||||
"image_resolution": "გაფართოება",
|
||||
"image_settings": "გამოსახულების პარამეტრები",
|
||||
@@ -118,6 +103,7 @@
|
||||
"details": "დეტალები",
|
||||
"direction": "მიმართულება",
|
||||
"disabled": "გათიშულია",
|
||||
"discord": "Discord",
|
||||
"discover": "აღმოჩენა",
|
||||
"documentation": "დოკუმენტაცია",
|
||||
"done": "მზადაა",
|
||||
@@ -134,6 +120,7 @@
|
||||
"enable": "ჩართვა",
|
||||
"enabled": "ჩართულია",
|
||||
"error": "შეცდომა",
|
||||
"exif": "Exif",
|
||||
"expired": "ვადაამოწურულია",
|
||||
"explore": "დათვალიერება",
|
||||
"explorer": "გამცილებელი",
|
||||
|
||||
865
i18n/kmr.json
865
i18n/kmr.json
@@ -2,5 +2,868 @@
|
||||
"about": "دەربارە",
|
||||
"account": "هەژمار",
|
||||
"account_settings": "ڕێکخستنی هەژمار",
|
||||
"acknowledge": "دانپێدانان"
|
||||
"acknowledge": "دانپێدانان",
|
||||
"action": "",
|
||||
"actions": "",
|
||||
"active": "",
|
||||
"activity": "",
|
||||
"add": "",
|
||||
"add_a_description": "",
|
||||
"add_a_location": "",
|
||||
"add_a_name": "",
|
||||
"add_a_title": "",
|
||||
"add_exclusion_pattern": "",
|
||||
"add_import_path": "",
|
||||
"add_location": "",
|
||||
"add_more_users": "",
|
||||
"add_partner": "",
|
||||
"add_path": "",
|
||||
"add_photos": "",
|
||||
"add_to": "",
|
||||
"add_to_album": "",
|
||||
"add_to_shared_album": "",
|
||||
"admin": {
|
||||
"add_exclusion_pattern_description": "",
|
||||
"authentication_settings": "",
|
||||
"authentication_settings_description": "",
|
||||
"background_task_job": "",
|
||||
"check_all": "",
|
||||
"config_set_by_file": "",
|
||||
"confirm_delete_library": "",
|
||||
"confirm_delete_library_assets": "",
|
||||
"confirm_email_below": "",
|
||||
"confirm_reprocess_all_faces": "",
|
||||
"confirm_user_password_reset": "",
|
||||
"disable_login": "",
|
||||
"duplicate_detection_job_description": "",
|
||||
"exclusion_pattern_description": "",
|
||||
"external_library_created_at": "",
|
||||
"external_library_management": "",
|
||||
"face_detection": "",
|
||||
"face_detection_description": "",
|
||||
"facial_recognition_job_description": "",
|
||||
"force_delete_user_warning": "",
|
||||
"forcing_refresh_library_files": "",
|
||||
"image_format_description": "",
|
||||
"image_prefer_embedded_preview": "",
|
||||
"image_prefer_embedded_preview_setting_description": "",
|
||||
"image_prefer_wide_gamut": "",
|
||||
"image_prefer_wide_gamut_setting_description": "",
|
||||
"image_quality": "",
|
||||
"image_settings": "",
|
||||
"image_settings_description": "",
|
||||
"job_concurrency": "",
|
||||
"job_not_concurrency_safe": "",
|
||||
"job_settings": "",
|
||||
"job_settings_description": "",
|
||||
"job_status": "",
|
||||
"jobs_delayed": "",
|
||||
"jobs_failed": "",
|
||||
"library_created": "",
|
||||
"library_deleted": "",
|
||||
"library_import_path_description": "",
|
||||
"library_scanning": "",
|
||||
"library_scanning_description": "",
|
||||
"library_scanning_enable_description": "",
|
||||
"library_settings": "",
|
||||
"library_settings_description": "",
|
||||
"library_tasks_description": "",
|
||||
"library_watching_enable_description": "",
|
||||
"library_watching_settings": "",
|
||||
"library_watching_settings_description": "",
|
||||
"logging_enable_description": "",
|
||||
"logging_level_description": "",
|
||||
"logging_settings": "",
|
||||
"machine_learning_clip_model": "",
|
||||
"machine_learning_duplicate_detection": "",
|
||||
"machine_learning_duplicate_detection_enabled": "",
|
||||
"machine_learning_duplicate_detection_enabled_description": "",
|
||||
"machine_learning_duplicate_detection_setting_description": "",
|
||||
"machine_learning_enabled": "",
|
||||
"machine_learning_enabled_description": "",
|
||||
"machine_learning_facial_recognition": "",
|
||||
"machine_learning_facial_recognition_description": "",
|
||||
"machine_learning_facial_recognition_model": "",
|
||||
"machine_learning_facial_recognition_model_description": "",
|
||||
"machine_learning_facial_recognition_setting": "",
|
||||
"machine_learning_facial_recognition_setting_description": "",
|
||||
"machine_learning_max_detection_distance": "",
|
||||
"machine_learning_max_detection_distance_description": "",
|
||||
"machine_learning_max_recognition_distance": "",
|
||||
"machine_learning_max_recognition_distance_description": "",
|
||||
"machine_learning_min_detection_score": "",
|
||||
"machine_learning_min_detection_score_description": "",
|
||||
"machine_learning_min_recognized_faces": "",
|
||||
"machine_learning_min_recognized_faces_description": "",
|
||||
"machine_learning_settings": "",
|
||||
"machine_learning_settings_description": "",
|
||||
"machine_learning_smart_search": "",
|
||||
"machine_learning_smart_search_description": "",
|
||||
"machine_learning_smart_search_enabled": "",
|
||||
"machine_learning_smart_search_enabled_description": "",
|
||||
"machine_learning_url_description": "",
|
||||
"manage_concurrency": "",
|
||||
"manage_log_settings": "",
|
||||
"map_dark_style": "",
|
||||
"map_enable_description": "",
|
||||
"map_light_style": "",
|
||||
"map_reverse_geocoding": "",
|
||||
"map_reverse_geocoding_enable_description": "",
|
||||
"map_reverse_geocoding_settings": "",
|
||||
"map_settings": "",
|
||||
"map_settings_description": "",
|
||||
"map_style_description": "",
|
||||
"metadata_extraction_job": "",
|
||||
"metadata_extraction_job_description": "",
|
||||
"migration_job": "",
|
||||
"migration_job_description": "",
|
||||
"no_paths_added": "",
|
||||
"no_pattern_added": "",
|
||||
"note_apply_storage_label_previous_assets": "",
|
||||
"note_cannot_be_changed_later": "",
|
||||
"notification_email_from_address": "",
|
||||
"notification_email_from_address_description": "",
|
||||
"notification_email_host_description": "",
|
||||
"notification_email_ignore_certificate_errors": "",
|
||||
"notification_email_ignore_certificate_errors_description": "",
|
||||
"notification_email_password_description": "",
|
||||
"notification_email_port_description": "",
|
||||
"notification_email_sent_test_email_button": "",
|
||||
"notification_email_setting_description": "",
|
||||
"notification_email_test_email_failed": "",
|
||||
"notification_email_test_email_sent": "",
|
||||
"notification_email_username_description": "",
|
||||
"notification_enable_email_notifications": "",
|
||||
"notification_settings": "",
|
||||
"notification_settings_description": "",
|
||||
"oauth_auto_launch": "",
|
||||
"oauth_auto_launch_description": "",
|
||||
"oauth_auto_register": "",
|
||||
"oauth_auto_register_description": "",
|
||||
"oauth_button_text": "",
|
||||
"oauth_enable_description": "",
|
||||
"oauth_mobile_redirect_uri": "",
|
||||
"oauth_mobile_redirect_uri_override": "",
|
||||
"oauth_mobile_redirect_uri_override_description": "",
|
||||
"oauth_settings": "",
|
||||
"oauth_settings_description": "",
|
||||
"oauth_storage_label_claim": "",
|
||||
"oauth_storage_label_claim_description": "",
|
||||
"oauth_storage_quota_claim": "",
|
||||
"oauth_storage_quota_claim_description": "",
|
||||
"oauth_storage_quota_default": "",
|
||||
"oauth_storage_quota_default_description": "",
|
||||
"offline_paths": "",
|
||||
"offline_paths_description": "",
|
||||
"password_enable_description": "",
|
||||
"password_settings": "",
|
||||
"password_settings_description": "",
|
||||
"paths_validated_successfully": "",
|
||||
"quota_size_gib": "",
|
||||
"refreshing_all_libraries": "",
|
||||
"repair_all": "",
|
||||
"repair_matched_items": "",
|
||||
"repaired_items": "",
|
||||
"require_password_change_on_login": "",
|
||||
"reset_settings_to_default": "",
|
||||
"reset_settings_to_recent_saved": "",
|
||||
"send_welcome_email": "",
|
||||
"server_external_domain_settings": "",
|
||||
"server_external_domain_settings_description": "",
|
||||
"server_settings": "",
|
||||
"server_settings_description": "",
|
||||
"server_welcome_message": "",
|
||||
"server_welcome_message_description": "",
|
||||
"sidecar_job": "",
|
||||
"sidecar_job_description": "",
|
||||
"slideshow_duration_description": "",
|
||||
"smart_search_job_description": "",
|
||||
"storage_template_enable_description": "",
|
||||
"storage_template_hash_verification_enabled": "",
|
||||
"storage_template_hash_verification_enabled_description": "",
|
||||
"storage_template_migration": "",
|
||||
"storage_template_migration_job": "",
|
||||
"storage_template_settings": "",
|
||||
"storage_template_settings_description": "",
|
||||
"system_settings": "",
|
||||
"theme_custom_css_settings": "",
|
||||
"theme_custom_css_settings_description": "",
|
||||
"theme_settings": "",
|
||||
"theme_settings_description": "",
|
||||
"these_files_matched_by_checksum": "",
|
||||
"thumbnail_generation_job": "",
|
||||
"thumbnail_generation_job_description": "",
|
||||
"transcoding_acceleration_api": "",
|
||||
"transcoding_acceleration_api_description": "",
|
||||
"transcoding_acceleration_nvenc": "",
|
||||
"transcoding_acceleration_qsv": "",
|
||||
"transcoding_acceleration_rkmpp": "",
|
||||
"transcoding_acceleration_vaapi": "",
|
||||
"transcoding_accepted_audio_codecs": "",
|
||||
"transcoding_accepted_audio_codecs_description": "",
|
||||
"transcoding_accepted_video_codecs": "",
|
||||
"transcoding_accepted_video_codecs_description": "",
|
||||
"transcoding_advanced_options_description": "",
|
||||
"transcoding_audio_codec": "",
|
||||
"transcoding_audio_codec_description": "",
|
||||
"transcoding_bitrate_description": "",
|
||||
"transcoding_constant_quality_mode": "",
|
||||
"transcoding_constant_quality_mode_description": "",
|
||||
"transcoding_constant_rate_factor": "",
|
||||
"transcoding_constant_rate_factor_description": "",
|
||||
"transcoding_disabled_description": "",
|
||||
"transcoding_hardware_acceleration": "",
|
||||
"transcoding_hardware_acceleration_description": "",
|
||||
"transcoding_hardware_decoding": "",
|
||||
"transcoding_hardware_decoding_setting_description": "",
|
||||
"transcoding_hevc_codec": "",
|
||||
"transcoding_max_b_frames": "",
|
||||
"transcoding_max_b_frames_description": "",
|
||||
"transcoding_max_bitrate": "",
|
||||
"transcoding_max_bitrate_description": "",
|
||||
"transcoding_max_keyframe_interval": "",
|
||||
"transcoding_max_keyframe_interval_description": "",
|
||||
"transcoding_optimal_description": "",
|
||||
"transcoding_preferred_hardware_device": "",
|
||||
"transcoding_preferred_hardware_device_description": "",
|
||||
"transcoding_preset_preset": "",
|
||||
"transcoding_preset_preset_description": "",
|
||||
"transcoding_reference_frames": "",
|
||||
"transcoding_reference_frames_description": "",
|
||||
"transcoding_required_description": "",
|
||||
"transcoding_settings": "",
|
||||
"transcoding_settings_description": "",
|
||||
"transcoding_target_resolution": "",
|
||||
"transcoding_target_resolution_description": "",
|
||||
"transcoding_temporal_aq": "",
|
||||
"transcoding_temporal_aq_description": "",
|
||||
"transcoding_threads": "",
|
||||
"transcoding_threads_description": "",
|
||||
"transcoding_tone_mapping": "",
|
||||
"transcoding_tone_mapping_description": "",
|
||||
"transcoding_transcode_policy": "",
|
||||
"transcoding_transcode_policy_description": "",
|
||||
"transcoding_two_pass_encoding": "",
|
||||
"transcoding_two_pass_encoding_setting_description": "",
|
||||
"transcoding_video_codec": "",
|
||||
"transcoding_video_codec_description": "",
|
||||
"trash_enabled_description": "",
|
||||
"trash_number_of_days": "",
|
||||
"trash_number_of_days_description": "",
|
||||
"trash_settings": "",
|
||||
"trash_settings_description": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_description": "",
|
||||
"user_delete_delay_settings": "",
|
||||
"user_delete_delay_settings_description": "",
|
||||
"user_management": "",
|
||||
"user_password_has_been_reset": "",
|
||||
"user_password_reset_description": "",
|
||||
"user_settings": "",
|
||||
"user_settings_description": "",
|
||||
"user_successfully_removed": "",
|
||||
"version_check_enabled_description": "",
|
||||
"version_check_settings": "",
|
||||
"version_check_settings_description": "",
|
||||
"video_conversion_job": "",
|
||||
"video_conversion_job_description": ""
|
||||
},
|
||||
"admin_email": "",
|
||||
"admin_password": "",
|
||||
"administration": "",
|
||||
"advanced": "",
|
||||
"album_added": "",
|
||||
"album_added_notification_setting_description": "",
|
||||
"album_cover_updated": "",
|
||||
"album_info_updated": "",
|
||||
"album_name": "",
|
||||
"album_options": "",
|
||||
"album_updated": "",
|
||||
"album_updated_setting_description": "",
|
||||
"albums": "",
|
||||
"albums_count": "",
|
||||
"all": "",
|
||||
"all_people": "",
|
||||
"allow_dark_mode": "",
|
||||
"allow_edits": "",
|
||||
"api_key": "",
|
||||
"api_keys": "",
|
||||
"app_settings": "",
|
||||
"appears_in": "",
|
||||
"archive": "",
|
||||
"archive_or_unarchive_photo": "",
|
||||
"archive_size": "",
|
||||
"archive_size_description": "",
|
||||
"asset_offline": "",
|
||||
"assets": "",
|
||||
"authorized_devices": "",
|
||||
"back": "",
|
||||
"backward": "",
|
||||
"blurred_background": "",
|
||||
"camera": "",
|
||||
"camera_brand": "",
|
||||
"camera_model": "",
|
||||
"cancel": "",
|
||||
"cancel_search": "",
|
||||
"cannot_merge_people": "",
|
||||
"cannot_update_the_description": "",
|
||||
"change_date": "",
|
||||
"change_expiration_time": "",
|
||||
"change_location": "",
|
||||
"change_name": "",
|
||||
"change_name_successfully": "",
|
||||
"change_password": "",
|
||||
"change_your_password": "",
|
||||
"changed_visibility_successfully": "",
|
||||
"check_all": "",
|
||||
"check_logs": "",
|
||||
"choose_matching_people_to_merge": "",
|
||||
"city": "",
|
||||
"clear": "",
|
||||
"clear_all": "",
|
||||
"clear_message": "",
|
||||
"clear_value": "",
|
||||
"close": "",
|
||||
"collapse_all": "",
|
||||
"color_theme": "",
|
||||
"comment_options": "",
|
||||
"comments_are_disabled": "",
|
||||
"confirm": "",
|
||||
"confirm_admin_password": "",
|
||||
"confirm_delete_shared_link": "",
|
||||
"confirm_password": "",
|
||||
"contain": "",
|
||||
"context": "",
|
||||
"continue": "",
|
||||
"copied_image_to_clipboard": "",
|
||||
"copied_to_clipboard": "",
|
||||
"copy_error": "",
|
||||
"copy_file_path": "",
|
||||
"copy_image": "",
|
||||
"copy_link": "",
|
||||
"copy_link_to_clipboard": "",
|
||||
"copy_password": "",
|
||||
"copy_to_clipboard": "",
|
||||
"country": "",
|
||||
"cover": "",
|
||||
"covers": "",
|
||||
"create": "",
|
||||
"create_album": "",
|
||||
"create_library": "",
|
||||
"create_link": "",
|
||||
"create_link_to_share": "",
|
||||
"create_new_person": "",
|
||||
"create_new_user": "",
|
||||
"create_user": "",
|
||||
"created": "",
|
||||
"current_device": "",
|
||||
"custom_locale": "",
|
||||
"custom_locale_description": "",
|
||||
"dark": "",
|
||||
"date_after": "",
|
||||
"date_and_time": "",
|
||||
"date_before": "",
|
||||
"date_range": "",
|
||||
"day": "",
|
||||
"default_locale": "",
|
||||
"default_locale_description": "",
|
||||
"delete": "",
|
||||
"delete_album": "",
|
||||
"delete_api_key_prompt": "",
|
||||
"delete_key": "",
|
||||
"delete_library": "",
|
||||
"delete_link": "",
|
||||
"delete_shared_link": "",
|
||||
"delete_user": "",
|
||||
"deleted_shared_link": "",
|
||||
"description": "",
|
||||
"details": "",
|
||||
"direction": "",
|
||||
"disabled": "",
|
||||
"disallow_edits": "",
|
||||
"discover": "",
|
||||
"dismiss_all_errors": "",
|
||||
"dismiss_error": "",
|
||||
"display_options": "",
|
||||
"display_order": "",
|
||||
"display_original_photos": "",
|
||||
"display_original_photos_setting_description": "",
|
||||
"done": "",
|
||||
"download": "",
|
||||
"download_settings": "",
|
||||
"download_settings_description": "",
|
||||
"downloading": "",
|
||||
"duplicates": "",
|
||||
"duration": "",
|
||||
"edit_album": "",
|
||||
"edit_avatar": "",
|
||||
"edit_date": "",
|
||||
"edit_date_and_time": "",
|
||||
"edit_exclusion_pattern": "",
|
||||
"edit_faces": "",
|
||||
"edit_import_path": "",
|
||||
"edit_import_paths": "",
|
||||
"edit_key": "",
|
||||
"edit_link": "",
|
||||
"edit_location": "",
|
||||
"edit_name": "",
|
||||
"edit_people": "",
|
||||
"edit_title": "",
|
||||
"edit_user": "",
|
||||
"edited": "",
|
||||
"editor": "",
|
||||
"email": "",
|
||||
"empty_trash": "",
|
||||
"end_date": "",
|
||||
"error": "",
|
||||
"error_loading_image": "",
|
||||
"errors": {
|
||||
"cleared_jobs": "",
|
||||
"exclusion_pattern_already_exists": "",
|
||||
"failed_job_command": "",
|
||||
"import_path_already_exists": "",
|
||||
"paths_validation_failed": "",
|
||||
"quota_higher_than_disk_size": "",
|
||||
"repair_unable_to_check_items": "",
|
||||
"unable_to_add_album_users": "",
|
||||
"unable_to_add_comment": "",
|
||||
"unable_to_add_exclusion_pattern": "",
|
||||
"unable_to_add_import_path": "",
|
||||
"unable_to_add_partners": "",
|
||||
"unable_to_change_album_user_role": "",
|
||||
"unable_to_change_date": "",
|
||||
"unable_to_change_location": "",
|
||||
"unable_to_change_password": "",
|
||||
"unable_to_copy_to_clipboard": "",
|
||||
"unable_to_create_api_key": "",
|
||||
"unable_to_create_library": "",
|
||||
"unable_to_create_user": "",
|
||||
"unable_to_delete_album": "",
|
||||
"unable_to_delete_asset": "",
|
||||
"unable_to_delete_exclusion_pattern": "",
|
||||
"unable_to_delete_import_path": "",
|
||||
"unable_to_delete_shared_link": "",
|
||||
"unable_to_delete_user": "",
|
||||
"unable_to_edit_exclusion_pattern": "",
|
||||
"unable_to_edit_import_path": "",
|
||||
"unable_to_empty_trash": "",
|
||||
"unable_to_enter_fullscreen": "",
|
||||
"unable_to_exit_fullscreen": "",
|
||||
"unable_to_hide_person": "",
|
||||
"unable_to_link_oauth_account": "",
|
||||
"unable_to_load_album": "",
|
||||
"unable_to_load_asset_activity": "",
|
||||
"unable_to_load_items": "",
|
||||
"unable_to_load_liked_status": "",
|
||||
"unable_to_play_video": "",
|
||||
"unable_to_refresh_user": "",
|
||||
"unable_to_remove_album_users": "",
|
||||
"unable_to_remove_api_key": "",
|
||||
"unable_to_remove_deleted_assets": "",
|
||||
"unable_to_remove_library": "",
|
||||
"unable_to_remove_partner": "",
|
||||
"unable_to_remove_reaction": "",
|
||||
"unable_to_repair_items": "",
|
||||
"unable_to_reset_password": "",
|
||||
"unable_to_resolve_duplicate": "",
|
||||
"unable_to_restore_assets": "",
|
||||
"unable_to_restore_trash": "",
|
||||
"unable_to_restore_user": "",
|
||||
"unable_to_save_album": "",
|
||||
"unable_to_save_api_key": "",
|
||||
"unable_to_save_name": "",
|
||||
"unable_to_save_profile": "",
|
||||
"unable_to_save_settings": "",
|
||||
"unable_to_scan_libraries": "",
|
||||
"unable_to_scan_library": "",
|
||||
"unable_to_set_profile_picture": "",
|
||||
"unable_to_submit_job": "",
|
||||
"unable_to_trash_asset": "",
|
||||
"unable_to_unlink_account": "",
|
||||
"unable_to_update_library": "",
|
||||
"unable_to_update_location": "",
|
||||
"unable_to_update_settings": "",
|
||||
"unable_to_update_timeline_display_status": "",
|
||||
"unable_to_update_user": ""
|
||||
},
|
||||
"exit_slideshow": "",
|
||||
"expand_all": "",
|
||||
"expire_after": "",
|
||||
"expired": "",
|
||||
"explore": "",
|
||||
"export": "",
|
||||
"export_as_json": "",
|
||||
"extension": "",
|
||||
"external": "",
|
||||
"external_libraries": "",
|
||||
"favorite": "",
|
||||
"favorite_or_unfavorite_photo": "",
|
||||
"favorites": "",
|
||||
"feature_photo_updated": "",
|
||||
"file_name": "",
|
||||
"file_name_or_extension": "",
|
||||
"filename": "",
|
||||
"filetype": "",
|
||||
"filter_people": "",
|
||||
"find_them_fast": "",
|
||||
"fix_incorrect_match": "",
|
||||
"forward": "",
|
||||
"general": "",
|
||||
"get_help": "",
|
||||
"getting_started": "",
|
||||
"go_back": "",
|
||||
"go_to_search": "",
|
||||
"group_albums_by": "",
|
||||
"has_quota": "",
|
||||
"hide_gallery": "",
|
||||
"hide_password": "",
|
||||
"hide_person": "",
|
||||
"host": "",
|
||||
"hour": "",
|
||||
"image": "",
|
||||
"immich_logo": "",
|
||||
"immich_web_interface": "",
|
||||
"import_from_json": "",
|
||||
"import_path": "",
|
||||
"in_archive": "",
|
||||
"include_archived": "",
|
||||
"include_shared_albums": "",
|
||||
"include_shared_partner_assets": "",
|
||||
"individual_share": "",
|
||||
"info": "",
|
||||
"interval": {
|
||||
"day_at_onepm": "",
|
||||
"hours": "",
|
||||
"night_at_midnight": "",
|
||||
"night_at_twoam": ""
|
||||
},
|
||||
"invite_people": "",
|
||||
"invite_to_album": "",
|
||||
"jobs": "",
|
||||
"keep": "",
|
||||
"keyboard_shortcuts": "",
|
||||
"language": "",
|
||||
"language_setting_description": "",
|
||||
"last_seen": "",
|
||||
"leave": "",
|
||||
"let_others_respond": "",
|
||||
"level": "",
|
||||
"library": "",
|
||||
"library_options": "",
|
||||
"light": "",
|
||||
"link_options": "",
|
||||
"link_to_oauth": "",
|
||||
"linked_oauth_account": "",
|
||||
"list": "",
|
||||
"loading": "",
|
||||
"loading_search_results_failed": "",
|
||||
"log_out": "",
|
||||
"log_out_all_devices": "",
|
||||
"login_has_been_disabled": "",
|
||||
"look": "",
|
||||
"loop_videos": "",
|
||||
"loop_videos_description": "",
|
||||
"make": "",
|
||||
"manage_shared_links": "",
|
||||
"manage_sharing_with_partners": "",
|
||||
"manage_the_app_settings": "",
|
||||
"manage_your_account": "",
|
||||
"manage_your_api_keys": "",
|
||||
"manage_your_devices": "",
|
||||
"manage_your_oauth_connection": "",
|
||||
"map": "",
|
||||
"map_marker_with_image": "",
|
||||
"map_settings": "",
|
||||
"matches": "",
|
||||
"media_type": "",
|
||||
"memories": "",
|
||||
"memories_setting_description": "",
|
||||
"menu": "",
|
||||
"merge": "",
|
||||
"merge_people": "",
|
||||
"merge_people_successfully": "",
|
||||
"minimize": "",
|
||||
"minute": "",
|
||||
"missing": "",
|
||||
"model": "",
|
||||
"month": "",
|
||||
"more": "",
|
||||
"moved_to_trash": "",
|
||||
"my_albums": "",
|
||||
"name": "",
|
||||
"name_or_nickname": "",
|
||||
"never": "",
|
||||
"new_api_key": "",
|
||||
"new_password": "",
|
||||
"new_person": "",
|
||||
"new_user_created": "",
|
||||
"newest_first": "",
|
||||
"next": "",
|
||||
"next_memory": "",
|
||||
"no": "",
|
||||
"no_albums_message": "",
|
||||
"no_archived_assets_message": "",
|
||||
"no_assets_message": "",
|
||||
"no_duplicates_found": "",
|
||||
"no_exif_info_available": "",
|
||||
"no_explore_results_message": "",
|
||||
"no_favorites_message": "",
|
||||
"no_libraries_message": "",
|
||||
"no_name": "",
|
||||
"no_places": "",
|
||||
"no_results": "",
|
||||
"no_shared_albums_message": "",
|
||||
"not_in_any_album": "",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "",
|
||||
"notes": "",
|
||||
"notification_toggle_setting_description": "",
|
||||
"notifications": "",
|
||||
"notifications_setting_description": "",
|
||||
"oauth": "",
|
||||
"offline": "",
|
||||
"offline_paths": "",
|
||||
"offline_paths_description": "",
|
||||
"ok": "",
|
||||
"oldest_first": "",
|
||||
"online": "",
|
||||
"only_favorites": "",
|
||||
"open_the_search_filters": "",
|
||||
"options": "",
|
||||
"organize_your_library": "",
|
||||
"other": "",
|
||||
"other_devices": "",
|
||||
"other_variables": "",
|
||||
"owned": "",
|
||||
"owner": "",
|
||||
"partner_can_access": "",
|
||||
"partner_can_access_assets": "",
|
||||
"partner_can_access_location": "",
|
||||
"partner_sharing": "",
|
||||
"partners": "",
|
||||
"password": "",
|
||||
"password_does_not_match": "",
|
||||
"password_required": "",
|
||||
"password_reset_success": "",
|
||||
"past_durations": {
|
||||
"days": "",
|
||||
"hours": "",
|
||||
"years": ""
|
||||
},
|
||||
"path": "",
|
||||
"pattern": "",
|
||||
"pause": "",
|
||||
"pause_memories": "",
|
||||
"paused": "",
|
||||
"pending": "",
|
||||
"people": "",
|
||||
"people_sidebar_description": "",
|
||||
"permanent_deletion_warning": "",
|
||||
"permanent_deletion_warning_setting_description": "",
|
||||
"permanently_delete": "",
|
||||
"permanently_deleted_asset": "",
|
||||
"photos": "",
|
||||
"photos_count": "",
|
||||
"photos_from_previous_years": "",
|
||||
"pick_a_location": "",
|
||||
"place": "",
|
||||
"places": "",
|
||||
"play": "",
|
||||
"play_memories": "",
|
||||
"play_motion_photo": "",
|
||||
"play_or_pause_video": "",
|
||||
"port": "",
|
||||
"preset": "",
|
||||
"preview": "",
|
||||
"previous": "",
|
||||
"previous_memory": "",
|
||||
"previous_or_next_photo": "",
|
||||
"primary": "",
|
||||
"profile_picture_set": "",
|
||||
"public_share": "",
|
||||
"reaction_options": "",
|
||||
"read_changelog": "",
|
||||
"recent": "",
|
||||
"recent_searches": "",
|
||||
"refresh": "",
|
||||
"refreshed": "",
|
||||
"refreshes_every_file": "",
|
||||
"remove": "",
|
||||
"remove_deleted_assets": "",
|
||||
"remove_from_album": "",
|
||||
"remove_from_favorites": "",
|
||||
"remove_from_shared_link": "",
|
||||
"removed_api_key": "",
|
||||
"rename": "",
|
||||
"repair": "",
|
||||
"repair_no_results_message": "",
|
||||
"replace_with_upload": "",
|
||||
"require_password": "",
|
||||
"require_user_to_change_password_on_first_login": "",
|
||||
"reset": "",
|
||||
"reset_password": "",
|
||||
"reset_people_visibility": "",
|
||||
"restore": "",
|
||||
"restore_all": "",
|
||||
"restore_user": "",
|
||||
"resume": "",
|
||||
"retry_upload": "",
|
||||
"review_duplicates": "",
|
||||
"role": "",
|
||||
"save": "",
|
||||
"saved_api_key": "",
|
||||
"saved_profile": "",
|
||||
"saved_settings": "",
|
||||
"say_something": "",
|
||||
"scan_all_libraries": "",
|
||||
"scan_settings": "",
|
||||
"search": "",
|
||||
"search_albums": "",
|
||||
"search_by_context": "",
|
||||
"search_camera_make": "",
|
||||
"search_camera_model": "",
|
||||
"search_city": "",
|
||||
"search_country": "",
|
||||
"search_for_existing_person": "",
|
||||
"search_people": "",
|
||||
"search_places": "",
|
||||
"search_state": "",
|
||||
"search_timezone": "",
|
||||
"search_type": "",
|
||||
"search_your_photos": "",
|
||||
"searching_locales": "",
|
||||
"second": "",
|
||||
"select_album_cover": "",
|
||||
"select_all": "",
|
||||
"select_avatar_color": "",
|
||||
"select_face": "",
|
||||
"select_featured_photo": "",
|
||||
"select_keep_all": "",
|
||||
"select_library_owner": "",
|
||||
"select_new_face": "",
|
||||
"select_photos": "",
|
||||
"select_trash_all": "",
|
||||
"selected": "",
|
||||
"send_message": "",
|
||||
"send_welcome_email": "",
|
||||
"server_stats": "",
|
||||
"set": "",
|
||||
"set_as_album_cover": "",
|
||||
"set_as_profile_picture": "",
|
||||
"set_date_of_birth": "",
|
||||
"set_profile_picture": "",
|
||||
"set_slideshow_to_fullscreen": "",
|
||||
"settings": "",
|
||||
"settings_saved": "",
|
||||
"share": "",
|
||||
"shared": "",
|
||||
"shared_by": "",
|
||||
"shared_by_you": "",
|
||||
"shared_from_partner": "",
|
||||
"shared_links": "",
|
||||
"shared_photos_and_videos_count": "",
|
||||
"shared_with_partner": "",
|
||||
"sharing": "",
|
||||
"sharing_sidebar_description": "",
|
||||
"show_album_options": "",
|
||||
"show_and_hide_people": "",
|
||||
"show_file_location": "",
|
||||
"show_gallery": "",
|
||||
"show_hidden_people": "",
|
||||
"show_in_timeline": "",
|
||||
"show_in_timeline_setting_description": "",
|
||||
"show_keyboard_shortcuts": "",
|
||||
"show_metadata": "",
|
||||
"show_or_hide_info": "",
|
||||
"show_password": "",
|
||||
"show_person_options": "",
|
||||
"show_progress_bar": "",
|
||||
"show_search_options": "",
|
||||
"shuffle": "",
|
||||
"sign_out": "",
|
||||
"sign_up": "",
|
||||
"size": "",
|
||||
"skip_to_content": "",
|
||||
"slideshow": "",
|
||||
"slideshow_settings": "",
|
||||
"sort_albums_by": "",
|
||||
"stack": "",
|
||||
"stack_selected_photos": "",
|
||||
"stacktrace": "",
|
||||
"start": "",
|
||||
"start_date": "",
|
||||
"state": "",
|
||||
"status": "",
|
||||
"stop_motion_photo": "",
|
||||
"stop_photo_sharing": "",
|
||||
"stop_photo_sharing_description": "",
|
||||
"stop_sharing_photos_with_user": "",
|
||||
"storage": "",
|
||||
"storage_label": "",
|
||||
"storage_usage": "",
|
||||
"submit": "",
|
||||
"suggestions": "",
|
||||
"sunrise_on_the_beach": "",
|
||||
"swap_merge_direction": "",
|
||||
"sync": "",
|
||||
"template": "",
|
||||
"theme": "",
|
||||
"theme_selection": "",
|
||||
"theme_selection_description": "",
|
||||
"time_based_memories": "",
|
||||
"timezone": "",
|
||||
"to_archive": "",
|
||||
"to_favorite": "",
|
||||
"toggle_settings": "",
|
||||
"toggle_theme": "",
|
||||
"total_usage": "",
|
||||
"trash": "",
|
||||
"trash_all": "",
|
||||
"trash_no_results_message": "",
|
||||
"trashed_items_will_be_permanently_deleted_after": "",
|
||||
"type": "",
|
||||
"unarchive": "",
|
||||
"unfavorite": "",
|
||||
"unhide_person": "",
|
||||
"unknown": "",
|
||||
"unknown_year": "",
|
||||
"unlimited": "",
|
||||
"unlink_oauth": "",
|
||||
"unlinked_oauth_account": "",
|
||||
"unselect_all": "",
|
||||
"unstack": "",
|
||||
"untracked_files": "",
|
||||
"untracked_files_decription": "",
|
||||
"up_next": "",
|
||||
"updated_password": "",
|
||||
"upload": "",
|
||||
"upload_concurrency": "",
|
||||
"url": "",
|
||||
"usage": "",
|
||||
"user": "",
|
||||
"user_id": "",
|
||||
"user_usage_detail": "",
|
||||
"username": "",
|
||||
"users": "",
|
||||
"utilities": "",
|
||||
"validate": "",
|
||||
"variables": "",
|
||||
"version": "",
|
||||
"video": "",
|
||||
"video_hover_setting": "",
|
||||
"video_hover_setting_description": "",
|
||||
"videos": "",
|
||||
"videos_count": "",
|
||||
"view_all": "",
|
||||
"view_all_users": "",
|
||||
"view_links": "",
|
||||
"view_next_asset": "",
|
||||
"view_previous_asset": "",
|
||||
"waiting": "",
|
||||
"week": "",
|
||||
"welcome": "",
|
||||
"welcome_to_immich": "",
|
||||
"year": "",
|
||||
"yes": "",
|
||||
"you_dont_have_any_shared_links": "",
|
||||
"zoom_image": ""
|
||||
}
|
||||
|
||||
181
i18n/ko.json
181
i18n/ko.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "앨범에 추가",
|
||||
"add_to_album_bottom_sheet_added": "{album}에 추가되었습니다.",
|
||||
"add_to_album_bottom_sheet_already_exists": "{album}에 이미 존재합니다.",
|
||||
"add_to_locked_folder": "잠긴 폴더로 이동",
|
||||
"add_to_shared_album": "공유 앨범에 추가",
|
||||
"add_url": "URL 추가",
|
||||
"added_to_archive": "보관함에 추가되었습니다.",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "계속 진행하려면 아래에 \"{email}\" 입력",
|
||||
"confirm_reprocess_all_faces": "모든 얼굴을 다시 처리하시겠습니까? 이름이 지정된 인물을 포함한 모든 인물이 삭제됩니다.",
|
||||
"confirm_user_password_reset": "{user}님의 비밀번호를 재설정하시겠습니까?",
|
||||
"confirm_user_pin_code_reset": "{user}님의 PIN 코드를 초기화하시겠습니까?",
|
||||
"create_job": "작업 생성",
|
||||
"cron_expression": "Cron 표현식",
|
||||
"cron_expression_description": "Cron 형식을 사용하여 스캔 주기를 설정합니다. 자세한 내용과 예시는 <link>Crontab Guru</link>를 참조하세요.",
|
||||
@@ -350,7 +348,6 @@
|
||||
"user_delete_delay_settings_description": "사용자 계정과 항목이 완전히 삭제되기까지의 유예 기간(일)을 설정합니다. 사용자 삭제 작업은 매일 자정에 실행되어 삭제 대상 여부를 확인합니다. 이 설정의 변경 사항은 다음 작업 실행 시 반영됩니다.",
|
||||
"user_delete_immediately": "<b>{user}</b>님이 업로드한 항목이 <b>영구적으로 삭제됩니다</b>.",
|
||||
"user_delete_immediately_checkbox": "유예 기간 없이 즉시 삭제",
|
||||
"user_details": "사용자 상세",
|
||||
"user_management": "사용자 관리",
|
||||
"user_password_has_been_reset": "사용자의 비밀번호가 초기화되었습니다:",
|
||||
"user_password_reset_description": "이 비밀번호를 해당 사용자에게 알려주세요. 임시 비밀번호로 로그인한 뒤 비밀번호를 반드시 변경해야 합니다.",
|
||||
@@ -372,7 +369,7 @@
|
||||
"advanced": "고급",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "이 옵션을 사용하면 동기화 중 미디어를 대체 기준으로 필터링할 수 있습니다. 앱이 모든 앨범을 제대로 감지하지 못할 때만 사용하세요.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "대체 기기 앨범 동기화 필터 사용 (실험적)",
|
||||
"advanced_settings_log_level_title": "로그 레벨: {level}",
|
||||
"advanced_settings_log_level_title": "로그 레벨: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "일부 기기의 경우 기기 내의 섬네일을 로드하는 속도가 매우 느립니다. 서버 이미지를 대신 로드하려면 이 설정을 활성화하세요.",
|
||||
"advanced_settings_prefer_remote_title": "서버 이미지 선호",
|
||||
"advanced_settings_proxy_headers_subtitle": "네트워크 요청을 보낼 때 Immich가 사용할 프록시 헤더를 정의합니다.",
|
||||
@@ -403,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "{user}님을 앨범에서 제거하시겠습니까?",
|
||||
"album_share_no_users": "이미 모든 사용자와 앨범을 공유 중이거나 다른 사용자가 없는 것 같습니다.",
|
||||
"album_thumbnail_card_item": "항목 1개",
|
||||
"album_thumbnail_card_items": "항목 {count}개",
|
||||
"album_thumbnail_card_items": "항목 {}개",
|
||||
"album_thumbnail_card_shared": " · 공유됨",
|
||||
"album_thumbnail_shared_by": "{user}님이 공유함",
|
||||
"album_thumbnail_shared_by": "{}님이 공유함",
|
||||
"album_updated": "항목 추가 알림",
|
||||
"album_updated_setting_description": "공유 앨범에 항목이 추가된 경우 이메일 알림 받기",
|
||||
"album_user_left": "{album} 앨범에서 나옴",
|
||||
@@ -443,7 +440,7 @@
|
||||
"archive": "보관함",
|
||||
"archive_or_unarchive_photo": "보관 처리 또는 해제",
|
||||
"archive_page_no_archived_assets": "보관된 항목 없음",
|
||||
"archive_page_title": "보관함 ({count})",
|
||||
"archive_page_title": "보관함 ({})",
|
||||
"archive_size": "압축 파일 크기",
|
||||
"archive_size_description": "다운로드할 압축 파일의 크기 구성 (GiB 단위)",
|
||||
"archived": "보관함",
|
||||
@@ -480,18 +477,18 @@
|
||||
"assets_added_to_album_count": "앨범에 항목 {count, plural, one {#개} other {#개}} 추가됨",
|
||||
"assets_added_to_name_count": "{hasName, select, true {<b>{name}</b>} other {새 앨범}}에 항목 {count, plural, one {#개} other {#개}} 추가됨",
|
||||
"assets_count": "{count, plural, one {#개} other {#개}} 항목",
|
||||
"assets_deleted_permanently": "{count}개 항목이 영구적으로 삭제됨",
|
||||
"assets_deleted_permanently_from_server": "서버에서 항목 {count}개가 영구적으로 삭제됨",
|
||||
"assets_deleted_permanently": "{}개 항목이 영구적으로 삭제됨",
|
||||
"assets_deleted_permanently_from_server": "서버에서 항목 {}개가 영구적으로 삭제됨",
|
||||
"assets_moved_to_trash_count": "휴지통으로 항목 {count, plural, one {#개} other {#개}} 이동됨",
|
||||
"assets_permanently_deleted_count": "항목 {count, plural, one {#개} other {#개}}가 영구적으로 삭제됨",
|
||||
"assets_removed_count": "항목 {count, plural, one {#개} other {#개}}를 제거했습니다.",
|
||||
"assets_removed_permanently_from_device": "기기에서 항목 {count}개가 영구적으로 삭제됨",
|
||||
"assets_removed_permanently_from_device": "기기에서 항목 {}개가 영구적으로 삭제됨",
|
||||
"assets_restore_confirmation": "휴지통으로 이동된 항목을 모두 복원하시겠습니까? 이 작업은 되돌릴 수 없습니다! 누락된 항목의 경우 복원되지 않습니다.",
|
||||
"assets_restored_count": "항목 {count, plural, one {#개} other {#개}}를 복원했습니다.",
|
||||
"assets_restored_successfully": "항목 {count}개를 복원했습니다.",
|
||||
"assets_trashed": "휴지통으로 항목 {count}개 이동됨",
|
||||
"assets_restored_successfully": "항목 {}개를 복원했습니다.",
|
||||
"assets_trashed": "휴지통으로 항목 {}개 이동됨",
|
||||
"assets_trashed_count": "휴지통으로 항목 {count, plural, one {#개} other {#개}} 이동됨",
|
||||
"assets_trashed_from_server": "서버에서 항목 {count}개가 휴지통으로 이동됨",
|
||||
"assets_trashed_from_server": "서버에 있는 항목 {}개가 휴지통으로 이동되었습니다.",
|
||||
"assets_were_part_of_album_count": "앨범에 이미 존재하는 {count, plural, one {항목} other {항목}}입니다.",
|
||||
"authorized_devices": "인증된 기기",
|
||||
"automatic_endpoint_switching_subtitle": "지정된 Wi-Fi가 사용 가능한 경우 내부망을 통해 연결하고, 그렇지 않으면 다른 연결 방식을 사용합니다.",
|
||||
@@ -500,7 +497,7 @@
|
||||
"back_close_deselect": "뒤로, 닫기, 선택 취소",
|
||||
"background_location_permission": "백그라운드 위치 권한",
|
||||
"background_location_permission_content": "백그라운드에서 네트워크를 전환하려면, Immich가 Wi-Fi 네트워크 이름을 확인할 수 있도록 '정확한 위치' 권한을 항상 허용해야 합니다.",
|
||||
"backup_album_selection_page_albums_device": "기기의 앨범 ({count})",
|
||||
"backup_album_selection_page_albums_device": "기기의 앨범 ({})",
|
||||
"backup_album_selection_page_albums_tap": "한 번 탭하면 포함되고, 두 번 탭하면 제외됩니다.",
|
||||
"backup_album_selection_page_assets_scatter": "각 항목은 여러 앨범에 포함될 수 있으며, 백업 진행 중에도 대상 앨범을 포함하거나 제외할 수 있습니다.",
|
||||
"backup_album_selection_page_select_albums": "앨범 선택",
|
||||
@@ -509,11 +506,11 @@
|
||||
"backup_all": "모두",
|
||||
"backup_background_service_backup_failed_message": "항목을 백업하지 못했습니다. 다시 시도하는 중…",
|
||||
"backup_background_service_connection_failed_message": "서버에 연결하지 못했습니다. 다시 시도하는 중…",
|
||||
"backup_background_service_current_upload_notification": "{filename} 업로드 중",
|
||||
"backup_background_service_current_upload_notification": "{} 업로드 중",
|
||||
"backup_background_service_default_notification": "새로운 항목을 확인하는 중…",
|
||||
"backup_background_service_error_title": "백업 오류",
|
||||
"backup_background_service_in_progress_notification": "항목을 백업하는 중…",
|
||||
"backup_background_service_upload_failure_notification": "{filename} 업로드 실패",
|
||||
"backup_background_service_upload_failure_notification": "{} 업로드 실패",
|
||||
"backup_controller_page_albums": "백업할 앨범",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "백그라운드 백업을 사용하려면 설정 > 일반 > 백그라운드 앱 새로 고침에서 백그라운드 앱 새로 고침을 활성화하세요.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "백그라운드 새로 고침 비활성화됨",
|
||||
@@ -524,7 +521,7 @@
|
||||
"backup_controller_page_background_battery_info_title": "배터리 최적화",
|
||||
"backup_controller_page_background_charging": "충전 중에만",
|
||||
"backup_controller_page_background_configure_error": "백그라운드 서비스 구성 실패",
|
||||
"backup_controller_page_background_delay": "새 미디어 백업 딜레이: {duration}",
|
||||
"backup_controller_page_background_delay": "새 미디어 백업 간격: {}",
|
||||
"backup_controller_page_background_description": "앱을 열지 않아도 새로 추가된 항목이 자동으로 백업되도록 하려면 백그라운드 서비스를 활성화하세요.",
|
||||
"backup_controller_page_background_is_off": "백그라운드 자동 백업이 비활성화되었습니다.",
|
||||
"backup_controller_page_background_is_on": "백그라운드 자동 백업이 활성화되었습니다.",
|
||||
@@ -534,11 +531,12 @@
|
||||
"backup_controller_page_backup": "백업",
|
||||
"backup_controller_page_backup_selected": "선택됨: ",
|
||||
"backup_controller_page_backup_sub": "백업된 사진 및 동영상",
|
||||
"backup_controller_page_created": "생성일: {date}",
|
||||
"backup_controller_page_created": "생성일: {}",
|
||||
"backup_controller_page_desc_backup": "포그라운드 백업을 활성화하여 앱을 시작할 때 새 항목을 서버에 자동으로 업로드하세요.",
|
||||
"backup_controller_page_excluded": "제외됨: ",
|
||||
"backup_controller_page_failed": "실패 ({count})",
|
||||
"backup_controller_page_filename": "파일명: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "실패 ({})",
|
||||
"backup_controller_page_filename": "파일명: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "백업 정보",
|
||||
"backup_controller_page_none_selected": "선택된 항목 없음",
|
||||
"backup_controller_page_remainder": "남은 항목",
|
||||
@@ -547,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "백업 시작",
|
||||
"backup_controller_page_status_off": "포그라운드 자동 백업이 비활성화되었습니다.",
|
||||
"backup_controller_page_status_on": "포그라운드 자동 백업이 활성화되었습니다.",
|
||||
"backup_controller_page_storage_format": "{total} 중 {used} 사용",
|
||||
"backup_controller_page_storage_format": "{} 사용 중, 전체 {}",
|
||||
"backup_controller_page_to_backup": "백업할 앨범 목록",
|
||||
"backup_controller_page_total_sub": "선택한 앨범의 고유한 사진 및 동영상",
|
||||
"backup_controller_page_turn_off": "비활성화",
|
||||
@@ -562,10 +560,6 @@
|
||||
"backup_options_page_title": "백업 옵션",
|
||||
"backup_setting_subtitle": "백그라운드 및 포그라운드 업로드 설정 관리",
|
||||
"backward": "뒤로",
|
||||
"biometric_auth_enabled": "생체 인증이 활성화되었습니다.",
|
||||
"biometric_locked_out": "생체 인증이 일시적으로 비활성화되었습니다.",
|
||||
"biometric_no_options": "사용 가능한 생체 인증 옵션 없음",
|
||||
"biometric_not_available": "이 기기는 생체 인증을 지원하지 않습니다.",
|
||||
"birthdate_saved": "생년월일이 성공적으로 저장되었습니다.",
|
||||
"birthdate_set_description": "생년월일은 사진 촬영 당시 인물의 나이를 계산하는 데 사용됩니다.",
|
||||
"blurred_background": "흐린 배경",
|
||||
@@ -576,21 +570,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "중복된 항목 {count, plural, one {#개를} other {#개를}} 그대로 유지하시겠습니까? 이 작업은 어떤 항목도 삭제하지 않고, 모든 중복 그룹을 확인한 것으로 처리합니다.",
|
||||
"bulk_trash_duplicates_confirmation": "중복된 항목 {count, plural, one {#개를} other {#개를}} 일괄 휴지통으로 이동하시겠습니까? 이 작업은 각 그룹에서 가장 큰 항목만 남기고 나머지 중복 항목을 휴지통으로 이동합니다.",
|
||||
"buy": "Immich 구매",
|
||||
"cache_settings_album_thumbnails": "라이브러리 페이지 섬네일 ({count} 항목)",
|
||||
"cache_settings_album_thumbnails": "라이브러리 페이지 섬네일 ({})",
|
||||
"cache_settings_clear_cache_button": "캐시 지우기",
|
||||
"cache_settings_clear_cache_button_title": "앱 캐시를 지웁니다. 이 작업은 캐시가 다시 생성될 때까지 앱 성능에 상당한 영향을 미칠 수 있습니다.",
|
||||
"cache_settings_duplicated_assets_clear_button": "지우기",
|
||||
"cache_settings_duplicated_assets_subtitle": "업로드되지 않는 사진 및 동영상",
|
||||
"cache_settings_duplicated_assets_title": "중복 항목 ({count})",
|
||||
"cache_settings_image_cache_size": "이미지 캐시 크기 ({count} 항목)",
|
||||
"cache_settings_duplicated_assets_title": "중복 항목 ({})",
|
||||
"cache_settings_image_cache_size": "이미지 캐시 크기 ({})",
|
||||
"cache_settings_statistics_album": "라이브러리 섬네일",
|
||||
"cache_settings_statistics_assets": "항목 {count}개 ({size})",
|
||||
"cache_settings_statistics_assets": "항목 {}개 ({})",
|
||||
"cache_settings_statistics_full": "전체 이미지",
|
||||
"cache_settings_statistics_shared": "공유 앨범 섬네일",
|
||||
"cache_settings_statistics_thumbnail": "섬네일",
|
||||
"cache_settings_statistics_title": "캐시 사용률",
|
||||
"cache_settings_subtitle": "Immich 모바일 앱의 캐싱 동작 제어",
|
||||
"cache_settings_thumbnail_size": "섬네일 캐시 크기 ({count} 항목)",
|
||||
"cache_settings_thumbnail_size": "섬네일 캐시 크기 ({})",
|
||||
"cache_settings_tile_subtitle": "로컬 스토리지 동작 제어",
|
||||
"cache_settings_tile_title": "로컬 스토리지",
|
||||
"cache_settings_title": "캐시 설정",
|
||||
@@ -603,9 +597,7 @@
|
||||
"cannot_merge_people": "인물을 병합할 수 없습니다.",
|
||||
"cannot_undo_this_action": "이 작업은 되돌릴 수 없습니다!",
|
||||
"cannot_update_the_description": "설명을 변경할 수 없습니다.",
|
||||
"cast": "캐스트",
|
||||
"change_date": "날짜 변경",
|
||||
"change_description": "설명 변경",
|
||||
"change_display_order": "표시 순서 변경",
|
||||
"change_expiration_time": "만료일 변경",
|
||||
"change_location": "위치 변경",
|
||||
@@ -618,7 +610,6 @@
|
||||
"change_password_form_new_password": "새 비밀번호 입력",
|
||||
"change_password_form_password_mismatch": "비밀번호가 일치하지 않습니다.",
|
||||
"change_password_form_reenter_new_password": "새 비밀번호 확인",
|
||||
"change_pin_code": "PIN 코드 변경",
|
||||
"change_your_password": "비밀번호 변경",
|
||||
"changed_visibility_successfully": "표시 여부가 성공적으로 변경되었습니다.",
|
||||
"check_all": "모두 확인",
|
||||
@@ -659,12 +650,11 @@
|
||||
"confirm_delete_face": "항목에서 {name}의 얼굴을 삭제하시겠습니까?",
|
||||
"confirm_delete_shared_link": "이 공유 링크를 삭제하시겠습니까?",
|
||||
"confirm_keep_this_delete_others": "이 항목을 제외한 스택의 모든 항목이 삭제됩니다. 계속하시겠습니까?",
|
||||
"confirm_new_pin_code": "새 PIN 코드 확인",
|
||||
"confirm_password": "비밀번호 확인",
|
||||
"contain": "맞춤",
|
||||
"context": "내용",
|
||||
"continue": "계속",
|
||||
"control_bottom_app_bar_album_info_shared": "항목 {count}개 · 공유됨",
|
||||
"control_bottom_app_bar_album_info_shared": "항목 {}개 · 공유됨",
|
||||
"control_bottom_app_bar_create_new_album": "앨범 생성",
|
||||
"control_bottom_app_bar_delete_from_immich": "Immich에서 삭제",
|
||||
"control_bottom_app_bar_delete_from_local": "기기에서 삭제",
|
||||
@@ -702,11 +692,9 @@
|
||||
"create_tag_description": "새 태그를 생성합니다. 하위 태그의 경우 /를 포함한 전체 태그명을 입력하세요.",
|
||||
"create_user": "사용자 생성",
|
||||
"created": "생성됨",
|
||||
"created_at": "생성됨",
|
||||
"crop": "자르기",
|
||||
"curated_object_page_title": "사물",
|
||||
"current_device": "현재 기기",
|
||||
"current_pin_code": "현재 PIN 코드",
|
||||
"current_server_address": "현재 서버 주소",
|
||||
"custom_locale": "사용자 지정 로케일",
|
||||
"custom_locale_description": "언어 및 지역에 따른 날짜 및 숫자 형식 지정",
|
||||
@@ -758,6 +746,7 @@
|
||||
"direction": "방향",
|
||||
"disabled": "비활성화됨",
|
||||
"disallow_edits": "뷰어로 설정",
|
||||
"discord": "Discord",
|
||||
"discover": "탐색",
|
||||
"dismiss_all_errors": "모든 오류 무시",
|
||||
"dismiss_error": "오류 무시",
|
||||
@@ -774,7 +763,7 @@
|
||||
"download_enqueue": "대기열에 다운로드",
|
||||
"download_error": "다운로드 오류",
|
||||
"download_failed": "다운로드 실패",
|
||||
"download_filename": "파일: {filename}",
|
||||
"download_filename": "파일: {}",
|
||||
"download_finished": "다운로드가 완료되었습니다.",
|
||||
"download_include_embedded_motion_videos": "내장된 동영상",
|
||||
"download_include_embedded_motion_videos_description": "모션 포토에 내장된 동영상을 개별 파일로 포함",
|
||||
@@ -798,7 +787,6 @@
|
||||
"edit_avatar": "프로필 수정",
|
||||
"edit_date": "날짜 변경",
|
||||
"edit_date_and_time": "날짜 및 시간 변경",
|
||||
"edit_description": "설명 편집",
|
||||
"edit_exclusion_pattern": "제외 규칙 수정",
|
||||
"edit_faces": "얼굴 수정",
|
||||
"edit_import_path": "가져올 경로 수정",
|
||||
@@ -819,23 +807,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "종횡비",
|
||||
"editor_crop_tool_h2_rotation": "회전",
|
||||
"email": "이메일",
|
||||
"email_notifications": "이메일 알림",
|
||||
"empty_folder": "폴더가 비어 있음",
|
||||
"empty_trash": "휴지통 비우기",
|
||||
"empty_trash_confirmation": "휴지통을 비우시겠습니까? 휴지통에 있는 모든 항목이 Immich에서 영구적으로 삭제됩니다.\n이 작업은 되돌릴 수 없습니다!",
|
||||
"enable": "활성화",
|
||||
"enable_biometric_auth_description": "생체 인증을 사용하려면 PIN 코드를 입력하세요.",
|
||||
"enabled": "활성화됨",
|
||||
"end_date": "종료일",
|
||||
"enqueued": "대기열에 추가됨",
|
||||
"enter_wifi_name": "Wi-Fi 이름 입력",
|
||||
"enter_your_pin_code": "PIN 코드 입력",
|
||||
"enter_your_pin_code_subtitle": "잠긴 폴더에 접근하려면 PIN 코드를 입력하세요.",
|
||||
"error": "오류",
|
||||
"error_change_sort_album": "앨범 표시 순서 변경 실패",
|
||||
"error_delete_face": "얼굴 삭제 중 오류가 발생했습니다.",
|
||||
"error_loading_image": "이미지 로드 오류",
|
||||
"error_saving_image": "오류: {error}",
|
||||
"error_saving_image": "오류: {}",
|
||||
"error_title": "오류 - 문제가 발생했습니다",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "다음 항목으로 이동할 수 없습니다.",
|
||||
@@ -888,7 +872,6 @@
|
||||
"unable_to_archive_unarchive": "{archived, select, true {보관함으로 항목을 이동할} other {보관함에서 항목을 제거할}} 수 없습니다.",
|
||||
"unable_to_change_album_user_role": "사용자의 역할을 변경할 수 없습니다.",
|
||||
"unable_to_change_date": "날짜를 변경할 수 없습니다.",
|
||||
"unable_to_change_description": "설명을 변경할 수 없습니다.",
|
||||
"unable_to_change_favorite": "즐겨찾기에 추가/제거할 수 없습니다.",
|
||||
"unable_to_change_location": "위치를 변경할 수 없습니다.",
|
||||
"unable_to_change_password": "비밀번호를 변경할 수 없습니다.",
|
||||
@@ -926,7 +909,6 @@
|
||||
"unable_to_log_out_all_devices": "모든 기기에서 로그아웃할 수 없습니다.",
|
||||
"unable_to_log_out_device": "기기에서 로그아웃할 수 없습니다.",
|
||||
"unable_to_login_with_oauth": "OAuth로 로그인할 수 없습니다.",
|
||||
"unable_to_move_to_locked_folder": "잠긴 폴더로 이동할 수 없습니다.",
|
||||
"unable_to_play_video": "동영상을 재생할 수 없습니다.",
|
||||
"unable_to_reassign_assets_existing_person": "항목을 {name, select, null {다른 인물에게} other {{name}에게}} 할당할 수 없습니다.",
|
||||
"unable_to_reassign_assets_new_person": "항목을 새 인물에 할당할 수 없습니다.",
|
||||
@@ -940,7 +922,6 @@
|
||||
"unable_to_remove_reaction": "반응을 제거할 수 없습니다.",
|
||||
"unable_to_repair_items": "항목을 수리할 수 없습니다.",
|
||||
"unable_to_reset_password": "비밀번호를 초기화할 수 없습니다.",
|
||||
"unable_to_reset_pin_code": "PIN 코드를 초기화할 수 없음",
|
||||
"unable_to_resolve_duplicate": "중복된 항목을 처리할 수 없습니다.",
|
||||
"unable_to_restore_assets": "항목을 복원할 수 없습니다.",
|
||||
"unable_to_restore_trash": "휴지통에서 항목을 복원할 수 없음",
|
||||
@@ -974,10 +955,10 @@
|
||||
"exif_bottom_sheet_location": "위치",
|
||||
"exif_bottom_sheet_people": "인물",
|
||||
"exif_bottom_sheet_person_add_person": "이름 추가",
|
||||
"exif_bottom_sheet_person_age": "{age}세",
|
||||
"exif_bottom_sheet_person_age_months": "생후 {months}개월",
|
||||
"exif_bottom_sheet_person_age_year_months": "생후 1년 {months}개월",
|
||||
"exif_bottom_sheet_person_age_years": "{years}세",
|
||||
"exif_bottom_sheet_person_age": "{}세",
|
||||
"exif_bottom_sheet_person_age_months": "생후 {}개월",
|
||||
"exif_bottom_sheet_person_age_year_months": "생후 1년 {}개월",
|
||||
"exif_bottom_sheet_person_age_years": "{}세",
|
||||
"exit_slideshow": "슬라이드 쇼 종료",
|
||||
"expand_all": "모두 확장",
|
||||
"experimental_settings_new_asset_list_subtitle": "진행 중",
|
||||
@@ -998,7 +979,6 @@
|
||||
"external_network_sheet_info": "선호하는 Wi-Fi 네트워크에 연결되어 있지 않은 경우, 앱은 아래에 나열된 URL 중 연결 가능한 첫 번째 주소를 위에서부터 순서대로 사용합니다.",
|
||||
"face_unassigned": "알 수 없음",
|
||||
"failed": "실패함",
|
||||
"failed_to_authenticate": "인증에 실패했습니다.",
|
||||
"failed_to_load_assets": "항목 로드 실패",
|
||||
"failed_to_load_folder": "폴더 로드 실패",
|
||||
"favorite": "즐겨찾기",
|
||||
@@ -1140,6 +1120,7 @@
|
||||
"list": "목록",
|
||||
"loading": "로드 중",
|
||||
"loading_search_results_failed": "검색 결과 로드 실패",
|
||||
"local_network": "Local network",
|
||||
"local_network_sheet_info": "지정한 Wi-Fi에 연결된 경우 앱은 해당 URL을 통해 서버에 연결합니다.",
|
||||
"location_permission": "위치 권한",
|
||||
"location_permission_content": "자동 전환 기능을 사용하려면 Immich가 현재 Wi-Fi 네트워크 이름을 확인하기 위한 '정확한 위치' 권한이 필요합니다.",
|
||||
@@ -1148,8 +1129,6 @@
|
||||
"location_picker_latitude_hint": "이곳에 위도 입력",
|
||||
"location_picker_longitude_error": "유효한 경도를 입력하세요.",
|
||||
"location_picker_longitude_hint": "이곳에 경도 입력",
|
||||
"lock": "잠금",
|
||||
"locked_folder": "잠긴 폴더",
|
||||
"log_out": "로그아웃",
|
||||
"log_out_all_devices": "모든 기기에서 로그아웃",
|
||||
"logged_out_all_devices": "모든 기기에서 로그아웃되었습니다.",
|
||||
@@ -1158,6 +1137,8 @@
|
||||
"login_disabled": "로그인이 비활성화되었습니다.",
|
||||
"login_form_api_exception": "API 예외가 발생했습니다. 서버 URL을 확인한 후 다시 시도하세요.",
|
||||
"login_form_back_button_text": "뒤로",
|
||||
"login_form_email_hint": "youremail@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "서버 엔드포인트 URL",
|
||||
"login_form_err_http": "http:// 또는 https://로 시작해야 합니다.",
|
||||
"login_form_err_invalid_email": "유효하지 않은 이메일",
|
||||
@@ -1192,8 +1173,8 @@
|
||||
"manage_your_devices": "로그인된 기기 관리",
|
||||
"manage_your_oauth_connection": "OAuth 연결 관리",
|
||||
"map": "지도",
|
||||
"map_assets_in_bound": "사진 {count}개",
|
||||
"map_assets_in_bounds": "사진 {count}개",
|
||||
"map_assets_in_bound": "사진 {}개",
|
||||
"map_assets_in_bounds": "사진 {}개",
|
||||
"map_cannot_get_user_location": "사용자의 위치를 가져올 수 없습니다.",
|
||||
"map_location_dialog_yes": "예",
|
||||
"map_location_picker_page_use_location": "이 위치 사용",
|
||||
@@ -1207,9 +1188,9 @@
|
||||
"map_settings": "지도 설정",
|
||||
"map_settings_dark_mode": "다크 모드",
|
||||
"map_settings_date_range_option_day": "지난 24시간",
|
||||
"map_settings_date_range_option_days": "지난 {days}일",
|
||||
"map_settings_date_range_option_days": "지난 {}일",
|
||||
"map_settings_date_range_option_year": "지난 1년",
|
||||
"map_settings_date_range_option_years": "지난 {years}년",
|
||||
"map_settings_date_range_option_years": "지난 {}년",
|
||||
"map_settings_dialog_title": "지도 설정",
|
||||
"map_settings_include_show_archived": "보관된 항목 포함",
|
||||
"map_settings_include_show_partners": "파트너가 공유한 항목 포함",
|
||||
@@ -1227,6 +1208,8 @@
|
||||
"memories_setting_description": "추억 표시 설정 관리",
|
||||
"memories_start_over": "다시 보기",
|
||||
"memories_swipe_to_close": "위로 밀어서 닫기",
|
||||
"memories_year_ago": "1년 전",
|
||||
"memories_years_ago": "{}년 전",
|
||||
"memory": "추억",
|
||||
"memory_lane_title": "{title} 추억",
|
||||
"menu": "메뉴",
|
||||
@@ -1243,9 +1226,6 @@
|
||||
"month": "월",
|
||||
"monthly_title_text_date_format": "yyyy년 M월",
|
||||
"more": "더보기",
|
||||
"move": "이동",
|
||||
"move_to_locked_folder": "잠긴 폴더로 이동",
|
||||
"move_to_locked_folder_confirmation": "이 사진과 동영상이 모든 앨범에서 제거되며, 잠긴 폴더에서만 볼 수 있습니다.",
|
||||
"moved_to_archive": "보관함으로 항목 {count, plural, one {#개} other {#개}} 이동됨",
|
||||
"moved_to_library": "라이브러리로 항목 {count, plural, one {#개} other {#개}} 이동됨",
|
||||
"moved_to_trash": "휴지통으로 이동되었습니다.",
|
||||
@@ -1262,8 +1242,6 @@
|
||||
"new_api_key": "API 키 생성",
|
||||
"new_password": "새 비밀번호",
|
||||
"new_person": "새 인물 생성",
|
||||
"new_pin_code": "새 PIN 코드",
|
||||
"new_pin_code_subtitle": "잠긴 폴더 설정을 시작합니다. 사진과 동영상을 안전하게 보호하기 위한 PIN 코드를 설정하세요.",
|
||||
"new_user_created": "사용자가 생성되었습니다.",
|
||||
"new_version_available": "새 버전 사용 가능",
|
||||
"newest_first": "최신순",
|
||||
@@ -1281,7 +1259,6 @@
|
||||
"no_explore_results_message": "더 많은 사진을 업로드하여 탐색 기능을 사용하세요.",
|
||||
"no_favorites_message": "즐겨찾기에 좋아하는 사진과 동영상을 추가하기",
|
||||
"no_libraries_message": "외부 라이브러리를 생성하여 기존 사진과 동영상을 확인하세요.",
|
||||
"no_locked_photos_message": "잠긴 폴더의 사진 및 동영상은 숨겨지며 라이브러리를 탐색할 때 표시되지 않습니다.",
|
||||
"no_name": "이름 없음",
|
||||
"no_notifications": "알림 없음",
|
||||
"no_people_found": "일치하는 인물 없음",
|
||||
@@ -1293,7 +1270,6 @@
|
||||
"not_selected": "선택되지 않음",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "참고: 이전에 업로드한 항목에도 스토리지 레이블을 적용하려면 다음을 실행합니다,",
|
||||
"notes": "참고",
|
||||
"nothing_here_yet": "아직 아무것도 없음",
|
||||
"notification_permission_dialog_content": "알림을 활성화하려면 설정에서 알림 권한을 허용하세요.",
|
||||
"notification_permission_list_tile_content": "알림을 활성화하려면 권한을 부여하세요.",
|
||||
"notification_permission_list_tile_enable_button": "알림 활성화",
|
||||
@@ -1301,6 +1277,7 @@
|
||||
"notification_toggle_setting_description": "이메일 알림 활성화",
|
||||
"notifications": "알림",
|
||||
"notifications_setting_description": "알림 설정 관리",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Immich 공식 리소스",
|
||||
"offline": "오프라인",
|
||||
"offline_paths": "누락된 파일",
|
||||
@@ -1339,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "파트너를 추가하지 못했습니다.",
|
||||
"partner_page_select_partner": "파트너 선택",
|
||||
"partner_page_shared_to_title": "공유 대상",
|
||||
"partner_page_stop_sharing_content": "더 이상 {partner}님이 사진에 접근할 수 없습니다.",
|
||||
"partner_page_stop_sharing_content": "더 이상 {}님이 사진에 접근할 수 없습니다.",
|
||||
"partner_sharing": "파트너와 공유",
|
||||
"partners": "파트너",
|
||||
"password": "비밀번호",
|
||||
@@ -1385,10 +1362,6 @@
|
||||
"photos_count": "사진 {count, plural, one {{count, number}개} other {{count, number}개}}",
|
||||
"photos_from_previous_years": "지난 몇 년간의 사진",
|
||||
"pick_a_location": "위치 선택",
|
||||
"pin_code_changed_successfully": "PIN 코드를 변경했습니다.",
|
||||
"pin_code_reset_successfully": "PIN 코드를 초기화했습니다.",
|
||||
"pin_code_setup_successfully": "PIN 코드를 설정했습니다.",
|
||||
"pin_verification": "PIN 코드 인증",
|
||||
"place": "장소",
|
||||
"places": "장소",
|
||||
"places_count": "{count, plural, one {{count, number} 장소} other {{count, number} 장소}}",
|
||||
@@ -1396,7 +1369,6 @@
|
||||
"play_memories": "추억 재생",
|
||||
"play_motion_photo": "모션 포토 재생",
|
||||
"play_or_pause_video": "동영상 재생/일시 정지",
|
||||
"please_auth_to_access": "계속 진행하려면 인증하세요.",
|
||||
"port": "포트",
|
||||
"preferences_settings_subtitle": "앱 설정 관리",
|
||||
"preferences_settings_title": "개인 설정",
|
||||
@@ -1407,7 +1379,6 @@
|
||||
"previous_or_next_photo": "이전/다음 사진으로",
|
||||
"primary": "주요",
|
||||
"privacy": "개인 정보",
|
||||
"profile": "프로필",
|
||||
"profile_drawer_app_logs": "로그",
|
||||
"profile_drawer_client_out_of_date_major": "모바일 앱이 최신 버전이 아닙니다. 최신 버전으로 업데이트하세요.",
|
||||
"profile_drawer_client_out_of_date_minor": "모바일 앱이 최신 버전이 아닙니다. 최신 버전으로 업데이트하세요.",
|
||||
@@ -1421,7 +1392,7 @@
|
||||
"public_share": "모든 사용자와 공유",
|
||||
"purchase_account_info": "서포터",
|
||||
"purchase_activated_subtitle": "Immich와 오픈 소스 소프트웨어를 지원해주셔서 감사합니다.",
|
||||
"purchase_activated_time": "{date} 등록됨",
|
||||
"purchase_activated_time": "{date, date} 등록됨",
|
||||
"purchase_activated_title": "제품 키가 성공적으로 등록되었습니다.",
|
||||
"purchase_button_activate": "등록",
|
||||
"purchase_button_buy": "구매",
|
||||
@@ -1487,7 +1458,6 @@
|
||||
"remove_deleted_assets": "누락된 파일 제거",
|
||||
"remove_from_album": "앨범에서 제거",
|
||||
"remove_from_favorites": "즐겨찾기에서 제거",
|
||||
"remove_from_locked_folder": "잠긴 폴더에서 내보내기",
|
||||
"remove_from_shared_link": "공유 링크에서 제거",
|
||||
"remove_memory": "추억 제거",
|
||||
"remove_photo_from_memory": "추억에서 사진 제거",
|
||||
@@ -1511,7 +1481,6 @@
|
||||
"reset": "초기화",
|
||||
"reset_password": "비밀번호 재설정",
|
||||
"reset_people_visibility": "인물 표시 여부 초기화",
|
||||
"reset_pin_code": "PIN 코드 초기화",
|
||||
"reset_to_default": "기본값으로 복원",
|
||||
"resolve_duplicates": "중복된 항목 확인",
|
||||
"resolved_all_duplicates": "중복된 항목을 모두 처리했습니다.",
|
||||
@@ -1585,6 +1554,7 @@
|
||||
"search_settings": "설정 검색",
|
||||
"search_state": "지역 검색...",
|
||||
"search_suggestion_list_smart_search_hint_1": "스마트 검색이 기본적으로 활성화되어 있습니다. 메타데이터로 검색하려면 다음을 사용하세요. ",
|
||||
"search_suggestion_list_smart_search_hint_2": "m:your-search-term",
|
||||
"search_tags": "태그로 검색...",
|
||||
"search_timezone": "시간대 검색...",
|
||||
"search_type": "검색 종류",
|
||||
@@ -1634,12 +1604,12 @@
|
||||
"setting_languages_apply": "적용",
|
||||
"setting_languages_subtitle": "앱 언어 변경",
|
||||
"setting_languages_title": "언어",
|
||||
"setting_notifications_notify_failures_grace_period": "백그라운드 백업 실패 알림: {duration}",
|
||||
"setting_notifications_notify_hours": "{count}시간",
|
||||
"setting_notifications_notify_failures_grace_period": "백그라운드 백업 실패 알림: {}",
|
||||
"setting_notifications_notify_hours": "{}시간",
|
||||
"setting_notifications_notify_immediately": "즉시",
|
||||
"setting_notifications_notify_minutes": "{count}분",
|
||||
"setting_notifications_notify_minutes": "{}분",
|
||||
"setting_notifications_notify_never": "알리지 않음",
|
||||
"setting_notifications_notify_seconds": "{count}초",
|
||||
"setting_notifications_notify_seconds": "{}초",
|
||||
"setting_notifications_single_progress_subtitle": "개별 항목의 상세 업로드 정보 표시",
|
||||
"setting_notifications_single_progress_title": "백그라운드 백업 상세 진행률 표시",
|
||||
"setting_notifications_subtitle": "알림 기본 설정 조정",
|
||||
@@ -1651,12 +1621,10 @@
|
||||
"settings": "설정",
|
||||
"settings_require_restart": "설정을 적용하려면 Immich를 다시 시작하세요.",
|
||||
"settings_saved": "설정이 저장되었습니다.",
|
||||
"setup_pin_code": "PIN 코드 설정",
|
||||
"share": "공유",
|
||||
"share_add_photos": "사진 추가",
|
||||
"share_assets_selected": "{count}개 선택됨",
|
||||
"share_assets_selected": "{}개 선택됨",
|
||||
"share_dialog_preparing": "준비 중...",
|
||||
"share_link": "공유 링크",
|
||||
"shared": "공유됨",
|
||||
"shared_album_activities_input_disable": "댓글이 비활성화되었습니다",
|
||||
"shared_album_activity_remove_content": "이 반응을 삭제하시겠습니까?",
|
||||
@@ -1669,33 +1637,34 @@
|
||||
"shared_by_user": "{user}님이 공유함",
|
||||
"shared_by_you": "내가 공유함",
|
||||
"shared_from_partner": "{partner}님의 사진",
|
||||
"shared_intent_upload_button_progress_text": "전체 {total}개 중 {current}개 업로드됨",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} 업로드됨",
|
||||
"shared_link_app_bar_title": "공유 링크",
|
||||
"shared_link_clipboard_copied_massage": "클립보드에 복사되었습니다.",
|
||||
"shared_link_clipboard_text": "링크: {link}\n비밀번호: {password}",
|
||||
"shared_link_clipboard_text": "링크: {}\n비밀번호: {}",
|
||||
"shared_link_create_error": "공유 링크 생성 중 문제가 발생했습니다.",
|
||||
"shared_link_edit_description_hint": "공유 링크 설명 입력",
|
||||
"shared_link_edit_expire_after_option_day": "1일",
|
||||
"shared_link_edit_expire_after_option_days": "{count}일",
|
||||
"shared_link_edit_expire_after_option_days": "{}일",
|
||||
"shared_link_edit_expire_after_option_hour": "1시간",
|
||||
"shared_link_edit_expire_after_option_hours": "{count}시간",
|
||||
"shared_link_edit_expire_after_option_hours": "{}시간",
|
||||
"shared_link_edit_expire_after_option_minute": "1분",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count}분",
|
||||
"shared_link_edit_expire_after_option_months": "{count}개월",
|
||||
"shared_link_edit_expire_after_option_year": "{count}년",
|
||||
"shared_link_edit_expire_after_option_minutes": "{}분",
|
||||
"shared_link_edit_expire_after_option_months": "{}개월",
|
||||
"shared_link_edit_expire_after_option_year": "{}년",
|
||||
"shared_link_edit_password_hint": "공유 비밀번호 입력",
|
||||
"shared_link_edit_submit_button": "링크 편집",
|
||||
"shared_link_error_server_url_fetch": "서버 URL을 불러올 수 없습니다.",
|
||||
"shared_link_expires_day": "{count}일 후 만료",
|
||||
"shared_link_expires_days": "{count}일 후 만료",
|
||||
"shared_link_expires_hour": "{count}시간 후 만료",
|
||||
"shared_link_expires_hours": "{count}시간 후 만료",
|
||||
"shared_link_expires_minute": "{count}분 후 만료",
|
||||
"shared_link_expires_minutes": "{count}분 후 만료",
|
||||
"shared_link_expires_day": "{}일 후 만료",
|
||||
"shared_link_expires_days": "{}일 후 만료",
|
||||
"shared_link_expires_hour": "{}시간 후 만료",
|
||||
"shared_link_expires_hours": "{}시간 후 만료",
|
||||
"shared_link_expires_minute": "{}분 후 만료",
|
||||
"shared_link_expires_minutes": "{}분 후 만료",
|
||||
"shared_link_expires_never": "만료되지 않음",
|
||||
"shared_link_expires_second": "{count}초 후 만료",
|
||||
"shared_link_expires_seconds": "{count}초 후 만료",
|
||||
"shared_link_expires_second": "{}초 후 만료",
|
||||
"shared_link_expires_seconds": "{}초 후 만료",
|
||||
"shared_link_individual_shared": "개인 공유",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "공유 링크 관리",
|
||||
"shared_link_options": "공유 링크 옵션",
|
||||
"shared_links": "공유 링크",
|
||||
@@ -1768,14 +1737,13 @@
|
||||
"stop_sharing_photos_with_user": "이 사용자와 사진 공유 중단",
|
||||
"storage": "저장 공간",
|
||||
"storage_label": "스토리지 레이블",
|
||||
"storage_quota": "스토리지 할당량",
|
||||
"storage_usage": "{available} 중 {used} 사용",
|
||||
"submit": "확인",
|
||||
"suggestions": "추천",
|
||||
"sunrise_on_the_beach": "이미지에 존재하는 사물 검색",
|
||||
"support": "지원",
|
||||
"support_and_feedback": "지원 & 제안",
|
||||
"support_third_party_description": "서드파티 패키지를 이용하여 Immich가 설치된 것으로 보입니다. 현재 발생하는 문제는 해당 패키지가 원인일 수 있으므로, 먼저 아래 링크를 통해 패키지 개발자에게 문의해주세요.",
|
||||
"support_third_party_description": "Immich가 서드파티 패키지로 설치 되었습니다. 링크를 눌러 먼저 패키지 문제인지 확인해 보세요.",
|
||||
"swap_merge_direction": "병합 방향 변경",
|
||||
"sync": "동기화",
|
||||
"sync_albums": "앨범 동기화",
|
||||
@@ -1795,7 +1763,7 @@
|
||||
"theme_selection": "테마 설정",
|
||||
"theme_selection_description": "브라우저 및 시스템 기본 설정에 따라 라이트 모드와 다크 모드를 자동으로 설정",
|
||||
"theme_setting_asset_list_storage_indicator_title": "타일에 서버 동기화 상태 표시",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "한 줄에 표시할 항목 수 ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "한 줄에 표시할 항목 수 ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "배경에 대표 색상을 적용합니다.",
|
||||
"theme_setting_colorful_interface_title": "미려한 인터페이스",
|
||||
"theme_setting_image_viewer_quality_subtitle": "상세 보기 이미지 품질 조정",
|
||||
@@ -1830,15 +1798,13 @@
|
||||
"trash_no_results_message": "삭제된 사진과 동영상이 여기에 표시됩니다.",
|
||||
"trash_page_delete_all": "모두 삭제",
|
||||
"trash_page_empty_trash_dialog_content": "휴지통을 비우시겠습니까? 휴지통에 있는 모든 항목이 Immich에서 영구적으로 제거됩니다.",
|
||||
"trash_page_info": "휴지통으로 이동된 항목은 {days}일 후 영구적으로 삭제됩니다.",
|
||||
"trash_page_info": "휴지통으로 이동된 항목은 {}일 후 영구적으로 삭제됩니다.",
|
||||
"trash_page_no_assets": "휴지통이 비어 있음",
|
||||
"trash_page_restore_all": "모두 복원",
|
||||
"trash_page_select_assets_btn": "항목 선택",
|
||||
"trash_page_title": "휴지통 ({count})",
|
||||
"trash_page_title": "휴지통 ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "휴지통으로 이동된 항목은 {days, plural, one {#일} other {#일}} 후 영구적으로 삭제됩니다.",
|
||||
"type": "형식",
|
||||
"unable_to_change_pin_code": "PIN 코드를 변경할 수 없음",
|
||||
"unable_to_setup_pin_code": "PIN 코드를 설정할 수 없음",
|
||||
"unarchive": "보관함에서 제거",
|
||||
"unarchived_count": "보관함에서 항목 {count, plural, other {#개}} 제거됨",
|
||||
"unfavorite": "즐겨찾기 해제",
|
||||
@@ -1874,17 +1840,15 @@
|
||||
"upload_status_errors": "오류",
|
||||
"upload_status_uploaded": "완료",
|
||||
"upload_success": "업로드가 완료되었습니다. 업로드된 항목을 보려면 페이지를 새로고침하세요.",
|
||||
"upload_to_immich": "Immich에 업로드 ({count})",
|
||||
"upload_to_immich": "Immich에 업로드 ({})",
|
||||
"uploading": "업로드 중",
|
||||
"url": "URL",
|
||||
"usage": "사용량",
|
||||
"use_biometric": "생체 인증 사용",
|
||||
"use_current_connection": "현재 네트워크 사용",
|
||||
"use_custom_date_range": "대신 맞춤 기간 사용",
|
||||
"user": "사용자",
|
||||
"user_id": "사용자 ID",
|
||||
"user_liked": "{user}님이 {type, select, photo {이 사진을} video {이 동영상을} asset {이 항목을} other {이 항목을}} 좋아합니다.",
|
||||
"user_pin_code_settings": "PIN 코드",
|
||||
"user_pin_code_settings_description": "PIN 코드 관리",
|
||||
"user_purchase_settings": "구매",
|
||||
"user_purchase_settings_description": "구매 및 제품 키 관리",
|
||||
"user_role_set": "{user}님에게 {role} 역할을 설정했습니다.",
|
||||
@@ -1934,7 +1898,6 @@
|
||||
"welcome": "환영합니다",
|
||||
"welcome_to_immich": "환영합니다",
|
||||
"wifi_name": "W-Fi 이름",
|
||||
"wrong_pin_code": "잘못된 PIN 코드",
|
||||
"year": "년",
|
||||
"years_ago": "{years, plural, one {#년} other {#년}} 전",
|
||||
"yes": "네",
|
||||
|
||||
724
i18n/lt.json
724
i18n/lt.json
File diff suppressed because it is too large
Load Diff
725
i18n/lv.json
725
i18n/lv.json
File diff suppressed because it is too large
Load Diff
@@ -166,6 +166,7 @@
|
||||
"enabled": "Овозможено",
|
||||
"end_date": "Краен датум",
|
||||
"error": "Грешка",
|
||||
"exif": "Exif",
|
||||
"expand_all": "Прошири ги сите",
|
||||
"expire_after": "Да истече после",
|
||||
"expired": "Истечено",
|
||||
@@ -234,6 +235,7 @@
|
||||
"no_results": "Нема резултати",
|
||||
"notes": "Белешки",
|
||||
"notifications": "Нотификации",
|
||||
"oauth": "OAuth",
|
||||
"offline": "Офлајн",
|
||||
"ok": "Ок",
|
||||
"online": "Онлајн",
|
||||
|
||||
1141
i18n/mn.json
1141
i18n/mn.json
File diff suppressed because it is too large
Load Diff
214
i18n/nb_NO.json
214
i18n/nb_NO.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Legg til album",
|
||||
"add_to_album_bottom_sheet_added": "Lagt til i {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Allerede i {album}",
|
||||
"add_to_locked_folder": "Legg til i låst mappe",
|
||||
"add_to_shared_album": "Legg til delt album",
|
||||
"add_url": "Legg til URL",
|
||||
"added_to_archive": "Lagt til i arkiv",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "For å bekrefte, skriv inn \"{email}\" nedenfor",
|
||||
"confirm_reprocess_all_faces": "Er du sikker på at du vil behandle alle ansikter på nytt? Dette vil også fjerne navngitte personer.",
|
||||
"confirm_user_password_reset": "Er du sikker på at du vil tilbakestille passordet til {user}?",
|
||||
"confirm_user_pin_code_reset": "Er du sikker på at du vil resette {user}'s PIN kode?",
|
||||
"create_job": "Lag jobb",
|
||||
"cron_expression": "Cron uttrykk",
|
||||
"cron_expression_description": "Still inn skanneintervallet med cron-formatet. For mer informasjon henvises til f.eks. <link>Crontab Guru</link>",
|
||||
@@ -194,7 +192,6 @@
|
||||
"oauth_auto_register": "Automatisk registrering",
|
||||
"oauth_auto_register_description": "Registrer automatisk nye brukere etter innlogging med OAuth",
|
||||
"oauth_button_text": "Knappetekst",
|
||||
"oauth_client_secret_description": "Kreves hvis PKCE (Proof Key for Code Exchange) ikke støttes av OAuth-leverandøren",
|
||||
"oauth_enable_description": "Logg inn med OAuth",
|
||||
"oauth_mobile_redirect_uri": "Mobil omdirigerings-URI",
|
||||
"oauth_mobile_redirect_uri_override": "Mobil omdirigerings-URI overstyring",
|
||||
@@ -350,7 +347,6 @@
|
||||
"user_delete_delay_settings_description": "Antall dager etter fjerning før en brukerkonto og dens filer permanent slettes. Brukerfjerningsjobben kjører ved midnatt for å sjekke etter brukere som er klare for sletting. Endringer i denne innstillingen vil bli evaluert ved neste utførelse.",
|
||||
"user_delete_immediately": "<b>{user}</b>s konto og elementer vil bli lagt i kø for permanent sletting <b>umiddelbart</b>.",
|
||||
"user_delete_immediately_checkbox": "Legg bruker og elementer i kø for umiddelbar sletting",
|
||||
"user_details": "Brukerdetaljer",
|
||||
"user_management": "Brukeradministrasjon",
|
||||
"user_password_has_been_reset": "Passordet til brukeren har blitt tilbakestilt:",
|
||||
"user_password_reset_description": "Vennligst oppgi det midlertidige passordet til brukeren og informer dem om at de må endre passordet ved neste pålogging.",
|
||||
@@ -372,7 +368,7 @@
|
||||
"advanced": "Avansert",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Bruk denne innstillingen for å filtrere mediefiler under synkronisering basert på alternative kriterier. Bruk kun denne innstillingen dersom man opplever problemer med at applikasjonen ikke oppdager alle album.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EKSPERIMENTELT] Bruk alternativ enhet album synk filter",
|
||||
"advanced_settings_log_level_title": "Loggnivå: {level}",
|
||||
"advanced_settings_log_level_title": "Loggnivå: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Noen enheter er veldige trege til å hente mikrobilder fra enheten. Aktiver denne innstillingen for å hente de eksternt istedenfor.",
|
||||
"advanced_settings_prefer_remote_title": "Foretrekk eksterne bilder",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definer proxy headere som Immich skal benytte ved enhver nettverksrequest",
|
||||
@@ -403,9 +399,9 @@
|
||||
"album_remove_user_confirmation": "Er du sikker på at du vil fjerne {user}?",
|
||||
"album_share_no_users": "Ser ut til at du har delt dette albumet med alle brukere, eller du ikke har noen brukere å dele det med.",
|
||||
"album_thumbnail_card_item": "1 objekt",
|
||||
"album_thumbnail_card_items": "{count} objekter",
|
||||
"album_thumbnail_card_items": "{} objekter",
|
||||
"album_thumbnail_card_shared": " · Delt",
|
||||
"album_thumbnail_shared_by": "Delt av {user}",
|
||||
"album_thumbnail_shared_by": "Delt av {}",
|
||||
"album_updated": "Album oppdatert",
|
||||
"album_updated_setting_description": "Motta e-postvarsling når et delt album får nye filer",
|
||||
"album_user_left": "Forlot {album}",
|
||||
@@ -443,7 +439,7 @@
|
||||
"archive": "Arkiver",
|
||||
"archive_or_unarchive_photo": "Arkiver eller ta ut av arkivet",
|
||||
"archive_page_no_archived_assets": "Ingen arkiverte objekter funnet",
|
||||
"archive_page_title": "Arkiv ({count})",
|
||||
"archive_page_title": "Arkiv ({})",
|
||||
"archive_size": "Arkivstørrelse",
|
||||
"archive_size_description": "Konfigurer arkivstørrelsen for nedlastinger (i GiB)",
|
||||
"archived": "Arkivert",
|
||||
@@ -480,18 +476,18 @@
|
||||
"assets_added_to_album_count": "Lagt til {count, plural, one {# asset} other {# assets}} i album",
|
||||
"assets_added_to_name_count": "Lagt til {count, plural, one {# asset} other {# assets}} i {hasName, select, true {<b>{name}</b>} other {new album}}",
|
||||
"assets_count": "{count, plural, one {# fil} other {# filer}}",
|
||||
"assets_deleted_permanently": "{count} objekt(er) slettet permanent",
|
||||
"assets_deleted_permanently_from_server": "{count} objekt(er) slettet permanent fra Immich-serveren",
|
||||
"assets_deleted_permanently": "{} objekt(er) slettet permanent",
|
||||
"assets_deleted_permanently_from_server": "{} objekt(er) slettet permanent fra Immich-serveren",
|
||||
"assets_moved_to_trash_count": "Flyttet {count, plural, one {# asset} other {# assets}} til søppel",
|
||||
"assets_permanently_deleted_count": "Permanent slettet {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_removed_count": "Slettet {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_removed_permanently_from_device": "{count} objekt(er) slettet permanent fra enheten din",
|
||||
"assets_removed_permanently_from_device": "{} objekt(er) slettet permanent fra enheten din",
|
||||
"assets_restore_confirmation": "Er du sikker på at du vil gjenopprette alle slettede eiendeler? Denne handlingen kan ikke angres! Vær oppmerksom på at frakoblede ressurser ikke kan gjenopprettes på denne måten.",
|
||||
"assets_restored_count": "Gjenopprettet {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_restored_successfully": "{count} objekt(er) gjenopprettet",
|
||||
"assets_trashed": "{count} objekt(er) slettet",
|
||||
"assets_restored_successfully": "{} objekt(er) gjenopprettet",
|
||||
"assets_trashed": "{} objekt(er) slettet",
|
||||
"assets_trashed_count": "Kastet {count, plural, one {# asset} other {# assets}}",
|
||||
"assets_trashed_from_server": "{count} objekt(er) slettet fra Immich serveren",
|
||||
"assets_trashed_from_server": "{} objekt(er) slettet fra Immich serveren",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Asset was} other {Assets were}} er allerede lagt til i albumet",
|
||||
"authorized_devices": "Autoriserte enheter",
|
||||
"automatic_endpoint_switching_subtitle": "Koble til lokalt over angitt Wi-Fi når det er tilgjengelig, og bruk alternative tilkoblinger andre steder",
|
||||
@@ -500,7 +496,7 @@
|
||||
"back_close_deselect": "Tilbake, lukk eller fjern merking",
|
||||
"background_location_permission": "Bakgrunnstillatelse for plassering",
|
||||
"background_location_permission_content": "For å bytte nettverk når du kjører i bakgrunnen, må Immich *alltid* ha presis posisjonstilgang slik at appen kan lese Wi-Fi-nettverkets navn",
|
||||
"backup_album_selection_page_albums_device": "Album på enhet ({count})",
|
||||
"backup_album_selection_page_albums_device": "Album på enhet ({})",
|
||||
"backup_album_selection_page_albums_tap": "Trykk for å inkludere, dobbelttrykk for å ekskludere",
|
||||
"backup_album_selection_page_assets_scatter": "Objekter kan bli spredd over flere album. Album kan derfor bli inkludert eller ekskludert under sikkerhetskopieringen.",
|
||||
"backup_album_selection_page_select_albums": "Velg album",
|
||||
@@ -509,21 +505,22 @@
|
||||
"backup_all": "Alle",
|
||||
"backup_background_service_backup_failed_message": "Sikkerhetskopiering av objekter feilet. Prøver på nytt…",
|
||||
"backup_background_service_connection_failed_message": "Tilkobling til server feilet. Prøver på nytt…",
|
||||
"backup_background_service_current_upload_notification": "Laster opp {filename}",
|
||||
"backup_background_service_current_upload_notification": "Laster opp {}",
|
||||
"backup_background_service_default_notification": "Ser etter nye objekter…",
|
||||
"backup_background_service_error_title": "Sikkerhetskopieringsfeil",
|
||||
"backup_background_service_in_progress_notification": "Sikkerhetskopierer objekter…",
|
||||
"backup_background_service_upload_failure_notification": "Opplasting feilet {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Opplasting feilet {}",
|
||||
"backup_controller_page_albums": "Sikkerhetskopier albumer",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Aktiver bakgrunnsoppdatering i Innstillinger > Generelt > Bakgrunnsoppdatering for å bruke sikkerhetskopiering i bakgrunnen.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Bakgrunnsoppdateringer er deaktivert",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Gå til innstillinger",
|
||||
"backup_controller_page_background_battery_info_link": "Vis meg hvordan",
|
||||
"backup_controller_page_background_battery_info_message": "For at sikkerhetskopiering i bakgrunnen skal fungere optimalt, deaktiver enhver batterioptimalisering som kan begrense bakgrunnsaktiviteten til Immich.\n\nSiden dette er en enhetsspesifikk justering, må du finne det i innstillingene på enheten din.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Batterioptimalisering",
|
||||
"backup_controller_page_background_charging": "Kun ved lading",
|
||||
"backup_controller_page_background_configure_error": "Konfigurering av bakgrunnstjenesten feilet",
|
||||
"backup_controller_page_background_delay": "Forsink sikkerhetskopiering av nye objekter: {duration}",
|
||||
"backup_controller_page_background_delay": "Forsink sikkerhetskopiering av nye objekter: {}",
|
||||
"backup_controller_page_background_description": "Skru på bakgrunnstjenesten for å automatisk sikkerhetskopiere alle nye objekter uten å måtte åpne appen",
|
||||
"backup_controller_page_background_is_off": "Automatisk sikkerhetskopiering i bakgrunnen er deaktivert",
|
||||
"backup_controller_page_background_is_on": "Automatisk sikkerhetskopiering i bakgrunnen er aktivert",
|
||||
@@ -533,12 +530,12 @@
|
||||
"backup_controller_page_backup": "Sikkerhetskopier",
|
||||
"backup_controller_page_backup_selected": "Valgte: ",
|
||||
"backup_controller_page_backup_sub": "Opplastede bilder og videoer",
|
||||
"backup_controller_page_created": "Opprettet: {date}",
|
||||
"backup_controller_page_created": "Opprettet: {}",
|
||||
"backup_controller_page_desc_backup": "Slå på sikkerhetskopiering i forgrunnen for automatisk å laste opp nye objekter til serveren når du åpner appen.",
|
||||
"backup_controller_page_excluded": "Ekskludert: ",
|
||||
"backup_controller_page_failed": "Feilet ({count})",
|
||||
"backup_controller_page_filename": "Filnavn: {filename} [{size}]",
|
||||
"backup_controller_page_id": "ID: {id}",
|
||||
"backup_controller_page_failed": "Feilet ({})",
|
||||
"backup_controller_page_filename": "Filnavn: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informasjon om sikkerhetskopi",
|
||||
"backup_controller_page_none_selected": "Ingen valgt",
|
||||
"backup_controller_page_remainder": "Gjenstår",
|
||||
@@ -547,7 +544,7 @@
|
||||
"backup_controller_page_start_backup": "Start sikkerhetskopiering",
|
||||
"backup_controller_page_status_off": "Automatisk sikkerhetskopiering i forgrunnen er av",
|
||||
"backup_controller_page_status_on": "Automatisk sikkerhetskopiering i forgrunnen er på",
|
||||
"backup_controller_page_storage_format": "{used} av {total} brukt",
|
||||
"backup_controller_page_storage_format": "{} av {} brukt",
|
||||
"backup_controller_page_to_backup": "Albumer som skal sikkerhetskopieres",
|
||||
"backup_controller_page_total_sub": "Alle unike bilder og videoer fra valgte album",
|
||||
"backup_controller_page_turn_off": "Slå av sikkerhetskopiering i forgrunnen",
|
||||
@@ -562,10 +559,6 @@
|
||||
"backup_options_page_title": "Backupinnstillinger",
|
||||
"backup_setting_subtitle": "Administrer opplastingsinnstillinger for bakgrunn og forgrunn",
|
||||
"backward": "Bakover",
|
||||
"biometric_auth_enabled": "Biometrisk autentisering aktivert",
|
||||
"biometric_locked_out": "Du er låst ute av biometrisk verifisering",
|
||||
"biometric_no_options": "Ingen biometriske valg tilgjengelige",
|
||||
"biometric_not_available": "Biometrisk autentisering er ikke tilgjengelig på denne enheten",
|
||||
"birthdate_saved": "Fødselsdato er vellykket lagret",
|
||||
"birthdate_set_description": "Fødelsdatoen er brukt for å beregne alderen til denne personen ved tidspunktet til bildet.",
|
||||
"blurred_background": "Uskarp bakgrunn",
|
||||
@@ -576,21 +569,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Er du sikker på at du vil beholde {count, plural, one {# duplicate asset} other {# duplicate assets}} dupliserte filer? Dette vil løse alle dupliserte grupper uten å slette noe.",
|
||||
"bulk_trash_duplicates_confirmation": "Er du sikker på ønsker å slette {count, plural, one {# duplicate asset} other {# duplicate assets}} dupliserte filer? Dette vil beholde største filen fra hver gruppe, samt slette alle andre duplikater.",
|
||||
"buy": "Kjøp Immich",
|
||||
"cache_settings_album_thumbnails": "Bibliotekminiatyrbilder ({count} objekter)",
|
||||
"cache_settings_album_thumbnails": "Bibliotekminiatyrbilder ({} objekter)",
|
||||
"cache_settings_clear_cache_button": "Tøm buffer",
|
||||
"cache_settings_clear_cache_button_title": "Tømmer app-ens buffer. Dette vil ha betydelig innvirkning på appens ytelse inntil bufferen er gjenoppbygd.",
|
||||
"cache_settings_duplicated_assets_clear_button": "TØM",
|
||||
"cache_settings_duplicated_assets_subtitle": "Bilder og videoer som er svartelistet av app'en",
|
||||
"cache_settings_duplicated_assets_title": "Dupliserte objekter ({count})",
|
||||
"cache_settings_image_cache_size": "Størrelse på bildebuffer ({count} objekter)",
|
||||
"cache_settings_duplicated_assets_title": "Dupliserte objekter ({})",
|
||||
"cache_settings_image_cache_size": "Størrelse på bildebuffer ({} objekter)",
|
||||
"cache_settings_statistics_album": "Bibliotekminiatyrbilder",
|
||||
"cache_settings_statistics_assets": "{count} objekter ({size})",
|
||||
"cache_settings_statistics_assets": "{} objekter ({})",
|
||||
"cache_settings_statistics_full": "Originalbilder",
|
||||
"cache_settings_statistics_shared": "Delte albumminiatyrbilder",
|
||||
"cache_settings_statistics_thumbnail": "Miniatyrbilder",
|
||||
"cache_settings_statistics_title": "Bufferbruk",
|
||||
"cache_settings_subtitle": "Kontroller bufringsadferden til Immich-appen",
|
||||
"cache_settings_thumbnail_size": "Størrelse på miniatyrbildebuffer ({count} objekter)",
|
||||
"cache_settings_thumbnail_size": "Størrelse på miniatyrbildebuffer ({} objekter)",
|
||||
"cache_settings_tile_subtitle": "Kontroller lokal lagring",
|
||||
"cache_settings_tile_title": "Lokal lagring",
|
||||
"cache_settings_title": "Bufringsinnstillinger",
|
||||
@@ -604,7 +597,6 @@
|
||||
"cannot_undo_this_action": "Du kan ikke gjøre om denne handlingen!",
|
||||
"cannot_update_the_description": "Kan ikke oppdatere beskrivelsen",
|
||||
"change_date": "Endre dato",
|
||||
"change_description": "Endre beskrivelsen",
|
||||
"change_display_order": "Endre visningsrekkefølge",
|
||||
"change_expiration_time": "Endre utløpstid",
|
||||
"change_location": "Endre sted",
|
||||
@@ -617,7 +609,6 @@
|
||||
"change_password_form_new_password": "Nytt passord",
|
||||
"change_password_form_password_mismatch": "Passordene stemmer ikke",
|
||||
"change_password_form_reenter_new_password": "Skriv nytt passord igjen",
|
||||
"change_pin_code": "Endre PIN kode",
|
||||
"change_your_password": "Endre passordet ditt",
|
||||
"changed_visibility_successfully": "Endret synlighet vellykket",
|
||||
"check_all": "Sjekk alle",
|
||||
@@ -632,6 +623,7 @@
|
||||
"clear_all_recent_searches": "Fjern alle nylige søk",
|
||||
"clear_message": "Fjern melding",
|
||||
"clear_value": "Fjern verdi",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Skriv inn passord",
|
||||
"client_cert_import": "Importer",
|
||||
"client_cert_import_success_msg": "Klient sertifikat er importert",
|
||||
@@ -657,12 +649,11 @@
|
||||
"confirm_delete_face": "Er du sikker på at du vil slette {name} sitt ansikt fra ativia?",
|
||||
"confirm_delete_shared_link": "Er du sikker på at du vil slette denne delte lenken?",
|
||||
"confirm_keep_this_delete_others": "Alle andre ressurser i denne stabelen vil bli slettet bortsett fra denne ressursen. Er du sikker på at du vil fortsette?",
|
||||
"confirm_new_pin_code": "Bekreft ny PIN kode",
|
||||
"confirm_password": "Bekreft passord",
|
||||
"contain": "Inneholder",
|
||||
"context": "Kontekst",
|
||||
"continue": "Fortsett",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} objekter · Delt",
|
||||
"control_bottom_app_bar_album_info_shared": "{} objekter · Delt",
|
||||
"control_bottom_app_bar_create_new_album": "Lag nytt album",
|
||||
"control_bottom_app_bar_delete_from_immich": "Slett fra Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Slett fra enhet",
|
||||
@@ -700,11 +691,9 @@
|
||||
"create_tag_description": "Lag en ny tag. For undertag, vennligst fullfør hele stien til taggen, inkludert forovervendt skråstrek.",
|
||||
"create_user": "Opprett Bruker",
|
||||
"created": "Opprettet",
|
||||
"created_at": "Laget",
|
||||
"crop": "Beskjær",
|
||||
"curated_object_page_title": "Ting",
|
||||
"current_device": "Nåværende enhet",
|
||||
"current_pin_code": "Nåværende PIN kode",
|
||||
"current_server_address": "Nåværende serveradresse",
|
||||
"custom_locale": "Tilpasset lokalisering",
|
||||
"custom_locale_description": "Formater datoer og tall basert på språk og region",
|
||||
@@ -756,6 +745,7 @@
|
||||
"direction": "Retning",
|
||||
"disabled": "Deaktivert",
|
||||
"disallow_edits": "Forby redigering",
|
||||
"discord": "Discord",
|
||||
"discover": "Oppdag",
|
||||
"dismiss_all_errors": "Avvis alle feil",
|
||||
"dismiss_error": "Avvis feil",
|
||||
@@ -772,7 +762,7 @@
|
||||
"download_enqueue": "Nedlasting satt i kø",
|
||||
"download_error": "Nedlasting feilet",
|
||||
"download_failed": "Nedlasting feilet",
|
||||
"download_filename": "fil: {filename}",
|
||||
"download_filename": "fil: {}",
|
||||
"download_finished": "Nedlasting fullført",
|
||||
"download_include_embedded_motion_videos": "Innebygde videoer",
|
||||
"download_include_embedded_motion_videos_description": "Inkluder innebygde videoer i levende bilder som en egen fil",
|
||||
@@ -796,8 +786,6 @@
|
||||
"edit_avatar": "Rediger avatar",
|
||||
"edit_date": "Rediger dato",
|
||||
"edit_date_and_time": "Rediger dato og tid",
|
||||
"edit_description": "Endre beskrivelse",
|
||||
"edit_description_prompt": "Vennligst velg en ny beskrivelse:",
|
||||
"edit_exclusion_pattern": "Rediger eksklusjonsmønster",
|
||||
"edit_faces": "Rediger ansikter",
|
||||
"edit_import_path": "Rediger import-sti",
|
||||
@@ -818,23 +806,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "Sideforhold",
|
||||
"editor_crop_tool_h2_rotation": "Rotasjon",
|
||||
"email": "E-postadresse",
|
||||
"email_notifications": "Epostvarsler",
|
||||
"empty_folder": "Denne mappen er tom",
|
||||
"empty_trash": "Tøm papirkurv",
|
||||
"empty_trash_confirmation": "Er du sikker på at du vil tømme søppelbøtta? Dette vil slette alle filene i søppelbøtta permanent fra Immich.\nDu kan ikke angre denne handlingen!",
|
||||
"enable": "Aktivere",
|
||||
"enable_biometric_auth_description": "Skriv inn PINkoden for å aktivere biometrisk autentisering",
|
||||
"enabled": "Aktivert",
|
||||
"end_date": "Slutt dato",
|
||||
"enqueued": "I kø",
|
||||
"enter_wifi_name": "Skriv inn Wi-Fi navn",
|
||||
"enter_your_pin_code": "Skriv inn din PIN kode",
|
||||
"enter_your_pin_code_subtitle": "Skriv inn din PIN kode for å få tilgang til låst mappe",
|
||||
"error": "Feil",
|
||||
"error_change_sort_album": "Feilet ved endring av sorteringsrekkefølge på albumer",
|
||||
"error_delete_face": "Feil ved sletting av ansikt fra aktivia",
|
||||
"error_loading_image": "Feil ved lasting av bilde",
|
||||
"error_saving_image": "Feil: {error}",
|
||||
"error_saving_image": "Feil: {}",
|
||||
"error_title": "Feil - Noe gikk galt",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Kan ikke navigere til neste fil",
|
||||
@@ -864,12 +848,10 @@
|
||||
"failed_to_keep_this_delete_others": "Feilet med å beholde dette bilde og slette de andre",
|
||||
"failed_to_load_asset": "Feilet med å laste bilder",
|
||||
"failed_to_load_assets": "Feilet med å laste bilde",
|
||||
"failed_to_load_notifications": "Kunne ikke laste inn varsler",
|
||||
"failed_to_load_people": "Feilen med å laste mennesker",
|
||||
"failed_to_remove_product_key": "Feilet med å ta bort produkt nøkkel",
|
||||
"failed_to_stack_assets": "Feilet med å stable bilder",
|
||||
"failed_to_unstack_assets": "Feilet med å avstable bilder",
|
||||
"failed_to_update_notification_status": "Kunne ikke oppdatere varslingsstatusen",
|
||||
"import_path_already_exists": "Denne importstien eksisterer allerede.",
|
||||
"incorrect_email_or_password": "Feil epost eller passord",
|
||||
"paths_validation_failed": "{paths, plural, one {# sti} other {# sti}} mislyktes validering",
|
||||
@@ -887,7 +869,6 @@
|
||||
"unable_to_archive_unarchive": "Kan ikke {archived, select, true {archive} other {unarchive}}",
|
||||
"unable_to_change_album_user_role": "Kan ikke endre brukerens rolle i albumet",
|
||||
"unable_to_change_date": "Kan ikke endre dato",
|
||||
"unable_to_change_description": "Klarte ikke å oppdatere beskrivelse",
|
||||
"unable_to_change_favorite": "Kan ikke endre favoritt for bildet",
|
||||
"unable_to_change_location": "Kan ikke endre plassering",
|
||||
"unable_to_change_password": "Kan ikke endre passord",
|
||||
@@ -925,7 +906,6 @@
|
||||
"unable_to_log_out_all_devices": "Kan ikke logge ut fra alle enheter",
|
||||
"unable_to_log_out_device": "Kan ikke logge ut av enhet",
|
||||
"unable_to_login_with_oauth": "Kan ikke logge inn med OAuth",
|
||||
"unable_to_move_to_locked_folder": "Klarte ikke å flytte til låst mappe",
|
||||
"unable_to_play_video": "Kan ikke spille av video",
|
||||
"unable_to_reassign_assets_existing_person": "Kunne ikke endre bruker på bildene til {name, select, null {an existing person} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Kunne ikke tildele bildene til en ny person",
|
||||
@@ -939,7 +919,6 @@
|
||||
"unable_to_remove_reaction": "Kan ikke fjerne reaksjon",
|
||||
"unable_to_repair_items": "Kan ikke reparere elementer",
|
||||
"unable_to_reset_password": "Kan ikke tilbakestille passord",
|
||||
"unable_to_reset_pin_code": "Klarte ikke å resette PIN kode",
|
||||
"unable_to_resolve_duplicate": "Kan ikke løse duplikat",
|
||||
"unable_to_restore_assets": "Kan ikke gjenopprette filer",
|
||||
"unable_to_restore_trash": "Kan ikke gjenopprette papirkurven",
|
||||
@@ -973,10 +952,10 @@
|
||||
"exif_bottom_sheet_location": "PLASSERING",
|
||||
"exif_bottom_sheet_people": "MENNESKER",
|
||||
"exif_bottom_sheet_person_add_person": "Legg til navn",
|
||||
"exif_bottom_sheet_person_age": "Alder {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Alder {months} måneder",
|
||||
"exif_bottom_sheet_person_age_year_months": "Alder 1 år, {months} måneder",
|
||||
"exif_bottom_sheet_person_age_years": "Alder {years}",
|
||||
"exif_bottom_sheet_person_age": "Alder {}",
|
||||
"exif_bottom_sheet_person_age_months": "Alder {} måneder",
|
||||
"exif_bottom_sheet_person_age_year_months": "Alder 1 år, {} måneder",
|
||||
"exif_bottom_sheet_person_age_years": "Alder {}",
|
||||
"exit_slideshow": "Avslutt lysbildefremvisning",
|
||||
"expand_all": "Utvid alle",
|
||||
"experimental_settings_new_asset_list_subtitle": "Under utvikling",
|
||||
@@ -997,7 +976,6 @@
|
||||
"external_network_sheet_info": "Når du ikke er på det foretrukne Wi-Fi-nettverket, vil appen koble seg til serveren via den første av URL-ene nedenfor den kan nå, fra topp til bunn",
|
||||
"face_unassigned": "Ikke tilordnet",
|
||||
"failed": "Feilet",
|
||||
"failed_to_authenticate": "Kunne ikke autentisere",
|
||||
"failed_to_load_assets": "Feilet med å laste fil",
|
||||
"failed_to_load_folder": "Kunne ikke laste inn mappe",
|
||||
"favorite": "Favoritt",
|
||||
@@ -1011,6 +989,7 @@
|
||||
"file_name_or_extension": "Filnavn eller filtype",
|
||||
"filename": "Filnavn",
|
||||
"filetype": "Filtype",
|
||||
"filter": "Filter",
|
||||
"filter_people": "Filtrer personer",
|
||||
"filter_places": "Filtrer steder",
|
||||
"find_them_fast": "Finn dem raskt ved søking av navn",
|
||||
@@ -1062,13 +1041,10 @@
|
||||
"home_page_favorite_err_local": "Kan ikke sette favoritt på lokale objekter enda, hopper over",
|
||||
"home_page_favorite_err_partner": "Kan ikke merke partnerobjekter som favoritt enda, hopper over",
|
||||
"home_page_first_time_notice": "Hvis dette er første gangen du benytter appen, velg et album (eller flere) for sikkerhetskopiering, slik at tidslinjen kan fylles med dine bilder og videoer",
|
||||
"home_page_locked_error_local": "Kunne ikke flytte lokale objekter til låst mappe, hopper over",
|
||||
"home_page_locked_error_partner": "Kunne ikke flytte partner objekter til låst mappe, hopper over",
|
||||
"home_page_share_err_local": "Kan ikke dele lokale objekter via link, hopper over",
|
||||
"home_page_upload_err_limit": "Maksimalt 30 objekter kan lastes opp om gangen, hopper over",
|
||||
"host": "Vert",
|
||||
"hour": "Time",
|
||||
"id": "ID",
|
||||
"ignore_icloud_photos": "Ignorer iCloud bilder",
|
||||
"ignore_icloud_photos_description": "Bilder som er lagret på iCloud vil ikke lastes opp til Immich",
|
||||
"image": "Bilde",
|
||||
@@ -1086,6 +1062,7 @@
|
||||
"image_viewer_page_state_provider_download_started": "Nedlasting startet",
|
||||
"image_viewer_page_state_provider_download_success": "Nedlasting vellykket",
|
||||
"image_viewer_page_state_provider_share_error": "Delingsfeil",
|
||||
"immich_logo": "Immich Logo",
|
||||
"immich_web_interface": "Immich webgrensesnitt",
|
||||
"import_from_json": "Importer fra JSON",
|
||||
"import_path": "Import-sti",
|
||||
@@ -1096,6 +1073,7 @@
|
||||
"include_shared_partner_assets": "Inkluder delte partnerfiler",
|
||||
"individual_share": "Individuell deling",
|
||||
"individual_shares": "Individuelle delinger",
|
||||
"info": "Info",
|
||||
"interval": {
|
||||
"day_at_onepm": "Hver dag klokken 13:00",
|
||||
"hours": "Hver {hours, plural, one {time} other {{hours, number} timer}}",
|
||||
@@ -1148,8 +1126,6 @@
|
||||
"location_picker_latitude_hint": "Skriv inn breddegrad her",
|
||||
"location_picker_longitude_error": "Skriv inn en gyldig lengdegrad",
|
||||
"location_picker_longitude_hint": "Skriv inn lengdegrad her",
|
||||
"lock": "Lås",
|
||||
"locked_folder": "Låst mappe",
|
||||
"log_out": "Logg ut",
|
||||
"log_out_all_devices": "Logg ut fra alle enheter",
|
||||
"logged_out_all_devices": "Logg ut av alle enheter",
|
||||
@@ -1194,8 +1170,8 @@
|
||||
"manage_your_devices": "Administrer dine innloggede enheter",
|
||||
"manage_your_oauth_connection": "Administrer tilkoblingen din med OAuth",
|
||||
"map": "Kart",
|
||||
"map_assets_in_bound": "{count} bilde",
|
||||
"map_assets_in_bounds": "{count} bilder",
|
||||
"map_assets_in_bound": "{} bilde",
|
||||
"map_assets_in_bounds": "{} bilder",
|
||||
"map_cannot_get_user_location": "Kan ikke hente brukerlokasjon",
|
||||
"map_location_dialog_yes": "Ja",
|
||||
"map_location_picker_page_use_location": "Bruk denne lokasjonen",
|
||||
@@ -1209,18 +1185,15 @@
|
||||
"map_settings": "Kartinnstillinger",
|
||||
"map_settings_dark_mode": "Mørk modus",
|
||||
"map_settings_date_range_option_day": "Siste 24 timer",
|
||||
"map_settings_date_range_option_days": "Siste {days} dager",
|
||||
"map_settings_date_range_option_days": "Siste {} dager",
|
||||
"map_settings_date_range_option_year": "Sist år",
|
||||
"map_settings_date_range_option_years": "Siste {years} år",
|
||||
"map_settings_date_range_option_years": "Siste {} år",
|
||||
"map_settings_dialog_title": "Kartinnstillinger",
|
||||
"map_settings_include_show_archived": "Inkluder arkiverte",
|
||||
"map_settings_include_show_partners": "Inkluder partner",
|
||||
"map_settings_only_show_favorites": "Vis kun favoritter",
|
||||
"map_settings_theme_settings": "Karttema",
|
||||
"map_zoom_to_see_photos": "Zoom ut for å se bilder",
|
||||
"mark_all_as_read": "Merk alle som lest",
|
||||
"mark_as_read": "Merk som lest",
|
||||
"marked_all_as_read": "Merket alle som lest",
|
||||
"matches": "Samsvarende",
|
||||
"media_type": "Mediatype",
|
||||
"memories": "Minner",
|
||||
@@ -1229,6 +1202,8 @@
|
||||
"memories_setting_description": "Administrer hva du ser i minnene dine",
|
||||
"memories_start_over": "Start på nytt",
|
||||
"memories_swipe_to_close": "Swipe opp for å lukke",
|
||||
"memories_year_ago": "Ett år siden",
|
||||
"memories_years_ago": "{} år siden",
|
||||
"memory": "Minne",
|
||||
"memory_lane_title": "Minnefelt {title}",
|
||||
"menu": "Meny",
|
||||
@@ -1243,13 +1218,8 @@
|
||||
"missing": "Mangler",
|
||||
"model": "Modell",
|
||||
"month": "Måned",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Mer",
|
||||
"move": "Flytt",
|
||||
"move_off_locked_folder": "Flytt ut av låst mappe",
|
||||
"move_to_locked_folder": "Flytt til låst mappe",
|
||||
"move_to_locked_folder_confirmation": "Disse bildene og videoene vil bli fjernet fra alle albumer, og kun tilgjengelige via den låste mappen",
|
||||
"moved_to_archive": "Flyttet {count, plural, one {# asset} other {# assets}} til arkivet",
|
||||
"moved_to_library": "Flyttet {count, plural, one {# asset} other {# assets}} til biblioteket",
|
||||
"moved_to_trash": "Flyttet til papirkurven",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Kan ikke endre dato på objekt(er) med kun lese-rettigheter, hopper over",
|
||||
"multiselect_grid_edit_gps_err_read_only": "Kan ikke endre lokasjon på objekt(er) med kun lese-rettigheter, hopper over",
|
||||
@@ -1264,8 +1234,6 @@
|
||||
"new_api_key": "Ny API-nøkkel",
|
||||
"new_password": "Nytt passord",
|
||||
"new_person": "Ny person",
|
||||
"new_pin_code": "Ny PIN kode",
|
||||
"new_pin_code_subtitle": "Dette er første gang du åpner den låste mappen. Lag en PIN kode for å sikre tilgangen til denne siden",
|
||||
"new_user_created": "Ny bruker opprettet",
|
||||
"new_version_available": "NY VERSJON TILGJENGELIG",
|
||||
"newest_first": "Nyeste først",
|
||||
@@ -1283,10 +1251,7 @@
|
||||
"no_explore_results_message": "Last opp flere bilder for å utforske samlingen din.",
|
||||
"no_favorites_message": "Legg til favoritter for å raskt finne dine beste bilder og videoer",
|
||||
"no_libraries_message": "Opprett et eksternt bibliotek for å se bildene og videoene dine",
|
||||
"no_locked_photos_message": "Bilder og videoer i den låste mappen er skjult og vil ikke vises når du blar i biblioteket.",
|
||||
"no_name": "Ingen navn",
|
||||
"no_notifications": "Ingen varsler",
|
||||
"no_people_found": "Ingen samsvarende personer funnet",
|
||||
"no_places": "Ingen steder",
|
||||
"no_results": "Ingen resultater",
|
||||
"no_results_description": "Prøv et synonym eller mer generelt søkeord",
|
||||
@@ -1295,7 +1260,6 @@
|
||||
"not_selected": "Ikke valgt",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Merk: For å bruke lagringsetiketten på tidligere opplastede filer, kjør",
|
||||
"notes": "Notater",
|
||||
"nothing_here_yet": "Ingenting her enda",
|
||||
"notification_permission_dialog_content": "For å aktivere notifikasjoner, gå til Innstillinger og velg tillat.",
|
||||
"notification_permission_list_tile_content": "Gi tilgang for å aktivere notifikasjoner.",
|
||||
"notification_permission_list_tile_enable_button": "Aktiver notifikasjoner",
|
||||
@@ -1303,10 +1267,12 @@
|
||||
"notification_toggle_setting_description": "Aktiver e-postvarsler",
|
||||
"notifications": "Notifikasjoner",
|
||||
"notifications_setting_description": "Administrer varsler",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Offisielle Immich Resurser",
|
||||
"offline": "Frakoblet",
|
||||
"offline_paths": "Frakoblede stier",
|
||||
"offline_paths_description": "Disse resultatene kan skyldes manuell sletting av filer som ikke er en del av et eksternt bibliotek.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Eldste først",
|
||||
"on_this_device": "På denne enheten",
|
||||
"onboarding": "Påmønstring",
|
||||
@@ -1323,11 +1289,13 @@
|
||||
"options": "Valg",
|
||||
"or": "eller",
|
||||
"organize_your_library": "Organiser biblioteket ditt",
|
||||
"original": "original",
|
||||
"other": "Annet",
|
||||
"other_devices": "Andre enheter",
|
||||
"other_variables": "Andre variabler",
|
||||
"owned": "Ditt album",
|
||||
"owner": "Eier",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} har tilgang",
|
||||
"partner_can_access_assets": "Alle bildene og videoene dine unntatt de i arkivert og slettet tilstand",
|
||||
"partner_can_access_location": "Stedet der bildene dine ble tatt",
|
||||
@@ -1338,7 +1306,7 @@
|
||||
"partner_page_partner_add_failed": "Klarte ikke å legge til partner",
|
||||
"partner_page_select_partner": "Velg partner",
|
||||
"partner_page_shared_to_title": "Delt med",
|
||||
"partner_page_stop_sharing_content": "{partner} vil ikke lenger ha tilgang til dine bilder.",
|
||||
"partner_page_stop_sharing_content": "{} vil ikke lenger ha tilgang til dine bilder.",
|
||||
"partner_sharing": "Partnerdeling",
|
||||
"partners": "Partnere",
|
||||
"password": "Passord",
|
||||
@@ -1375,6 +1343,7 @@
|
||||
"permission_onboarding_permission_granted": "Tilgang gitt! Du er i gang.",
|
||||
"permission_onboarding_permission_limited": "Begrenset tilgang. For å la Immich sikkerhetskopiere og håndtere galleriet, tillatt bilde- og video-tilgang i Innstillinger.",
|
||||
"permission_onboarding_request": "Immich trenger tilgang til å se dine bilder og videoer.",
|
||||
"person": "Person",
|
||||
"person_birthdate": "Født den {date}",
|
||||
"person_hidden": "{name}{hidden, select, true { (skjult)} other {}}",
|
||||
"photo_shared_all_users": "Det ser ut som om du deler bildene med alle brukere eller det er ingen brukere å dele med.",
|
||||
@@ -1383,10 +1352,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Bilde} other {{count, number} Bilder}}",
|
||||
"photos_from_previous_years": "Bilder fra tidliger år",
|
||||
"pick_a_location": "Velg et sted",
|
||||
"pin_code_changed_successfully": "Endring av PIN kode vellykket",
|
||||
"pin_code_reset_successfully": "Vellykket resatt PIN kode",
|
||||
"pin_code_setup_successfully": "Vellykket oppsett av PIN kode",
|
||||
"pin_verification": "PINkode verifikasjon",
|
||||
"place": "Sted",
|
||||
"places": "Plasseringer",
|
||||
"places_count": "{count, plural, one {{count, number} Sted} other {{count, number} Steder}}",
|
||||
@@ -1394,7 +1359,7 @@
|
||||
"play_memories": "Spill av minner",
|
||||
"play_motion_photo": "Spill av bevegelsesbilde",
|
||||
"play_or_pause_video": "Spill av eller pause video",
|
||||
"please_auth_to_access": "Vennligst autentiser for å fortsette",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Administrer appens preferanser",
|
||||
"preferences_settings_title": "Innstillinger",
|
||||
"preset": "Forhåndsinstilling",
|
||||
@@ -1404,11 +1369,11 @@
|
||||
"previous_or_next_photo": "Forrige eller neste bilde",
|
||||
"primary": "Primær",
|
||||
"privacy": "Privat",
|
||||
"profile": "Profil",
|
||||
"profile_drawer_app_logs": "Logg",
|
||||
"profile_drawer_client_out_of_date_major": "Mobilapp er utdatert. Vennligst oppdater til nyeste versjon.",
|
||||
"profile_drawer_client_out_of_date_minor": "Mobilapp er utdatert. Vennligst oppdater til nyeste versjon.",
|
||||
"profile_drawer_client_server_up_to_date": "Klient og server er oppdatert",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Server er utdatert. Vennligst oppdater til nyeste versjon.",
|
||||
"profile_drawer_server_out_of_date_minor": "Server er utdatert. Vennligst oppdater til nyeste versjon.",
|
||||
"profile_image_of_user": "Profil bilde av {user}",
|
||||
@@ -1417,7 +1382,7 @@
|
||||
"public_share": "Offentlig deling",
|
||||
"purchase_account_info": "Støttespiller",
|
||||
"purchase_activated_subtitle": "Takk for at du støtter Immich og åpen kildekode programvare",
|
||||
"purchase_activated_time": "Aktiver den {date}",
|
||||
"purchase_activated_time": "Aktiver den {date, date}",
|
||||
"purchase_activated_title": "Du produktnøkkel har vellyket blitt aktivert",
|
||||
"purchase_button_activate": "Aktiver",
|
||||
"purchase_button_buy": "Kjøp",
|
||||
@@ -1445,6 +1410,7 @@
|
||||
"purchase_remove_server_product_key_prompt": "Er du sikker på at du vil ta bort Server Produktnøkkelen?",
|
||||
"purchase_server_description_1": "For hele serveren",
|
||||
"purchase_server_description_2": "Støttespiller status",
|
||||
"purchase_server_title": "Server",
|
||||
"purchase_settings_server_activated": "Produktnøkkel for server er administrert av administratoren",
|
||||
"rating": "Stjernevurdering",
|
||||
"rating_clear": "Slett vurdering",
|
||||
@@ -1482,8 +1448,6 @@
|
||||
"remove_deleted_assets": "Fjern fra frakoblede filer",
|
||||
"remove_from_album": "Fjern fra album",
|
||||
"remove_from_favorites": "Fjern fra favoritter",
|
||||
"remove_from_locked_folder": "Fjern fra låst mappe",
|
||||
"remove_from_locked_folder_confirmation": "Er du sikker på at du vil flytte disse bildene og videoene ut av den låste mappen? De vil bli synlige i biblioteket",
|
||||
"remove_from_shared_link": "Fjern fra delt lenke",
|
||||
"remove_memory": "Slett minne",
|
||||
"remove_photo_from_memory": "Slett bilde fra dette minne",
|
||||
@@ -1507,7 +1471,6 @@
|
||||
"reset": "Tilbakestill",
|
||||
"reset_password": "Tilbakestill passord",
|
||||
"reset_people_visibility": "Tilbakestill personsynlighet",
|
||||
"reset_pin_code": "Resett PINkode",
|
||||
"reset_to_default": "Tilbakestill til standard",
|
||||
"resolve_duplicates": "Løs duplikater",
|
||||
"resolved_all_duplicates": "Løste alle duplikater",
|
||||
@@ -1519,6 +1482,7 @@
|
||||
"retry_upload": "Prøv opplasting på nytt",
|
||||
"review_duplicates": "Gjennomgå duplikater",
|
||||
"role": "Rolle",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visning",
|
||||
"save": "Lagre",
|
||||
"save_to_gallery": "Lagre til galleriet",
|
||||
@@ -1599,7 +1563,6 @@
|
||||
"select_keep_all": "Velg beholde alle",
|
||||
"select_library_owner": "Velg bibliotekseier",
|
||||
"select_new_face": "Velg nytt ansikt",
|
||||
"select_person_to_tag": "Velg en person å tagge",
|
||||
"select_photos": "Velg bilder",
|
||||
"select_trash_all": "Velg å flytte alt til papirkurven",
|
||||
"select_user_for_sharing_page_err_album": "Feilet ved oppretting av album",
|
||||
@@ -1630,28 +1593,27 @@
|
||||
"setting_languages_apply": "Bekreft",
|
||||
"setting_languages_subtitle": "Endre app-språk",
|
||||
"setting_languages_title": "Språk",
|
||||
"setting_notifications_notify_failures_grace_period": "Varsle om sikkerhetskopieringsfeil i bakgrunnen: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} timer",
|
||||
"setting_notifications_notify_failures_grace_period": "Varsle om sikkerhetskopieringsfeil i bakgrunnen: {}",
|
||||
"setting_notifications_notify_hours": "{} timer",
|
||||
"setting_notifications_notify_immediately": "umiddelbart",
|
||||
"setting_notifications_notify_minutes": "{count} minutter",
|
||||
"setting_notifications_notify_minutes": "{} minutter",
|
||||
"setting_notifications_notify_never": "aldri",
|
||||
"setting_notifications_notify_seconds": "{count} sekunder",
|
||||
"setting_notifications_notify_seconds": "{} sekunder",
|
||||
"setting_notifications_single_progress_subtitle": "Detaljert opplastingsinformasjon per objekt",
|
||||
"setting_notifications_single_progress_title": "Vis detaljert status på sikkerhetskopiering i bakgrunnen",
|
||||
"setting_notifications_subtitle": "Juster notifikasjonsinnstillinger",
|
||||
"setting_notifications_total_progress_subtitle": "Total opplastingsstatus (fullført/totalt objekter)",
|
||||
"setting_notifications_total_progress_title": "Vis status på sikkerhetskopiering i bakgrunnen",
|
||||
"setting_video_viewer_looping_title": "Looping",
|
||||
"setting_video_viewer_original_video_subtitle": "Når det streames en video fra serveren, spill originalkvaliteten selv om en omkodet versjon finnes. Dette kan medføre buffring. Videoer som er lagret lokalt på enheten spilles i originalkvalitet uavhengig av denne innstillingen.",
|
||||
"setting_video_viewer_original_video_title": "Tving original video",
|
||||
"settings": "Innstillinger",
|
||||
"settings_require_restart": "Vennligst restart Immich for å aktivere denne innstillingen",
|
||||
"settings_saved": "Innstillinger lagret",
|
||||
"setup_pin_code": "Sett opp en PINkode",
|
||||
"share": "Del",
|
||||
"share_add_photos": "Legg til bilder",
|
||||
"share_assets_selected": "{count} valgt",
|
||||
"share_assets_selected": "{} valgt",
|
||||
"share_dialog_preparing": "Forbereder ...",
|
||||
"share_link": "Del link",
|
||||
"shared": "Delt",
|
||||
"shared_album_activities_input_disable": "Kommenterer er deaktivert",
|
||||
"shared_album_activity_remove_content": "Vil du slette denne aktiviteten?",
|
||||
@@ -1664,33 +1626,34 @@
|
||||
"shared_by_user": "Delt av {user}",
|
||||
"shared_by_you": "Delt av deg",
|
||||
"shared_from_partner": "Bilder fra {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Lastet opp",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Lastet opp",
|
||||
"shared_link_app_bar_title": "Delte linker",
|
||||
"shared_link_clipboard_copied_massage": "Kopiert til utklippslisten",
|
||||
"shared_link_clipboard_text": "Link: {link}\nPassord: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nPassord: {}",
|
||||
"shared_link_create_error": "Feil ved oppretting av delbar link",
|
||||
"shared_link_edit_description_hint": "Endre delebeskrivelse",
|
||||
"shared_link_edit_expire_after_option_day": "1 dag",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dager",
|
||||
"shared_link_edit_expire_after_option_days": "{} dager",
|
||||
"shared_link_edit_expire_after_option_hour": "1 time",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} timer",
|
||||
"shared_link_edit_expire_after_option_hours": "{} timer",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minutt",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minutter",
|
||||
"shared_link_edit_expire_after_option_months": "{count} måneder",
|
||||
"shared_link_edit_expire_after_option_year": "{count} år",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutter",
|
||||
"shared_link_edit_expire_after_option_months": "{} måneder",
|
||||
"shared_link_edit_expire_after_option_year": "{} år",
|
||||
"shared_link_edit_password_hint": "Skriv inn dele-passord",
|
||||
"shared_link_edit_submit_button": "Oppdater link",
|
||||
"shared_link_error_server_url_fetch": "Kan ikke hente server-url",
|
||||
"shared_link_expires_day": "Utgår om {count} dag",
|
||||
"shared_link_expires_days": "Utgår om {count} dager",
|
||||
"shared_link_expires_hour": "Utgår om {count} time",
|
||||
"shared_link_expires_hours": "Utgår om {count} timer",
|
||||
"shared_link_expires_minute": "Utgår om {count} minutt",
|
||||
"shared_link_expires_minutes": "Utgår om {count} minutter",
|
||||
"shared_link_expires_day": "Utgår om {} dag",
|
||||
"shared_link_expires_days": "Utgår om {} dager",
|
||||
"shared_link_expires_hour": "Utgår om {} time",
|
||||
"shared_link_expires_hours": "Utgår om {} timer",
|
||||
"shared_link_expires_minute": "Utgår om {} minutt",
|
||||
"shared_link_expires_minutes": "Utgår om {} minutter",
|
||||
"shared_link_expires_never": "Utgår ∞",
|
||||
"shared_link_expires_second": "Utgår om {count} sekund",
|
||||
"shared_link_expires_seconds": "Utgår om {count} sekunder",
|
||||
"shared_link_expires_second": "Utgår om {} sekund",
|
||||
"shared_link_expires_seconds": "Utgår om {} sekunder",
|
||||
"shared_link_individual_shared": "Individuelt delt",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Håndter delte linker",
|
||||
"shared_link_options": "Alternativer for delte lenke",
|
||||
"shared_links": "Delte linker",
|
||||
@@ -1753,15 +1716,16 @@
|
||||
"stack_selected_photos": "Stable valgte bilder",
|
||||
"stacked_assets_count": "Stable {count, plural, one {# asset} other {# assets}}",
|
||||
"stacktrace": "Stakkspor",
|
||||
"start": "Start",
|
||||
"start_date": "Startdato",
|
||||
"state": "Fylke",
|
||||
"status": "Status",
|
||||
"stop_motion_photo": "Stopmotionbilde",
|
||||
"stop_photo_sharing": "Stopp deling av bildene dine?",
|
||||
"stop_photo_sharing_description": "{partner} vil ikke lenger ha tilgang til bildene dine.",
|
||||
"stop_sharing_photos_with_user": "Slutt å dele bildene dine med denne brukeren",
|
||||
"storage": "Lagring",
|
||||
"storage_label": "Lagringsetikett",
|
||||
"storage_quota": "Lagringsplass",
|
||||
"storage_usage": "{used} av {available} brukt",
|
||||
"submit": "Send inn",
|
||||
"suggestions": "Forslag",
|
||||
@@ -1788,7 +1752,7 @@
|
||||
"theme_selection": "Temavalg",
|
||||
"theme_selection_description": "Automatisk sett tema til lys eller mørk basert på nettleserens systeminnstilling",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Vis lagringsindiaktor på objekter i fotorutenettet",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Antall objekter per rad ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Antall objekter per rad ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Angi primærfarge til bakgrunner.",
|
||||
"theme_setting_colorful_interface_title": "Fargefullt grensesnitt",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Juster kvaliteten på bilder i detaljvisning",
|
||||
@@ -1813,6 +1777,7 @@
|
||||
"to_trash": "Papirkurv",
|
||||
"toggle_settings": "Bytt innstillinger",
|
||||
"toggle_theme": "Bytt tema",
|
||||
"total": "Total",
|
||||
"total_usage": "Totalt brukt",
|
||||
"trash": "Papirkurv",
|
||||
"trash_all": "Slett alt",
|
||||
@@ -1822,14 +1787,13 @@
|
||||
"trash_no_results_message": "Her vises bilder og videoer som er flyttet til papirkurven.",
|
||||
"trash_page_delete_all": "Slett alt",
|
||||
"trash_page_empty_trash_dialog_content": "Vil du tømme søppelbøtten? Objektene vil bli permanent fjernet fra Immich",
|
||||
"trash_page_info": "Objekter i søppelbøtten blir permanent fjernet etter {days} dager",
|
||||
"trash_page_info": "Objekter i søppelbøtten blir permanent fjernet etter {} dager",
|
||||
"trash_page_no_assets": "Ingen forkastede objekter",
|
||||
"trash_page_restore_all": "Gjenopprett alt",
|
||||
"trash_page_select_assets_btn": "Velg objekter",
|
||||
"trash_page_title": "Søppelbøtte ({count})",
|
||||
"trash_page_title": "Søppelbøtte ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Elementer i papirkurven vil bli permanent slettet etter {days, plural, one {# dag} other {# dager}}.",
|
||||
"unable_to_change_pin_code": "Klarte ikke å endre PINkode",
|
||||
"unable_to_setup_pin_code": "Klarte ikke å sette opp PINkode",
|
||||
"type": "Type",
|
||||
"unarchive": "Fjern fra arkiv",
|
||||
"unarchived_count": "{count, plural, other {uarkivert #}}",
|
||||
"unfavorite": "Fjern favoritt",
|
||||
@@ -1853,7 +1817,6 @@
|
||||
"untracked_files": "Usporede Filer",
|
||||
"untracked_files_decription": "Disse filene er ikke sporet av applikasjonen. De kan være resultatet av mislykkede flyttinger, avbrutte opplastinger eller etterlatt på grunn av en feil",
|
||||
"up_next": "Neste",
|
||||
"updated_at": "Oppdatert",
|
||||
"updated_password": "Passord oppdatert",
|
||||
"upload": "Last opp",
|
||||
"upload_concurrency": "Samtidig opplastning",
|
||||
@@ -1866,18 +1829,15 @@
|
||||
"upload_status_errors": "Feil",
|
||||
"upload_status_uploaded": "Opplastet",
|
||||
"upload_success": "Opplasting vellykket, oppdater siden for å se nye opplastninger.",
|
||||
"upload_to_immich": "Last opp til Immich ({count})",
|
||||
"upload_to_immich": "Last opp til Immich ({})",
|
||||
"uploading": "Laster opp",
|
||||
"url": "URL",
|
||||
"usage": "Bruk",
|
||||
"use_biometric": "Bruk biometri",
|
||||
"use_current_connection": "bruk nåværende tilkobling",
|
||||
"use_custom_date_range": "Bruk egendefinert datoperiode i stedet",
|
||||
"user": "Bruker",
|
||||
"user_has_been_deleted": "Denne brukeren har blitt slettet.",
|
||||
"user_id": "Bruker ID",
|
||||
"user_liked": "{user} likte {type, select, photo {this photo} video {this video} asset {this asset} other {it}}",
|
||||
"user_pin_code_settings": "PINkode",
|
||||
"user_pin_code_settings_description": "Håndter din PINkode",
|
||||
"user_purchase_settings": "Kjøpe",
|
||||
"user_purchase_settings_description": "Administrer dine kjøp",
|
||||
"user_role_set": "Sett {user} som {role}",
|
||||
@@ -1900,6 +1860,7 @@
|
||||
"version_announcement_overlay_title": "Ny serverversjon tilgjengelig",
|
||||
"version_history": "Verson Historie",
|
||||
"version_history_item": "Installert {version} den {date}",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Spill av forhåndsvisining mens du holder over musepekeren",
|
||||
"video_hover_setting_description": "Spill av forhåndsvisning mens en musepeker er over elementet. Selv når den er deaktivert, kan avspilling startes ved å holde musepekeren over avspillingsikonet.",
|
||||
"videos": "Videoer",
|
||||
@@ -1926,7 +1887,6 @@
|
||||
"welcome": "Velkommen",
|
||||
"welcome_to_immich": "Velkommen til Immich",
|
||||
"wifi_name": "Wi-Fi Navn",
|
||||
"wrong_pin_code": "Feil PINkode",
|
||||
"year": "År",
|
||||
"years_ago": "{years, plural, one {# år} other {# år}} siden",
|
||||
"yes": "Ja",
|
||||
|
||||
297
i18n/nl.json
297
i18n/nl.json
@@ -1,6 +1,7 @@
|
||||
{
|
||||
"about": "Over",
|
||||
"account_settings": "Account Instellingen",
|
||||
"account": "Account",
|
||||
"account_settings": "Accountinstellingen",
|
||||
"acknowledge": "Begrepen",
|
||||
"action": "Actie",
|
||||
"action_common_update": "Bijwerken",
|
||||
@@ -10,7 +11,7 @@
|
||||
"activity_changed": "Activiteit is {enabled, select, true {ingeschakeld} other {uitgeschakeld}}",
|
||||
"add": "Toevoegen",
|
||||
"add_a_description": "Beschrijving toevoegen",
|
||||
"add_a_location": "Een locatie toevoegen",
|
||||
"add_a_location": "Locatie toevoegen",
|
||||
"add_a_name": "Naam toevoegen",
|
||||
"add_a_title": "Titel toevoegen",
|
||||
"add_endpoint": "Server toevoegen",
|
||||
@@ -25,7 +26,6 @@
|
||||
"add_to_album": "Aan album toevoegen",
|
||||
"add_to_album_bottom_sheet_added": "Toegevoegd aan {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Staat al in {album}",
|
||||
"add_to_locked_folder": "Toevoegen aan vergrendelde map",
|
||||
"add_to_shared_album": "Aan gedeeld album toevoegen",
|
||||
"add_url": "URL toevoegen",
|
||||
"added_to_archive": "Toegevoegd aan archief",
|
||||
@@ -39,11 +39,11 @@
|
||||
"authentication_settings_disable_all": "Weet je zeker dat je alle inlogmethoden wilt uitschakelen? Inloggen zal volledig worden uitgeschakeld.",
|
||||
"authentication_settings_reenable": "Gebruik een <link>servercommando</link> om opnieuw in te schakelen.",
|
||||
"background_task_job": "Achtergrondtaken",
|
||||
"backup_database": "Maak database backup",
|
||||
"backup_database_enable_description": "Database dumps activeren",
|
||||
"backup_keep_last_amount": "Aantal back-ups om te bewaren",
|
||||
"backup_settings": "Database dump instellingen",
|
||||
"backup_settings_description": "Beheer database back-up instellingen. Noot: Deze taken worden niet bijgehouden en je wordt niet op de hoogte gesteld van een fout.",
|
||||
"backup_database": "Backup Database",
|
||||
"backup_database_enable_description": "Database back-ups activeren",
|
||||
"backup_keep_last_amount": "Maximaal aantal back-ups om te bewaren",
|
||||
"backup_settings": "Back-up instellingen",
|
||||
"backup_settings_description": "Database back-up instellingen beheren",
|
||||
"check_all": "Controleer het logboek",
|
||||
"cleanup": "Opruimen",
|
||||
"cleared_jobs": "Taken gewist voor: {job}",
|
||||
@@ -53,7 +53,6 @@
|
||||
"confirm_email_below": "Typ hieronder \"{email}\" ter bevestiging",
|
||||
"confirm_reprocess_all_faces": "Weet je zeker dat je alle gezichten opnieuw wilt verwerken? Hiermee worden ook alle mensen gewist.",
|
||||
"confirm_user_password_reset": "Weet u zeker dat je het wachtwoord van {user} wilt resetten?",
|
||||
"confirm_user_pin_code_reset": "Weet je zeker dat je de PIN code van {user} wilt resetten?",
|
||||
"create_job": "Taak maken",
|
||||
"cron_expression": "Cron expressie",
|
||||
"cron_expression_description": "Stel de scaninterval in met het cron-formaat. Voor meer informatie kun je kijken naar bijvoorbeeld <link>Crontab Guru</link>",
|
||||
@@ -193,7 +192,6 @@
|
||||
"oauth_auto_register": "Automatisch registreren",
|
||||
"oauth_auto_register_description": "Nieuwe gebruikers automatisch registreren na inloggen met OAuth",
|
||||
"oauth_button_text": "Button tekst",
|
||||
"oauth_client_secret_description": "Vereist als PKCE (Proof Key for Code Exchange) niet wordt ondersteund door de OAuth aanbieder",
|
||||
"oauth_enable_description": "Inloggen met OAuth",
|
||||
"oauth_mobile_redirect_uri": "Omleidings URI voor mobiel",
|
||||
"oauth_mobile_redirect_uri_override": "Omleidings URI voor mobiele app overschrijven",
|
||||
@@ -207,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "Stel de opslaglimiet van de gebruiker automatisch in op de waarde van deze claim.",
|
||||
"oauth_storage_quota_default": "Standaard opslaglimiet (GiB)",
|
||||
"oauth_storage_quota_default_description": "Limiet in GiB die moet worden gebruikt als er geen claim is opgegeven (voer 0 in voor onbeperkt).",
|
||||
"oauth_timeout": "Aanvraag timeout",
|
||||
"oauth_timeout_description": "Time-out voor aanvragen in milliseconden",
|
||||
"offline_paths": "Offline paden",
|
||||
"offline_paths_description": "Deze resultaten kunnen het gevolg zijn van het handmatig verwijderen van bestanden die geen deel uitmaken van een externe bibliotheek.",
|
||||
"password_enable_description": "Inloggen met e-mailadres en wachtwoord",
|
||||
@@ -267,7 +263,7 @@
|
||||
"template_email_update_album": "Update in album sjabloon",
|
||||
"template_email_welcome": "Welkom email sjabloon",
|
||||
"template_settings": "Melding sjablonen",
|
||||
"template_settings_description": "Beheer aangepast sjablonen voor meldingen",
|
||||
"template_settings_description": "Beheer aangepast sjablonen voor meldingen.",
|
||||
"theme_custom_css_settings": "Aangepaste CSS",
|
||||
"theme_custom_css_settings_description": "Met Cascading Style Sheets kan het ontwerp van Immich worden aangepast.",
|
||||
"theme_settings": "Thema instellingen",
|
||||
@@ -349,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "Aantal dagen na verwijdering om het account en de assets van een gebruiker permanent te verwijderen. De taak voor het verwijderen van gebruikers wordt om middernacht uitgevoerd om te controleren of gebruikers verwijderd kunnen worden. Wijzigingen in deze instelling worden bij de volgende uitvoering meegenomen.",
|
||||
"user_delete_immediately": "Het account en de assets van <b>{user}</b> worden <b>onmiddellijk</b> in de wachtrij geplaatst voor permanente verwijdering.",
|
||||
"user_delete_immediately_checkbox": "Gebruikers en assets in de wachtrij plaatsen voor onmiddellijke verwijdering",
|
||||
"user_details": "Gebruiker details",
|
||||
"user_management": "Gebruikersbeheer",
|
||||
"user_password_has_been_reset": "Het wachtwoord van de gebruiker is gereset:",
|
||||
"user_password_reset_description": "Geef het tijdelijke wachtwoord aan de gebruiker en informeer de gebruiker dat bij de volgende keer inloggen een wachtwoordwijziging vereist is.",
|
||||
@@ -371,17 +366,16 @@
|
||||
"advanced": "Geavanceerd",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Gebruik deze optie om media te filteren tijdens de synchronisatie op basis van alternatieve criteria. Gebruik dit enkel als de app problemen heeft met het detecteren van albums.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTEEL] Gebruik een alternatieve album synchronisatie filter",
|
||||
"advanced_settings_log_level_title": "Log niveau: {level}",
|
||||
"advanced_settings_log_level_title": "Log niveau: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Sommige apparaten zijn traag met het laden van afbeeldingen die lokaal zijn opgeslagen op het apparaat. Activeer deze instelling om in plaats daarvan externe afbeeldingen te laden.",
|
||||
"advanced_settings_prefer_remote_title": "Externe afbeeldingen laden",
|
||||
"advanced_settings_proxy_headers_subtitle": "Definieer proxy headers die Immich bij elk netwerkverzoek moet verzenden",
|
||||
"advanced_settings_proxy_headers_title": "Proxy headers",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Slaat SSL-certificaatverificatie voor de connectie met de server over. Deze optie is vereist voor zelfondertekende certificaten.",
|
||||
"advanced_settings_self_signed_ssl_subtitle": "Slaat SSL-certificaatverificatie voor de connectie met de server over. Deze optie is vereist voor zelfondertekende certificaten",
|
||||
"advanced_settings_self_signed_ssl_title": "Zelfondertekende SSL-certificaten toestaan",
|
||||
"advanced_settings_sync_remote_deletions_subtitle": "Automatisch bestanden verwijderen of herstellen op dit apparaat als die actie op het web is ondernomen",
|
||||
"advanced_settings_sync_remote_deletions_title": "Synchroniseer verwijderingen op afstand [EXPERIMENTEEL]",
|
||||
"advanced_settings_tile_subtitle": "Geavanceerde gebruikersinstellingen",
|
||||
"advanced_settings_troubleshooting_subtitle": "Schakel extra functies voor probleemoplossing in",
|
||||
"advanced_settings_troubleshooting_subtitle": "Schakel extra functies voor probleemoplossing in ",
|
||||
"advanced_settings_troubleshooting_title": "Probleemoplossing",
|
||||
"age_months": "Leeftijd {months, plural, one {# maand} other {# maanden}}",
|
||||
"age_year_months": "Leeftijd 1 jaar, {months, plural, one {# maand} other {# maanden}}",
|
||||
@@ -401,8 +395,10 @@
|
||||
"album_remove_user": "Gebruiker verwijderen?",
|
||||
"album_remove_user_confirmation": "Weet je zeker dat je {user} wilt verwijderen?",
|
||||
"album_share_no_users": "Het lijkt erop dat je dit album met alle gebruikers hebt gedeeld, of dat je geen gebruikers hebt om mee te delen.",
|
||||
"album_thumbnail_card_item": "1 item",
|
||||
"album_thumbnail_card_items": "{} items",
|
||||
"album_thumbnail_card_shared": " · Gedeeld",
|
||||
"album_thumbnail_shared_by": "Gedeeld door {user}",
|
||||
"album_thumbnail_shared_by": "Gedeeld door {}",
|
||||
"album_updated": "Album bijgewerkt",
|
||||
"album_updated_setting_description": "Ontvang een e-mailmelding wanneer een gedeeld album nieuwe assets heeft",
|
||||
"album_user_left": "{album} verlaten",
|
||||
@@ -416,6 +412,7 @@
|
||||
"album_viewer_appbar_share_to": "Delen via",
|
||||
"album_viewer_page_share_add_users": "Gebruikers toevoegen",
|
||||
"album_with_link_access": "Iedereen met de link kan de foto's en mensen in dit album bekijken.",
|
||||
"albums": "Albums",
|
||||
"albums_count": "{count, plural, one {{count, number} album} other {{count, number} albums}}",
|
||||
"all": "Alle",
|
||||
"all_albums": "Alle albums",
|
||||
@@ -439,7 +436,7 @@
|
||||
"archive": "Archief",
|
||||
"archive_or_unarchive_photo": "Foto archiveren of uit het archief halen",
|
||||
"archive_page_no_archived_assets": "Geen gearchiveerde assets gevonden",
|
||||
"archive_page_title": "Archief ({count})",
|
||||
"archive_page_title": "Archief ({})",
|
||||
"archive_size": "Archiefgrootte",
|
||||
"archive_size_description": "Configureer de archiefgrootte voor downloads (in GiB)",
|
||||
"archived": "Gearchiveerd",
|
||||
@@ -451,6 +448,7 @@
|
||||
"asset_added_to_album": "Toegevoegd aan album",
|
||||
"asset_adding_to_album": "Toevoegen aan album…",
|
||||
"asset_description_updated": "Asset beschrijving is bijgewerkt",
|
||||
"asset_filename_is_offline": "Asset {filename} is offline",
|
||||
"asset_has_unassigned_faces": "Asset heeft niet-toegewezen gezichten",
|
||||
"asset_hashing": "Hashen…",
|
||||
"asset_list_group_by_sub_title": "Groepeer op",
|
||||
@@ -458,6 +456,7 @@
|
||||
"asset_list_layout_settings_group_automatically": "Automatisch",
|
||||
"asset_list_layout_settings_group_by": "Groepeer assets per",
|
||||
"asset_list_layout_settings_group_by_month_day": "Maand + dag",
|
||||
"asset_list_layout_sub_title": "Layout",
|
||||
"asset_list_settings_subtitle": "Fotorasterlayoutinstellingen",
|
||||
"asset_list_settings_title": "Fotoraster",
|
||||
"asset_offline": "Asset offline",
|
||||
@@ -469,30 +468,32 @@
|
||||
"asset_uploading": "Uploaden…",
|
||||
"asset_viewer_settings_subtitle": "Beheer je instellingen voor gallerijweergave",
|
||||
"asset_viewer_settings_title": "Foto weergave",
|
||||
"assets": "Assets",
|
||||
"assets_added_count": "{count, plural, one {# asset} other {# assets}} toegevoegd",
|
||||
"assets_added_to_album_count": "{count, plural, one {# asset} other {# assets}} aan het album toegevoegd",
|
||||
"assets_added_to_name_count": "{count, plural, one {# asset} other {# assets}} toegevoegd aan {hasName, select, true {<b>{name}</b>} other {nieuw album}}",
|
||||
"assets_deleted_permanently": "{count} asset(s) permanent verwijderd",
|
||||
"assets_deleted_permanently_from_server": "{count} asset(s) permanent verwijderd van de Immich server",
|
||||
"assets_count": "{count, plural, one {# asset} other {# assets}}",
|
||||
"assets_deleted_permanently": "{} asset(s) permanent verwijderd",
|
||||
"assets_deleted_permanently_from_server": "{} asset(s) permanent verwijderd van de Immich server",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# asset} other {# assets}} verplaatst naar prullenbak",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# asset} other {# assets}} permanent verwijderd",
|
||||
"assets_removed_count": "{count, plural, one {# asset} other {# assets}} verwijderd",
|
||||
"assets_removed_permanently_from_device": "{count} asset(s) permanent verwijderd van je apparaat",
|
||||
"assets_removed_permanently_from_device": "{} asset(s) permanent verwijderd van je apparaat",
|
||||
"assets_restore_confirmation": "Weet je zeker dat je alle verwijderde assets wilt herstellen? Je kunt deze actie niet ongedaan maken! Offline assets kunnen op deze manier niet worden hersteld.",
|
||||
"assets_restored_count": "{count, plural, one {# asset} other {# assets}} hersteld",
|
||||
"assets_restored_successfully": "{count} asset(s) succesvol hersteld",
|
||||
"assets_trashed": "{count} asset(s) naar de prullenbak verplaatst",
|
||||
"assets_restored_successfully": "{} asset(s) succesvol hersteld",
|
||||
"assets_trashed": "{} asset(s) naar de prullenbak verplaatst",
|
||||
"assets_trashed_count": "{count, plural, one {# asset} other {# assets}} naar prullenbak verplaatst",
|
||||
"assets_trashed_from_server": "{count} asset(s) naar de prullenbak verplaatst op de Immich server",
|
||||
"assets_trashed_from_server": "{} asset(s) naar de prullenbak verplaatst op de Immich server",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {Asset was} other {Assets waren}} al onderdeel van het album",
|
||||
"authorized_devices": "Geautoriseerde apparaten",
|
||||
"automatic_endpoint_switching_subtitle": "Maak een lokale verbinding bij het opgegeven WiFi-netwerk en gebruik in andere gevallen de externe URL",
|
||||
"automatic_endpoint_switching_subtitle": "Verbind lokaal bij het opgegeven wifi-netwerk en gebruik anders de externe url",
|
||||
"automatic_endpoint_switching_title": "Automatische serverwissel",
|
||||
"back": "Terug",
|
||||
"back_close_deselect": "Terug, sluiten of deselecteren",
|
||||
"background_location_permission": "Achtergrond locatie toestemming",
|
||||
"background_location_permission_content": "Om van netwerk te wisselen terwijl de app op de achtergrond draait, heeft Immich *altijd* toegang tot de exacte locatie nodig om de naam van het WiFi-netwerk te kunnen lezen",
|
||||
"backup_album_selection_page_albums_device": "Albums op apparaat ({count})",
|
||||
"background_location_permission_content": "Om van netwerk te wisselen terwijl de app op de achtergrond draait, heeft Immich *altijd* toegang tot de exacte locatie nodig om de naam van het wifi-netwerk te kunnen lezen",
|
||||
"backup_album_selection_page_albums_device": "Albums op apparaat ({})",
|
||||
"backup_album_selection_page_albums_tap": "Tik om in te voegen, dubbel tik om uit te sluiten",
|
||||
"backup_album_selection_page_assets_scatter": "Assets kunnen over verschillende albums verdeeld zijn, dus albums kunnen inbegrepen of uitgesloten zijn van het backup proces.",
|
||||
"backup_album_selection_page_select_albums": "Albums selecteren",
|
||||
@@ -501,21 +502,22 @@
|
||||
"backup_all": "Alle",
|
||||
"backup_background_service_backup_failed_message": "Fout bij back-uppen assets. Opnieuw proberen…",
|
||||
"backup_background_service_connection_failed_message": "Fout bij verbinden server. Opnieuw proberen…",
|
||||
"backup_background_service_current_upload_notification": "{filename} aan het uploaden...",
|
||||
"backup_background_service_current_upload_notification": "Uploaden {}",
|
||||
"backup_background_service_default_notification": "Controleren op nieuwe assets…",
|
||||
"backup_background_service_error_title": "Backupfout",
|
||||
"backup_background_service_in_progress_notification": "Back-up van assets maken…",
|
||||
"backup_background_service_upload_failure_notification": "Fout bij het uploaden van {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Fout bij upload {}",
|
||||
"backup_controller_page_albums": "Back-up albums",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Schakel verversen op de achtergrond in via Instellingen > Algemeen > Ververs op achtergrond, om back-ups op de achtergrond te maken.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Verversen op achtergrond uitgeschakeld",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Ga naar instellingen",
|
||||
"backup_controller_page_background_battery_info_link": "Laat zien hoe",
|
||||
"backup_controller_page_background_battery_info_message": "Voor de beste back-upervaring, schakel je alle batterijoptimalisaties uit omdat deze op-de-achtergrondactiviteiten van Immich beperken.\n\nAangezien dit apparaatspecifiek is, zoek de vereiste informatie op voor de fabrikant van je apparaat.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Batterijoptimalisaties",
|
||||
"backup_controller_page_background_charging": "Alleen tijdens opladen",
|
||||
"backup_controller_page_background_configure_error": "Achtergrondserviceconfiguratie mislukt",
|
||||
"backup_controller_page_background_delay": "Back-upvertraging voor nieuwe assets: {duration}",
|
||||
"backup_controller_page_background_delay": "Back-upvertraging nieuwe assets: {}",
|
||||
"backup_controller_page_background_description": "Schakel de achtergrondservice in om automatisch een back-up te maken van nieuwe assets zonder de app te hoeven openen",
|
||||
"backup_controller_page_background_is_off": "Automatische achtergrond back-up staat uit",
|
||||
"backup_controller_page_background_is_on": "Automatische achtergrond back-up staat aan",
|
||||
@@ -525,11 +527,12 @@
|
||||
"backup_controller_page_backup": "Back-up",
|
||||
"backup_controller_page_backup_selected": "Geselecteerd: ",
|
||||
"backup_controller_page_backup_sub": "Geback-upte foto's en video's",
|
||||
"backup_controller_page_created": "Gemaakt op: {date}",
|
||||
"backup_controller_page_created": "Gemaakt op: {}",
|
||||
"backup_controller_page_desc_backup": "Schakel back-up op de voorgrond in om automatisch nieuwe assets naar de server te uploaden bij het openen van de app.",
|
||||
"backup_controller_page_excluded": "Uitgezonderd: ",
|
||||
"backup_controller_page_failed": "Mislukt ({count})",
|
||||
"backup_controller_page_filename": "Bestandsnaam: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Mislukt ({})",
|
||||
"backup_controller_page_filename": "Bestandsnaam: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Back-up informatie",
|
||||
"backup_controller_page_none_selected": "Geen geselecteerd",
|
||||
"backup_controller_page_remainder": "Resterend",
|
||||
@@ -538,14 +541,14 @@
|
||||
"backup_controller_page_start_backup": "Back-up uitvoeren",
|
||||
"backup_controller_page_status_off": "Automatische back-up op de voorgrond staat uit",
|
||||
"backup_controller_page_status_on": "Automatische back-up op de voorgrond staat aan",
|
||||
"backup_controller_page_storage_format": "{used} van {total} gebruikt",
|
||||
"backup_controller_page_storage_format": "{} van {} gebruikt",
|
||||
"backup_controller_page_to_backup": "Albums om een back-up van te maken",
|
||||
"backup_controller_page_total_sub": "Alle unieke foto's en video's uit geselecteerde albums",
|
||||
"backup_controller_page_turn_off": "Back-up op de voorgrond uitzetten",
|
||||
"backup_controller_page_turn_on": "Back-up op de voorgrond aanzetten",
|
||||
"backup_controller_page_uploading_file_info": "Bestandsgegevens uploaden",
|
||||
"backup_err_only_album": "Kan het enige album niet verwijderen",
|
||||
"backup_info_card_assets": "bestanden",
|
||||
"backup_info_card_assets": "assets",
|
||||
"backup_manual_cancelled": "Geannuleerd",
|
||||
"backup_manual_in_progress": "Het uploaden is al bezig. Probeer het na een tijdje",
|
||||
"backup_manual_success": "Succes",
|
||||
@@ -553,36 +556,35 @@
|
||||
"backup_options_page_title": "Back-up instellingen",
|
||||
"backup_setting_subtitle": "Beheer achtergrond en voorgrond uploadinstellingen",
|
||||
"backward": "Achteruit",
|
||||
"biometric_auth_enabled": "Biometrische authenticatie ingeschakeld",
|
||||
"biometric_locked_out": "Biometrische authenticatie is vergrendeld",
|
||||
"biometric_no_options": "Geen biometrische opties beschikbaar",
|
||||
"biometric_not_available": "Biometrische authenticatie is niet beschikbaar op dit apparaat",
|
||||
"birthdate_saved": "Geboortedatum succesvol opgeslagen",
|
||||
"birthdate_set_description": "De geboortedatum wordt gebruikt om de leeftijd van deze persoon op het moment van de foto te berekenen.",
|
||||
"blurred_background": "Vervaagde achtergrond",
|
||||
"bugs_and_feature_requests": "Bugs & functieverzoeken",
|
||||
"build": "Build",
|
||||
"build_image": "Build image",
|
||||
"bulk_delete_duplicates_confirmation": "Weet je zeker dat je {count, plural, one {# duplicate asset} other {# duplicate assets}} in bulk wilt verwijderen? Dit zal de grootste asset van elke groep behouden en alle andere duplicaten permanent verwijderen. Je kunt deze actie niet ongedaan maken!",
|
||||
"bulk_keep_duplicates_confirmation": "Weet je zeker dat je {count, plural, one {# duplicate asset} other {# duplicate assets}} wilt behouden? Dit zal alle groepen met duplicaten oplossen zonder iets te verwijderen.",
|
||||
"bulk_trash_duplicates_confirmation": "Weet je zeker dat je {count, plural, one {# duplicate asset} other {# duplicate assets}} in bulk naar de prullenbak wilt verplaatsen? Dit zal de grootste asset van elke groep behouden en alle andere duplicaten naar de prullenbak verplaatsen.",
|
||||
"buy": "Immich kopen",
|
||||
"cache_settings_album_thumbnails": "Thumbnails bibliotheekpagina ({count} assets)",
|
||||
"cache_settings_album_thumbnails": "Thumbnails bibliotheekpagina ({} assets)",
|
||||
"cache_settings_clear_cache_button": "Cache wissen",
|
||||
"cache_settings_clear_cache_button_title": "Wist de cache van de app. Dit zal de presentaties van de app aanzienlijk beïnvloeden totdat de cache opnieuw is opgebouwd.",
|
||||
"cache_settings_duplicated_assets_clear_button": "MAAK VRIJ",
|
||||
"cache_settings_duplicated_assets_subtitle": "Foto's en video's op de zwarte lijst van de app",
|
||||
"cache_settings_duplicated_assets_title": "Gedupliceerde assets ({count})",
|
||||
"cache_settings_image_cache_size": "Grootte afbeeldingscache ({count} assets)",
|
||||
"cache_settings_duplicated_assets_title": "Gedupliceerde assets ({})",
|
||||
"cache_settings_image_cache_size": "Grootte afbeeldingscache ({} assets)",
|
||||
"cache_settings_statistics_album": "Bibliotheekthumbnails",
|
||||
"cache_settings_statistics_assets": "{count} bestanden ({size})",
|
||||
"cache_settings_statistics_assets": "{} assets ({})",
|
||||
"cache_settings_statistics_full": "Volledige afbeeldingen",
|
||||
"cache_settings_statistics_shared": "Gedeeld-albumthumbnails",
|
||||
"cache_settings_statistics_thumbnail": "Thumbnails",
|
||||
"cache_settings_statistics_title": "Cachegebruik",
|
||||
"cache_settings_subtitle": "Beheer het cachegedrag van de Immich app",
|
||||
"cache_settings_thumbnail_size": "Thumbnail-cachegrootte ({count} assets)",
|
||||
"cache_settings_thumbnail_size": "Thumbnail-cachegrootte ({} assets)",
|
||||
"cache_settings_tile_subtitle": "Beheer het gedrag van lokale opslag",
|
||||
"cache_settings_tile_title": "Lokale opslag",
|
||||
"cache_settings_title": "Cache-instellingen",
|
||||
"camera": "Camera",
|
||||
"camera_brand": "Cameramerk",
|
||||
"camera_model": "Cameramodel",
|
||||
"cancel": "Annuleren",
|
||||
@@ -591,9 +593,7 @@
|
||||
"cannot_merge_people": "Kan mensen niet samenvoegen",
|
||||
"cannot_undo_this_action": "Je kunt deze actie niet ongedaan maken!",
|
||||
"cannot_update_the_description": "Kan de beschrijving niet bijwerken",
|
||||
"cast": "Cast",
|
||||
"change_date": "Wijzig datum",
|
||||
"change_description": "Wijzig beschrijving",
|
||||
"change_display_order": "Weergavevolgorde wijzigen",
|
||||
"change_expiration_time": "Verlooptijd wijzigen",
|
||||
"change_location": "Locatie wijzigen",
|
||||
@@ -606,13 +606,12 @@
|
||||
"change_password_form_new_password": "Nieuw wachtwoord",
|
||||
"change_password_form_password_mismatch": "Wachtwoorden komen niet overeen",
|
||||
"change_password_form_reenter_new_password": "Vul het wachtwoord opnieuw in",
|
||||
"change_pin_code": "Wijzig PIN code",
|
||||
"change_your_password": "Wijzig je wachtwoord",
|
||||
"changed_visibility_successfully": "Zichtbaarheid succesvol gewijzigd",
|
||||
"check_all": "Controleer alle",
|
||||
"check_corrupt_asset_backup": "Controleer op corrupte back-ups van assets",
|
||||
"check_corrupt_asset_backup_button": "Controle uitvoeren",
|
||||
"check_corrupt_asset_backup_description": "Voer deze controle alleen uit via WiFi en nadat alle assets zijn geback-upt. De procedure kan een paar minuten duren.",
|
||||
"check_corrupt_asset_backup_description": "Voer deze controle alleen uit via wifi en nadat alle assets zijn geback-upt. De procedure kan een paar minuten duren.",
|
||||
"check_logs": "Controleer logboek",
|
||||
"choose_matching_people_to_merge": "Kies overeenkomende mensen om samen te voegen",
|
||||
"city": "Stad",
|
||||
@@ -647,12 +646,11 @@
|
||||
"confirm_delete_face": "Weet je zeker dat je {name} gezicht wilt verwijderen uit de asset?",
|
||||
"confirm_delete_shared_link": "Weet je zeker dat je deze gedeelde link wilt verwijderen?",
|
||||
"confirm_keep_this_delete_others": "Alle andere assets in de stack worden verwijderd, behalve deze. Weet je zeker dat je wilt doorgaan?",
|
||||
"confirm_new_pin_code": "Bevestig nieuwe PIN code",
|
||||
"confirm_password": "Bevestig wachtwoord",
|
||||
"connected_to": "Verbonden met",
|
||||
"contain": "Bevat",
|
||||
"context": "Context",
|
||||
"continue": "Doorgaan",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} items · Gedeeld",
|
||||
"control_bottom_app_bar_album_info_shared": "{} items · Gedeeld",
|
||||
"control_bottom_app_bar_create_new_album": "Nieuw album maken",
|
||||
"control_bottom_app_bar_delete_from_immich": "Verwijderen van Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Verwijderen van apparaat",
|
||||
@@ -672,6 +670,7 @@
|
||||
"copy_to_clipboard": "Kopiëren naar klembord",
|
||||
"country": "Land",
|
||||
"cover": "Bedekken",
|
||||
"covers": "Covers",
|
||||
"create": "Aanmaken",
|
||||
"create_album": "Album aanmaken",
|
||||
"create_album_page_untitled": "Naamloos",
|
||||
@@ -689,11 +688,9 @@
|
||||
"create_tag_description": "Maak een nieuwe tag. Voor geneste tags, voer het volledige pad van de tag in, inclusief schuine strepen.",
|
||||
"create_user": "Gebruiker aanmaken",
|
||||
"created": "Aangemaakt",
|
||||
"created_at": "Aangemaakt",
|
||||
"crop": "Bijsnijden",
|
||||
"curated_object_page_title": "Dingen",
|
||||
"current_device": "Huidig apparaat",
|
||||
"current_pin_code": "Huidige PIN code",
|
||||
"current_server_address": "Huidige serveradres",
|
||||
"custom_locale": "Aangepaste landinstelling",
|
||||
"custom_locale_description": "Formatteer datums en getallen op basis van de taal en de regio",
|
||||
@@ -741,9 +738,11 @@
|
||||
"description": "Beschrijving",
|
||||
"description_input_hint_text": "Beschrijving toevoegen...",
|
||||
"description_input_submit_error": "Beschrijving bijwerken mislukt, controleer het logboek voor meer details",
|
||||
"details": "Details",
|
||||
"direction": "Richting",
|
||||
"disabled": "Uitgeschakeld",
|
||||
"disallow_edits": "Geen bewerkingen toestaan",
|
||||
"discord": "Discord",
|
||||
"discover": "Zoeken",
|
||||
"dismiss_all_errors": "Negeer alle fouten",
|
||||
"dismiss_error": "Negeer fout",
|
||||
@@ -760,7 +759,7 @@
|
||||
"download_enqueue": "Download in wachtrij",
|
||||
"download_error": "Fout bij downloaden",
|
||||
"download_failed": "Download mislukt",
|
||||
"download_filename": "bestand: {filename}",
|
||||
"download_filename": "bestand: {}",
|
||||
"download_finished": "Download voltooid",
|
||||
"download_include_embedded_motion_videos": "Ingesloten video's",
|
||||
"download_include_embedded_motion_videos_description": "Voeg video's toe die ingesloten zijn in bewegende foto's als een apart bestand",
|
||||
@@ -784,8 +783,6 @@
|
||||
"edit_avatar": "Avatar bewerken",
|
||||
"edit_date": "Datum bewerken",
|
||||
"edit_date_and_time": "Datum en tijd bewerken",
|
||||
"edit_description": "Bewerk beschrijving",
|
||||
"edit_description_prompt": "Selecteer een nieuwe beschrijving:",
|
||||
"edit_exclusion_pattern": "Uitsluitingspatroon bewerken",
|
||||
"edit_faces": "Gezichten bewerken",
|
||||
"edit_import_path": "Import-pad bewerken",
|
||||
@@ -806,23 +803,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "Beeldverhoudingen",
|
||||
"editor_crop_tool_h2_rotation": "Rotatie",
|
||||
"email": "E-mailadres",
|
||||
"email_notifications": "E-mailmeldingen",
|
||||
"empty_folder": "Deze map is leeg",
|
||||
"empty_trash": "Prullenbak leegmaken",
|
||||
"empty_trash_confirmation": "Weet je zeker dat je de prullenbak wilt legen? Hiermee worden alle assets in de prullenbak permanent uit Immich verwijderd.\nJe kunt deze actie niet ongedaan maken!",
|
||||
"enable": "Inschakelen",
|
||||
"enable_biometric_auth_description": "Voer uw pincode in om biometrische authenticatie in te schakelen",
|
||||
"enabled": "Ingeschakeld",
|
||||
"end_date": "Einddatum",
|
||||
"enqueued": "In de wachtrij",
|
||||
"enter_wifi_name": "Voer de WiFi-naam in",
|
||||
"enter_your_pin_code": "Voer uw pincode in",
|
||||
"enter_your_pin_code_subtitle": "Voer uw pincode in om toegang te krijgen tot de vergrendelde map",
|
||||
"enter_wifi_name": "Voer de WiFi naam in",
|
||||
"error": "Fout",
|
||||
"error_change_sort_album": "Sorteervolgorde van album wijzigen mislukt",
|
||||
"error_delete_face": "Fout bij verwijderen gezicht uit asset",
|
||||
"error_loading_image": "Fout bij laden afbeelding",
|
||||
"error_saving_image": "Fout: {error}",
|
||||
"error_saving_image": "Fout: {}",
|
||||
"error_title": "Fout - Er is iets misgegaan",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Kan niet naar de volgende asset navigeren",
|
||||
@@ -852,12 +845,10 @@
|
||||
"failed_to_keep_this_delete_others": "Het is niet gelukt om dit asset te behouden en de andere assets te verwijderen",
|
||||
"failed_to_load_asset": "Kan asset niet laden",
|
||||
"failed_to_load_assets": "Kan assets niet laden",
|
||||
"failed_to_load_notifications": "Kon meldingen niet laden",
|
||||
"failed_to_load_people": "Kan mensen niet laden",
|
||||
"failed_to_remove_product_key": "Er is een fout opgetreden bij het verwijderen van de licentiesleutel",
|
||||
"failed_to_stack_assets": "Fout bij stapelen van assets",
|
||||
"failed_to_unstack_assets": "Fout bij ontstapelen van assets",
|
||||
"failed_to_update_notification_status": "Kon notificatie status niet updaten",
|
||||
"import_path_already_exists": "Dit import-pad bestaat al.",
|
||||
"incorrect_email_or_password": "Onjuist e-mailadres of wachtwoord",
|
||||
"paths_validation_failed": "validatie van {paths, plural, one {# pad} other {# paden}} mislukt",
|
||||
@@ -875,7 +866,6 @@
|
||||
"unable_to_archive_unarchive": "Kan niet {archived, select, true {toevoegen aan} other {verwijderen uit}} archief",
|
||||
"unable_to_change_album_user_role": "Kan rol van de albumgebruiker niet wijzigen",
|
||||
"unable_to_change_date": "Kan datum niet wijzigen",
|
||||
"unable_to_change_description": "Beschrijving kan niet worden gewijzigd",
|
||||
"unable_to_change_favorite": "Kan asset niet toevoegen aan of verwijderen uit favorieten",
|
||||
"unable_to_change_location": "Kan locatie niet wijzigen",
|
||||
"unable_to_change_password": "Kan wachtwoord niet veranderen",
|
||||
@@ -913,7 +903,6 @@
|
||||
"unable_to_log_out_all_devices": "Kan niet op alle apparaten uitloggen",
|
||||
"unable_to_log_out_device": "Kan apparaat niet uitloggen",
|
||||
"unable_to_login_with_oauth": "Kan niet inloggen met OAuth",
|
||||
"unable_to_move_to_locked_folder": "Verplaatsen naar de vergrendelde map is niet gelukt",
|
||||
"unable_to_play_video": "Kan video niet afspelen",
|
||||
"unable_to_reassign_assets_existing_person": "Kan assets niet opnieuw toewijzen aan {name, select, null {een bestaand persoon} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Kan assets niet opnieuw toewijzen aan een nieuw persoon",
|
||||
@@ -927,7 +916,6 @@
|
||||
"unable_to_remove_reaction": "Kan reactie niet verwijderen",
|
||||
"unable_to_repair_items": "Kan items niet repareren",
|
||||
"unable_to_reset_password": "Kan wachtwoord niet resetten",
|
||||
"unable_to_reset_pin_code": "Kan PIN code niet resetten",
|
||||
"unable_to_resolve_duplicate": "Kan duplicaat niet oplossen",
|
||||
"unable_to_restore_assets": "Kan assets niet herstellen",
|
||||
"unable_to_restore_trash": "Kan niet herstellen uit prullenbak",
|
||||
@@ -955,14 +943,16 @@
|
||||
"unable_to_update_user": "Kan gebruiker niet bijwerken",
|
||||
"unable_to_upload_file": "Kan bestand niet uploaden"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Beschrijving toevoegen...",
|
||||
"exif_bottom_sheet_details": "DETAILS",
|
||||
"exif_bottom_sheet_location": "LOCATIE",
|
||||
"exif_bottom_sheet_people": "MENSEN",
|
||||
"exif_bottom_sheet_person_add_person": "Naam toevoegen",
|
||||
"exif_bottom_sheet_person_age": "Leeftijd {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Leeftijd {months} maanden",
|
||||
"exif_bottom_sheet_person_age_year_months": "Leeftijd 1 jaar, {months} maanden",
|
||||
"exif_bottom_sheet_person_age_years": "Leeftijd {years}",
|
||||
"exif_bottom_sheet_person_age": "Leeftijd {}",
|
||||
"exif_bottom_sheet_person_age_months": "Leeftijd {} maanden",
|
||||
"exif_bottom_sheet_person_age_year_months": "Leeftijd 1 jaar, {} maanden",
|
||||
"exif_bottom_sheet_person_age_years": "Leeftijd {}",
|
||||
"exit_slideshow": "Diavoorstelling sluiten",
|
||||
"expand_all": "Alles uitvouwen",
|
||||
"experimental_settings_new_asset_list_subtitle": "Werk in uitvoering",
|
||||
@@ -980,10 +970,9 @@
|
||||
"external": "Extern",
|
||||
"external_libraries": "Externe bibliotheken",
|
||||
"external_network": "Extern netwerk",
|
||||
"external_network_sheet_info": "Als je niet verbonden bent met het opgegeven WiFi-netwerk, maakt de app verbinding met de server via de eerst bereikbare URL in de onderstaande lijst, van boven naar beneden",
|
||||
"external_network_sheet_info": "Als je niet verbonden bent met het opgegeven wifi-netwerk, maakt de app verbinding met de server via de eerst bereikbare URL in de onderstaande lijst, van boven naar beneden",
|
||||
"face_unassigned": "Niet toegewezen",
|
||||
"failed": "Mislukt",
|
||||
"failed_to_authenticate": "Authenticatie mislukt",
|
||||
"failed_to_load_assets": "Kan assets niet laden",
|
||||
"failed_to_load_folder": "Laden van map mislukt",
|
||||
"favorite": "Favoriet",
|
||||
@@ -997,8 +986,8 @@
|
||||
"file_name_or_extension": "Bestandsnaam of extensie",
|
||||
"filename": "Bestandsnaam",
|
||||
"filetype": "Bestandstype",
|
||||
"filter": "Filter",
|
||||
"filter_people": "Filter op mensen",
|
||||
"filter_places": "Filter locaties",
|
||||
"find_them_fast": "Vind ze snel op naam door te zoeken",
|
||||
"fix_incorrect_match": "Onjuiste overeenkomst corrigeren",
|
||||
"folder": "Map",
|
||||
@@ -1008,7 +997,7 @@
|
||||
"forward": "Vooruit",
|
||||
"general": "Algemeen",
|
||||
"get_help": "Krijg hulp",
|
||||
"get_wifiname_error": "Kon de WiFi-naam niet ophalen. Zorg ervoor dat je de benodigde machtigingen hebt verleend en verbonden bent met een WiFi-netwerk",
|
||||
"get_wifiname_error": "Kon de Wi-Fi naam niet ophalen. Zorg ervoor dat je de benodigde machtigingen hebt verleend en verbonden bent met een Wi-Fi-netwerk",
|
||||
"getting_started": "Aan de slag",
|
||||
"go_back": "Ga terug",
|
||||
"go_to_folder": "Ga naar map",
|
||||
@@ -1047,13 +1036,11 @@
|
||||
"home_page_delete_remote_err_local": "Lokale assets staan in verwijder selectie externe assets, overslaan",
|
||||
"home_page_favorite_err_local": "Lokale assets kunnen nog niet als favoriet worden aangemerkt, overslaan",
|
||||
"home_page_favorite_err_partner": "Partner assets kunnen nog niet ge-favoriet worden, overslaan",
|
||||
"home_page_first_time_notice": "Als dit de eerste keer is dat je de app gebruikt, zorg er dan voor dat je een back-up album kiest, zodat de tijdlijn gevuld kan worden met foto's en video's uit het album",
|
||||
"home_page_locked_error_local": "Kan lokale bestanden niet naar de vergrendelde map verplaatsen, sla over",
|
||||
"home_page_locked_error_partner": "Kan partnerbestanden niet naar de vergrendelde map verplaatsen, sla over",
|
||||
"home_page_first_time_notice": "Als dit de eerste keer is dat je de app gebruikt, zorg er dan voor dat je een back-up album kiest, zodat de tijdlijn gevuld kan worden met foto's en video's uit het album.",
|
||||
"home_page_share_err_local": "Lokale assets kunnen niet via een link gedeeld worden, overslaan",
|
||||
"home_page_upload_err_limit": "Kan maximaal 30 assets tegelijk uploaden, overslaan",
|
||||
"host": "Host",
|
||||
"hour": "Uur",
|
||||
"id": "ID",
|
||||
"ignore_icloud_photos": "Negeer iCloud foto's",
|
||||
"ignore_icloud_photos_description": "Foto's die op iCloud zijn opgeslagen, worden niet geüpload naar de Immich server",
|
||||
"image": "Afbeelding",
|
||||
@@ -1072,14 +1059,17 @@
|
||||
"image_viewer_page_state_provider_download_success": "Download succesvol",
|
||||
"image_viewer_page_state_provider_share_error": "Deel Error",
|
||||
"immich_logo": "Immich logo",
|
||||
"immich_web_interface": "Immich Web Interface",
|
||||
"import_from_json": "Importeren vanuit JSON",
|
||||
"import_path": "Import-pad",
|
||||
"in_albums": "In {count, plural, one {# album} other {# albums}}",
|
||||
"in_archive": "In archief",
|
||||
"include_archived": "Toon gearchiveerde",
|
||||
"include_shared_albums": "Toon gedeelde albums",
|
||||
"include_shared_partner_assets": "Toon assets van gedeelde partner",
|
||||
"individual_share": "Individuele deellink",
|
||||
"individual_shares": "Individuele deellinks",
|
||||
"info": "Info",
|
||||
"interval": {
|
||||
"day_at_onepm": "Iedere dag om 13 uur",
|
||||
"hours": "{hours, plural, one {Ieder uur} other {Iedere {hours, number} uren}}",
|
||||
@@ -1090,6 +1080,7 @@
|
||||
"invalid_date_format": "Ongeldig datumformaat",
|
||||
"invite_people": "Mensen uitnodigen",
|
||||
"invite_to_album": "Uitnodigen voor album",
|
||||
"items_count": "{count, plural, one {# item} other {# items}}",
|
||||
"jobs": "Taken",
|
||||
"keep": "Behouden",
|
||||
"keep_all": "Behoud alle",
|
||||
@@ -1102,6 +1093,7 @@
|
||||
"latest_version": "Nieuwste versie",
|
||||
"latitude": "Breedtegraad",
|
||||
"leave": "Verlaten",
|
||||
"lens_model": "Lens model",
|
||||
"let_others_respond": "Laat anderen reageren",
|
||||
"level": "Niveau",
|
||||
"library": "Bibliotheek",
|
||||
@@ -1122,16 +1114,14 @@
|
||||
"loading": "Laden",
|
||||
"loading_search_results_failed": "Laden van zoekresultaten mislukt",
|
||||
"local_network": "Lokaal netwerk",
|
||||
"local_network_sheet_info": "De app maakt verbinding met de server via deze URL wanneer het opgegeven WiFi-netwerk wordt gebruikt",
|
||||
"local_network_sheet_info": "De app maakt verbinding met de server via deze URL wanneer het opgegeven wifi-netwerk wordt gebruikt",
|
||||
"location_permission": "Locatie toestemming",
|
||||
"location_permission_content": "Om de functie voor automatische serverwissel te gebruiken, heeft Immich toegang tot de exacte locatie nodig om de naam van het huidige WiFi-netwerk te kunnen bepalen",
|
||||
"location_permission_content": "Om de functie voor automatische serverwissel te gebruiken, heeft Immich toegang tot de exacte locatie nodig om de naam van het huidige wifi-netwerk te kunnen bepalen.",
|
||||
"location_picker_choose_on_map": "Kies op kaart",
|
||||
"location_picker_latitude_error": "Voer een geldige breedtegraad in",
|
||||
"location_picker_latitude_hint": "Voer hier je breedtegraad in",
|
||||
"location_picker_longitude_error": "Voer een geldige lengtegraad in",
|
||||
"location_picker_longitude_hint": "Voer hier je lengtegraad in",
|
||||
"lock": "Vergrendel",
|
||||
"locked_folder": "Vergrendelde map",
|
||||
"log_out": "Uitloggen",
|
||||
"log_out_all_devices": "Uitloggen op alle apparaten",
|
||||
"logged_out_all_devices": "Uitgelogd op alle apparaten",
|
||||
@@ -1176,8 +1166,8 @@
|
||||
"manage_your_devices": "Beheer je ingelogde apparaten",
|
||||
"manage_your_oauth_connection": "Beheer je OAuth koppeling",
|
||||
"map": "Kaart",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} foto's",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} foto's",
|
||||
"map_cannot_get_user_location": "Kan locatie van de gebruiker niet ophalen",
|
||||
"map_location_dialog_yes": "Ja",
|
||||
"map_location_picker_page_use_location": "Gebruik deze locatie",
|
||||
@@ -1191,18 +1181,15 @@
|
||||
"map_settings": "Kaartinstellingen",
|
||||
"map_settings_dark_mode": "Donkere modus",
|
||||
"map_settings_date_range_option_day": "Afgelopen 24 uur",
|
||||
"map_settings_date_range_option_days": "Afgelopen {days} dagen",
|
||||
"map_settings_date_range_option_days": "Afgelopen {} dagen",
|
||||
"map_settings_date_range_option_year": "Afgelopen jaar",
|
||||
"map_settings_date_range_option_years": "Afgelopen {years} jaar",
|
||||
"map_settings_date_range_option_years": "Afgelopen {} jaar",
|
||||
"map_settings_dialog_title": "Kaart Instellingen",
|
||||
"map_settings_include_show_archived": "Toon gearchiveerde",
|
||||
"map_settings_include_show_partners": "Inclusief partners",
|
||||
"map_settings_only_show_favorites": "Toon enkel favorieten",
|
||||
"map_settings_theme_settings": "Kaart thema",
|
||||
"map_zoom_to_see_photos": "Zoom uit om foto's te zien",
|
||||
"mark_all_as_read": "Alles markeren als gelezen",
|
||||
"mark_as_read": "Markeren als gelezen",
|
||||
"marked_all_as_read": "Allen gemarkeerd als gelezen",
|
||||
"matches": "Overeenkomsten",
|
||||
"media_type": "Mediatype",
|
||||
"memories": "Herinneringen",
|
||||
@@ -1211,8 +1198,11 @@
|
||||
"memories_setting_description": "Beheer wat je ziet in je herinneringen",
|
||||
"memories_start_over": "Opnieuw beginnen",
|
||||
"memories_swipe_to_close": "Swipe omhoog om te sluiten",
|
||||
"memories_year_ago": "Een jaar geleden",
|
||||
"memories_years_ago": "{} jaar geleden",
|
||||
"memory": "Herinnering",
|
||||
"memory_lane_title": "Herinneringen {title}",
|
||||
"menu": "Menu",
|
||||
"merge": "Samenvoegen",
|
||||
"merge_people": "Mensen samenvoegen",
|
||||
"merge_people_limit": "Je kunt maximaal 5 gezichten tegelijk samenvoegen",
|
||||
@@ -1222,14 +1212,10 @@
|
||||
"minimize": "Minimaliseren",
|
||||
"minute": "Minuut",
|
||||
"missing": "Missend",
|
||||
"model": "Model",
|
||||
"month": "Maand",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Meer",
|
||||
"move": "Verplaats",
|
||||
"move_off_locked_folder": "Verplaats uit vergrendelde map",
|
||||
"move_to_locked_folder": "Verplaats naar vergrendelde map",
|
||||
"move_to_locked_folder_confirmation": "Deze foto’s en video’s worden uit alle albums verwijderd en zijn alleen te bekijken in de vergrendelde map",
|
||||
"moved_to_archive": "{count, plural, one {# asset} other {# assets}} verplaatst naar archief",
|
||||
"moved_to_library": "{count, plural, one {# asset} other {# assets}} verplaatst naar bibliotheek",
|
||||
"moved_to_trash": "Naar de prullenbak verplaatst",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Kan datum van alleen-lezen asset(s) niet wijzigen, overslaan",
|
||||
"multiselect_grid_edit_gps_err_read_only": "Kan locatie van alleen-lezen asset(s) niet wijzigen, overslaan",
|
||||
@@ -1244,8 +1230,6 @@
|
||||
"new_api_key": "Nieuwe API key",
|
||||
"new_password": "Nieuw wachtwoord",
|
||||
"new_person": "Nieuw persoon",
|
||||
"new_pin_code": "Nieuwe PIN code",
|
||||
"new_pin_code_subtitle": "Dit is de eerste keer dat u de vergrendelde map opent. Stel een pincode in om deze pagina veilig te openen",
|
||||
"new_user_created": "Nieuwe gebruiker aangemaakt",
|
||||
"new_version_available": "NIEUWE VERSIE BESCHIKBAAR",
|
||||
"newest_first": "Nieuwste eerst",
|
||||
@@ -1263,10 +1247,7 @@
|
||||
"no_explore_results_message": "Upload meer foto's om je verzameling te verkennen.",
|
||||
"no_favorites_message": "Voeg favorieten toe om snel je beste foto's en video's te vinden",
|
||||
"no_libraries_message": "Maak een externe bibliotheek om je foto's en video's te bekijken",
|
||||
"no_locked_photos_message": "Foto’s en video’s in de vergrendelde map zijn verborgen en worden niet weergegeven wanneer je door je bibliotheek bladert of zoekt.",
|
||||
"no_name": "Geen naam",
|
||||
"no_notifications": "Geen notificaties",
|
||||
"no_people_found": "Geen mensen gevonden",
|
||||
"no_places": "Geen plaatsen",
|
||||
"no_results": "Geen resultaten",
|
||||
"no_results_description": "Probeer een synoniem of een algemener zoekwoord",
|
||||
@@ -1275,7 +1256,6 @@
|
||||
"not_selected": "Niet geselecteerd",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Opmerking: om het opslaglabel toe te passen op eerder geüploade assets, voer de volgende taak uit",
|
||||
"notes": "Opmerkingen",
|
||||
"nothing_here_yet": "Hier staan nog geen items",
|
||||
"notification_permission_dialog_content": "Om meldingen in te schakelen, ga naar Instellingen en selecteer toestaan.",
|
||||
"notification_permission_list_tile_content": "Geef toestemming om meldingen te versturen.",
|
||||
"notification_permission_list_tile_enable_button": "Meldingen inschakelen",
|
||||
@@ -1283,17 +1263,21 @@
|
||||
"notification_toggle_setting_description": "E-mailmeldingen inschakelen",
|
||||
"notifications": "Meldingen",
|
||||
"notifications_setting_description": "Beheer meldingen",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Officiële Immich bronnen",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Offline paden",
|
||||
"offline_paths_description": "Deze resultaten kunnen te wijten zijn aan het handmatig verwijderen van bestanden die geen deel uitmaken van een externe bibliotheek.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Oudste eerst",
|
||||
"on_this_device": "Op dit apparaat",
|
||||
"onboarding": "Onboarding",
|
||||
"onboarding_privacy_description": "De volgende (optionele) functies zijn afhankelijk van externe services en kunnen op elk moment worden uitgeschakeld in de beheerdersinstellingen.",
|
||||
"onboarding_theme_description": "Kies een kleurenthema voor de applicatie. Dit kun je later wijzigen in je instellingen.",
|
||||
"onboarding_welcome_description": "Laten we de applicatie instellen met enkele veelgebruikte instellingen.",
|
||||
"onboarding_welcome_user": "Welkom, {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Alleen favorieten",
|
||||
"open": "Openen",
|
||||
"open_in_map_view": "Openen in kaartweergave",
|
||||
"open_in_openstreetmap": "Openen in OpenStreetMap",
|
||||
"open_the_search_filters": "Open de zoekfilters",
|
||||
@@ -1306,6 +1290,7 @@
|
||||
"other_variables": "Andere variabelen",
|
||||
"owned": "Eigenaar",
|
||||
"owner": "Eigenaar",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} heeft toegang tot",
|
||||
"partner_can_access_assets": "Al je foto's en video's behalve die in het archief of de prullenbak",
|
||||
"partner_can_access_location": "De locatie waar je foto's zijn genomen",
|
||||
@@ -1316,8 +1301,9 @@
|
||||
"partner_page_partner_add_failed": "Partner toevoegen mislukt",
|
||||
"partner_page_select_partner": "Selecteer partner",
|
||||
"partner_page_shared_to_title": "Gedeeld met",
|
||||
"partner_page_stop_sharing_content": "{partner} zal geen toegang meer hebben tot je fotos's.",
|
||||
"partner_page_stop_sharing_content": "{} zal geen toegang meer hebben tot je fotos's.",
|
||||
"partner_sharing": "Delen met partner",
|
||||
"partners": "Partners",
|
||||
"password": "Wachtwoord",
|
||||
"password_does_not_match": "Wachtwoord komt niet overeen",
|
||||
"password_required": "Wachtwoord vereist",
|
||||
@@ -1361,10 +1347,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} foto} other {{count, number} foto's}}",
|
||||
"photos_from_previous_years": "Foto's van voorgaande jaren",
|
||||
"pick_a_location": "Kies een locatie",
|
||||
"pin_code_changed_successfully": "PIN code succesvol gewijzigd",
|
||||
"pin_code_reset_successfully": "PIN code succesvol gereset",
|
||||
"pin_code_setup_successfully": "PIN code succesvol ingesteld",
|
||||
"pin_verification": "Pincodeverificatie",
|
||||
"place": "Plaats",
|
||||
"places": "Plaatsen",
|
||||
"places_count": "{count, plural, one {{count, number} Plaats} other {{count, number} Plaatsen}}",
|
||||
@@ -1372,7 +1354,6 @@
|
||||
"play_memories": "Herinneringen afspelen",
|
||||
"play_motion_photo": "Bewegingsfoto afspelen",
|
||||
"play_or_pause_video": "Video afspelen of pauzeren",
|
||||
"please_auth_to_access": "Verifieer om toegang te krijgen",
|
||||
"port": "Poort",
|
||||
"preferences_settings_subtitle": "Beheer de voorkeuren van de app",
|
||||
"preferences_settings_title": "Voorkeuren",
|
||||
@@ -1382,19 +1363,21 @@
|
||||
"previous_memory": "Vorige herinnering",
|
||||
"previous_or_next_photo": "Vorige of volgende foto",
|
||||
"primary": "Primair",
|
||||
"profile": "Profiel",
|
||||
"privacy": "Privacy",
|
||||
"profile_drawer_app_logs": "Logboek",
|
||||
"profile_drawer_client_out_of_date_major": "Mobiele app is verouderd. Werk bij naar de nieuwste hoofdversie.",
|
||||
"profile_drawer_client_out_of_date_minor": "Mobiele app is verouderd. Werk bij naar de nieuwste subversie.",
|
||||
"profile_drawer_client_server_up_to_date": "App en server zijn up-to-date",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Server is verouderd. Werk bij naar de nieuwste hoofdversie.",
|
||||
"profile_drawer_server_out_of_date_minor": "Server is verouderd. Werk bij naar de nieuwste subversie.",
|
||||
"profile_image_of_user": "Profielfoto van {user}",
|
||||
"profile_picture_set": "Profielfoto ingesteld.",
|
||||
"public_album": "Openbaar album",
|
||||
"public_share": "Openbare deellink",
|
||||
"purchase_account_info": "Supporter",
|
||||
"purchase_activated_subtitle": "Bedankt voor het ondersteunen van Immich en open-source software",
|
||||
"purchase_activated_time": "Geactiveerd op {date}",
|
||||
"purchase_activated_time": "Geactiveerd op {date, date}",
|
||||
"purchase_activated_title": "Je licentiesleutel is succesvol geactiveerd",
|
||||
"purchase_button_activate": "Activeren",
|
||||
"purchase_button_buy": "Kopen",
|
||||
@@ -1414,6 +1397,7 @@
|
||||
"purchase_panel_info_1": "Het bouwen van Immich kost veel tijd en moeite, en we hebben fulltime engineers die eraan werken om het zo goed mogelijk te maken. Onze missie is om open-source software en ethische bedrijfspraktijken een duurzame inkomstenbron te laten worden voor ontwikkelaars en een ecosysteem te creëren dat de privacy respecteert met echte alternatieven voor uitbuitende cloudservices.",
|
||||
"purchase_panel_info_2": "Omdat we ons inzetten om geen paywalls toe te voegen, krijg je met deze aankoop geen extra functies in Immich. We vertrouwen op gebruikers zoals jij om de verdere ontwikkeling van Immich te ondersteunen.",
|
||||
"purchase_panel_title": "Steun het project",
|
||||
"purchase_per_server": "Per server",
|
||||
"purchase_per_user": "Per gebruiker",
|
||||
"purchase_remove_product_key": "Verwijder licentiesleutel",
|
||||
"purchase_remove_product_key_prompt": "Weet je zeker dat je de licentiesleutel wilt verwijderen?",
|
||||
@@ -1421,6 +1405,7 @@
|
||||
"purchase_remove_server_product_key_prompt": "Weet je zeker dat je de server licentiesleutel wilt verwijderen?",
|
||||
"purchase_server_description_1": "Voor de volledige server",
|
||||
"purchase_server_description_2": "Supporter badge",
|
||||
"purchase_server_title": "Server",
|
||||
"purchase_settings_server_activated": "De licentiesleutel van de server wordt beheerd door de beheerder",
|
||||
"rating": "Ster waardering",
|
||||
"rating_clear": "Waardering verwijderen",
|
||||
@@ -1432,12 +1417,11 @@
|
||||
"reassigned_assets_to_existing_person": "{count, plural, one {# asset} other {# assets}} opnieuw toegewezen aan {name, select, null {een bestaand persoon} other {{name}}}",
|
||||
"reassigned_assets_to_new_person": "{count, plural, one {# asset} other {# assets}} opnieuw toegewezen aan een nieuw persoon",
|
||||
"reassing_hint": "Geselecteerde assets toewijzen aan een bestaand persoon",
|
||||
"recent": "Recent",
|
||||
"recent-albums": "Recente albums",
|
||||
"recent_searches": "Recente zoekopdrachten",
|
||||
"recently_added": "Onlangs toegevoegd",
|
||||
"recently_added_page_title": "Recent toegevoegd",
|
||||
"recently_taken": "Recent genomen",
|
||||
"recently_taken_page_title": "Recent Genomen",
|
||||
"refresh": "Vernieuwen",
|
||||
"refresh_encoded_videos": "Vernieuw gecodeerde video's",
|
||||
"refresh_faces": "Vernieuw gezichten",
|
||||
@@ -1457,8 +1441,6 @@
|
||||
"remove_deleted_assets": "Verwijder offline bestanden",
|
||||
"remove_from_album": "Verwijder uit album",
|
||||
"remove_from_favorites": "Verwijderen uit favorieten",
|
||||
"remove_from_locked_folder": "Verwijder uit de vergrendelde map",
|
||||
"remove_from_locked_folder_confirmation": "Weet je zeker dat je deze foto's en video's uit de vergrendelde map wilt verplaatsen? Ze zijn dan weer zichtbaar in je bibliotheek.",
|
||||
"remove_from_shared_link": "Verwijderen uit gedeelde link",
|
||||
"remove_memory": "Herinnering verwijderen",
|
||||
"remove_photo_from_memory": "Foto uit deze herinnering verwijderen",
|
||||
@@ -1475,6 +1457,7 @@
|
||||
"repair": "Repareren",
|
||||
"repair_no_results_message": "Niet bijgehouden en ontbrekende bestanden zullen hier verschijnen",
|
||||
"replace_with_upload": "Vervangen door upload",
|
||||
"repository": "Repository",
|
||||
"require_password": "Wachtwoord vereisen",
|
||||
"require_user_to_change_password_on_first_login": "Vereisen dat de gebruiker het wachtwoord wijzigt bij de eerste keer inloggen",
|
||||
"rescan": "Herscannen",
|
||||
@@ -1540,7 +1523,9 @@
|
||||
"search_page_motion_photos": "Bewegende foto's",
|
||||
"search_page_no_objects": "Geen objectgegevens beschikbaar",
|
||||
"search_page_no_places": "Geen locatiegegevens beschikbaar",
|
||||
"search_page_screenshots": "Screenshots",
|
||||
"search_page_search_photos_videos": "Zoek naar je foto's en video's",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Dingen",
|
||||
"search_page_view_all_button": "Bekijk alle",
|
||||
"search_page_your_activity": "Je activiteit",
|
||||
@@ -1571,7 +1556,6 @@
|
||||
"select_keep_all": "Selecteer alles behouden",
|
||||
"select_library_owner": "Selecteer bibliotheekeigenaar",
|
||||
"select_new_face": "Selecteer nieuw gezicht",
|
||||
"select_person_to_tag": "Selecteer een persoon om te taggen",
|
||||
"select_photos": "Selecteer foto's",
|
||||
"select_trash_all": "Selecteer alles naar prullenbak verplaatsen",
|
||||
"select_user_for_sharing_page_err_album": "Album aanmaken mislukt",
|
||||
@@ -1581,6 +1565,7 @@
|
||||
"send_welcome_email": "Stuur welkomstmail",
|
||||
"server_endpoint": "Server url",
|
||||
"server_info_box_app_version": "Appversie",
|
||||
"server_info_box_server_url": "Server URL",
|
||||
"server_offline": "Server offline",
|
||||
"server_online": "Server online",
|
||||
"server_stats": "Serverstatistieken",
|
||||
@@ -1601,12 +1586,12 @@
|
||||
"setting_languages_apply": "Toepassen",
|
||||
"setting_languages_subtitle": "Wijzig de taal van de app",
|
||||
"setting_languages_title": "Taal",
|
||||
"setting_notifications_notify_failures_grace_period": "Fouten van de achtergrond back-up melden: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} uur",
|
||||
"setting_notifications_notify_failures_grace_period": "Fouten van de achtergrond back-up melden: {}",
|
||||
"setting_notifications_notify_hours": "{} uur",
|
||||
"setting_notifications_notify_immediately": "meteen",
|
||||
"setting_notifications_notify_minutes": "{count} minuten",
|
||||
"setting_notifications_notify_minutes": "{} minuten",
|
||||
"setting_notifications_notify_never": "nooit",
|
||||
"setting_notifications_notify_seconds": "{count} seconden",
|
||||
"setting_notifications_notify_seconds": "{} seconden",
|
||||
"setting_notifications_single_progress_subtitle": "Gedetailleerde informatie over de uploadvoortgang per asset",
|
||||
"setting_notifications_single_progress_title": "Gedetailleerde informatie over achtergrond back-ups tonen",
|
||||
"setting_notifications_subtitle": "Voorkeuren voor meldingen beheren",
|
||||
@@ -1618,12 +1603,10 @@
|
||||
"settings": "Instellingen",
|
||||
"settings_require_restart": "Start Immich opnieuw op om deze instelling toe te passen",
|
||||
"settings_saved": "Instellingen opgeslagen",
|
||||
"setup_pin_code": "Stel een PIN code in",
|
||||
"share": "Delen",
|
||||
"share_add_photos": "Foto's toevoegen",
|
||||
"share_assets_selected": "{count} geselecteerd",
|
||||
"share_assets_selected": "{} geselecteerd",
|
||||
"share_dialog_preparing": "Voorbereiden...",
|
||||
"share_link": "Deel link",
|
||||
"shared": "Gedeeld",
|
||||
"shared_album_activities_input_disable": "Reactie is uitgeschakeld",
|
||||
"shared_album_activity_remove_content": "Wil je deze activiteit verwijderen?",
|
||||
@@ -1636,33 +1619,34 @@
|
||||
"shared_by_user": "Gedeeld door {user}",
|
||||
"shared_by_you": "Gedeeld door jou",
|
||||
"shared_from_partner": "Foto's van {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} geüpload",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} geüpload",
|
||||
"shared_link_app_bar_title": "Gedeelde links",
|
||||
"shared_link_clipboard_copied_massage": "Gekopieerd naar klembord",
|
||||
"shared_link_clipboard_text": "Link: {link}\nWachtwoord: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nWachtwoord: {}",
|
||||
"shared_link_create_error": "Fout bij het maken van een gedeelde link",
|
||||
"shared_link_edit_description_hint": "Voer beschrijving voor de gedeelde link in",
|
||||
"shared_link_edit_expire_after_option_day": "1 dag",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dagen",
|
||||
"shared_link_edit_expire_after_option_days": "{} dagen",
|
||||
"shared_link_edit_expire_after_option_hour": "1 uur",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} uren",
|
||||
"shared_link_edit_expire_after_option_hours": "{} uren",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuut",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minuten",
|
||||
"shared_link_edit_expire_after_option_months": "{count} maanden",
|
||||
"shared_link_edit_expire_after_option_year": "{count} jaar",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minuten",
|
||||
"shared_link_edit_expire_after_option_months": "{} maanden",
|
||||
"shared_link_edit_expire_after_option_year": "{} jaar",
|
||||
"shared_link_edit_password_hint": "Voer wachtwoord voor de gedeelde link in",
|
||||
"shared_link_edit_submit_button": "Link bijwerken",
|
||||
"shared_link_error_server_url_fetch": "Kan de server url niet ophalen",
|
||||
"shared_link_expires_day": "Verloopt over {count} dag",
|
||||
"shared_link_expires_days": "Verloopt over {count} dagen",
|
||||
"shared_link_expires_hour": "Verloopt over {count} uur",
|
||||
"shared_link_expires_hours": "Verloopt over {count} uur",
|
||||
"shared_link_expires_minute": "Verloopt over {count} minuut",
|
||||
"shared_link_expires_minutes": "Verloopt over {count} minuten",
|
||||
"shared_link_expires_day": "Verloopt over {} dag",
|
||||
"shared_link_expires_days": "Verloopt over {} dagen",
|
||||
"shared_link_expires_hour": "Verloopt over {} uur",
|
||||
"shared_link_expires_hours": "Verloopt over {} uur",
|
||||
"shared_link_expires_minute": "Verloopt over {} minuut",
|
||||
"shared_link_expires_minutes": "Verloopt over {} minuten",
|
||||
"shared_link_expires_never": "Verloopt ∞",
|
||||
"shared_link_expires_second": "Verloopt over {count} seconde",
|
||||
"shared_link_expires_seconds": "Verloopt over {count} seconden",
|
||||
"shared_link_expires_second": "Verloopt over {} seconde",
|
||||
"shared_link_expires_seconds": "Verloopt over {} seconden",
|
||||
"shared_link_individual_shared": "Individueel gedeeld",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Beheer gedeelde links",
|
||||
"shared_link_options": "Opties voor gedeelde links",
|
||||
"shared_links": "Gedeelde links",
|
||||
@@ -1697,6 +1681,7 @@
|
||||
"show_search_options": "Zoekopties weergeven",
|
||||
"show_shared_links": "Toon gedeelde links",
|
||||
"show_slideshow_transition": "Diavoorstellingsovergang tonen",
|
||||
"show_supporter_badge": "Supporter badge",
|
||||
"show_supporter_badge_description": "Toon een supporterbadge",
|
||||
"shuffle": "Willekeurig",
|
||||
"sidebar": "Zijbalk",
|
||||
@@ -1723,15 +1708,17 @@
|
||||
"stack_select_one_photo": "Selecteer één primaire foto voor de stapel",
|
||||
"stack_selected_photos": "Geselecteerde foto's stapelen",
|
||||
"stacked_assets_count": "{count, plural, one {# asset} other {# assets}} gestapeld",
|
||||
"stacktrace": "Stacktrace",
|
||||
"start": "Start",
|
||||
"start_date": "Startdatum",
|
||||
"state": "Staat",
|
||||
"status": "Status",
|
||||
"stop_motion_photo": "Bewegingsfoto stoppen",
|
||||
"stop_photo_sharing": "Stoppen met het delen van je foto's?",
|
||||
"stop_photo_sharing_description": "{partner} zal geen toegang meer hebben tot je foto's.",
|
||||
"stop_sharing_photos_with_user": "Stop met het delen van je foto's met deze gebruiker",
|
||||
"storage": "Opslagruimte",
|
||||
"storage_label": "Opslaglabel",
|
||||
"storage_quota": "Opslaglimiet",
|
||||
"storage_usage": "{used} van {available} gebruikt",
|
||||
"submit": "Verzenden",
|
||||
"suggestions": "Suggesties",
|
||||
@@ -1740,9 +1727,11 @@
|
||||
"support_and_feedback": "Ondersteuning & feedback",
|
||||
"support_third_party_description": "Je Immich installatie is door een derde partij samengesteld. Problemen die je ervaart, kunnen door dat pakket veroorzaakt zijn. Meld problemen in eerste instantie bij hen via de onderstaande links.",
|
||||
"swap_merge_direction": "Wissel richting voor samenvoegen om",
|
||||
"sync": "Sync",
|
||||
"sync_albums": "Albums synchroniseren",
|
||||
"sync_albums_manual_subtitle": "Synchroniseer alle geüploade video’s en foto’s naar de geselecteerde back-up albums",
|
||||
"sync_upload_album_setting_subtitle": "Maak en upload je foto's en video's naar de geselecteerde albums op Immich",
|
||||
"tag": "Tag",
|
||||
"tag_assets": "Assets taggen",
|
||||
"tag_created": "Tag aangemaakt: {tag}",
|
||||
"tag_feature_description": "Bladeren door foto's en video's gegroepeerd op tags",
|
||||
@@ -1750,11 +1739,13 @@
|
||||
"tag_people": "Mensen taggen",
|
||||
"tag_updated": "Tag bijgewerkt: {tag}",
|
||||
"tagged_assets": "{count, plural, one {# asset} other {# assets}} getagd",
|
||||
"tags": "Tags",
|
||||
"template": "Template",
|
||||
"theme": "Thema",
|
||||
"theme_selection": "Thema selectie",
|
||||
"theme_selection_description": "Stel het thema automatisch in op licht of donker op basis van de systeemvoorkeuren van je browser",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Toon opslag indicator bij de asset tegels",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Aantal assets per rij ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Aantal assets per rij ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Pas primaire kleuren toe op achtergronden.",
|
||||
"theme_setting_colorful_interface_title": "Kleurrijke interface",
|
||||
"theme_setting_image_viewer_quality_subtitle": "De kwaliteit van de gedetailleerde-fotoweergave aanpassen",
|
||||
@@ -1789,14 +1780,13 @@
|
||||
"trash_no_results_message": "Hier verschijnen foto's en video's die in de prullenbak zijn geplaatst.",
|
||||
"trash_page_delete_all": "Verwijder alle",
|
||||
"trash_page_empty_trash_dialog_content": "Wil je de prullenbak leegmaken? Deze items worden permanent verwijderd van Immich",
|
||||
"trash_page_info": "Verwijderde items worden permanent verwijderd na {days} dagen",
|
||||
"trash_page_info": "Verwijderde items worden permanent verwijderd na {} dagen",
|
||||
"trash_page_no_assets": "Geen verwijderde assets",
|
||||
"trash_page_restore_all": "Herstel alle",
|
||||
"trash_page_select_assets_btn": "Selecteer assets",
|
||||
"trash_page_title": "Prullenbak ({count})",
|
||||
"trash_page_title": "Prullenbak ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Items in de prullenbak worden na {days, plural, one {# dag} other {# dagen}} permanent verwijderd.",
|
||||
"unable_to_change_pin_code": "PIN code kan niet gewijzigd worden",
|
||||
"unable_to_setup_pin_code": "PIN code kan niet ingesteld worden",
|
||||
"type": "Type",
|
||||
"unarchive": "Herstellen uit archief",
|
||||
"unarchived_count": "{count, plural, other {# verwijderd uit archief}}",
|
||||
"unfavorite": "Verwijderen uit favorieten",
|
||||
@@ -1820,7 +1810,6 @@
|
||||
"untracked_files": "Niet bijgehouden bestanden",
|
||||
"untracked_files_decription": "Deze bestanden worden niet bijgehouden door de applicatie. Dit kan het resultaat zijn van een mislukte verplaatsing, onderbroken upload of een bug",
|
||||
"up_next": "Volgende",
|
||||
"updated_at": "Geüpdatet",
|
||||
"updated_password": "Wachtwoord bijgewerkt",
|
||||
"upload": "Uploaden",
|
||||
"upload_concurrency": "Upload gelijktijdigheid",
|
||||
@@ -1833,17 +1822,15 @@
|
||||
"upload_status_errors": "Fouten",
|
||||
"upload_status_uploaded": "Geüpload",
|
||||
"upload_success": "Uploaden gelukt, vernieuw de pagina om de nieuwe assets te zien.",
|
||||
"upload_to_immich": "Uploaden naar Immich ({count})",
|
||||
"upload_to_immich": "Uploaden naar Immich ({})",
|
||||
"uploading": "Aan het uploaden",
|
||||
"url": "URL",
|
||||
"usage": "Gebruik",
|
||||
"use_biometric": "Gebruik biometrische authenticatie",
|
||||
"use_current_connection": "gebruik huidige verbinding",
|
||||
"use_custom_date_range": "Gebruik in plaats daarvan een aangepast datumbereik",
|
||||
"user": "Gebruiker",
|
||||
"user_has_been_deleted": "Deze gebruiker is verwijderd.",
|
||||
"user_id": "Gebruikers ID",
|
||||
"user_liked": "{user} heeft {type, select, photo {deze foto} video {deze video} asset {deze asset} other {dit}} geliket",
|
||||
"user_pin_code_settings_description": "Beheer je PIN code",
|
||||
"user_purchase_settings": "Kopen",
|
||||
"user_purchase_settings_description": "Beheer je aankoop",
|
||||
"user_role_set": "{user} instellen als {role}",
|
||||
@@ -1866,6 +1853,7 @@
|
||||
"version_announcement_overlay_title": "Nieuwe serverversie beschikbaar 🎉",
|
||||
"version_history": "Versiegeschiedenis",
|
||||
"version_history_item": "{version} geïnstalleerd op {date}",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Speel video thumbnail af bij hoveren",
|
||||
"video_hover_setting_description": "Speel video thumbnail af wanneer de muis over het item beweegt. Zelfs wanneer uitgeschakeld, kan het afspelen worden gestart door de muis over het afspeelpictogram te bewegen.",
|
||||
"videos": "Video's",
|
||||
@@ -1880,7 +1868,6 @@
|
||||
"view_name": "Bekijken",
|
||||
"view_next_asset": "Bekijk volgende asset",
|
||||
"view_previous_asset": "Bekijk vorige asset",
|
||||
"view_qr_code": "QR-code bekijken",
|
||||
"view_stack": "Bekijk stapel",
|
||||
"viewer_remove_from_stack": "Verwijder van Stapel",
|
||||
"viewer_stack_use_as_main_asset": "Gebruik als Hoofd Asset",
|
||||
@@ -1888,14 +1875,14 @@
|
||||
"visibility_changed": "Zichtbaarheid gewijzigd voor {count, plural, one {# persoon} other {# mensen}}",
|
||||
"waiting": "Wachtend",
|
||||
"warning": "Waarschuwing",
|
||||
"week": "Week",
|
||||
"welcome": "Welkom",
|
||||
"welcome_to_immich": "Welkom bij Immich",
|
||||
"wifi_name": "WiFi-naam",
|
||||
"wrong_pin_code": "Onjuiste pincode",
|
||||
"wifi_name": "WiFi naam",
|
||||
"year": "Jaar",
|
||||
"years_ago": "{years, plural, one {# jaar} other {# jaar}} geleden",
|
||||
"yes": "Ja",
|
||||
"you_dont_have_any_shared_links": "Je hebt geen gedeelde links",
|
||||
"your_wifi_name": "Je WiFi-naam",
|
||||
"your_wifi_name": "Je WiFi naam",
|
||||
"zoom_image": "Inzoomen"
|
||||
}
|
||||
|
||||
21
i18n/nn.json
21
i18n/nn.json
@@ -212,6 +212,7 @@
|
||||
"clear_all_recent_searches": "Tøm alle nylige søk",
|
||||
"clear_message": "Tøm melding",
|
||||
"clear_value": "Tøm verdi",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Oppgi passord",
|
||||
"client_cert_import": "Importer",
|
||||
"client_cert_import_success_msg": "Klientsertifikat vart importert",
|
||||
@@ -241,7 +242,7 @@
|
||||
"contain": "Tilpass til vindauget",
|
||||
"context": "Samanheng",
|
||||
"continue": "Hald fram",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} element · Delt",
|
||||
"control_bottom_app_bar_album_info_shared": "{} element · Delt",
|
||||
"control_bottom_app_bar_create_new_album": "Lag nytt album",
|
||||
"country": "Land",
|
||||
"cover": "Dekk",
|
||||
@@ -273,6 +274,7 @@
|
||||
"folders_feature_description": "Bla gjennom mappe for bileta og videoane på filsystemet",
|
||||
"hour": "Time",
|
||||
"image": "Bilde",
|
||||
"info": "Info",
|
||||
"jobs": "Oppgåver",
|
||||
"keep": "Behald",
|
||||
"language": "Språk",
|
||||
@@ -283,6 +285,7 @@
|
||||
"light": "Lys",
|
||||
"list": "Liste",
|
||||
"loading": "Lastar",
|
||||
"login": "Login",
|
||||
"longitude": "Lengdegrad",
|
||||
"look": "Utsjånad",
|
||||
"make": "Produsent",
|
||||
@@ -309,19 +312,24 @@
|
||||
"no_shared_albums_message": "Lag eit album for å dele bilete og videoar med folk i nettverket ditt",
|
||||
"notes": "Noter",
|
||||
"notifications": "Varsel",
|
||||
"ok": "Ok",
|
||||
"options": "Val",
|
||||
"or": "eller",
|
||||
"original": "original",
|
||||
"other": "Anna",
|
||||
"owner": "Eigar",
|
||||
"partner": "Partner",
|
||||
"partner_can_access_assets": "Alle bileta og videoane dine unntatt dei i Arkivert og Sletta",
|
||||
"partner_can_access_location": "Staden der bileta dine vart tekne",
|
||||
"password": "Passord",
|
||||
"path": "Sti",
|
||||
"pattern": "Mønster",
|
||||
"pause": "Pause",
|
||||
"paused": "Pausa",
|
||||
"pending": "Ventar",
|
||||
"people": "Folk",
|
||||
"people_feature_description": "Bla gjennom foto og videoar gruppert etter folk",
|
||||
"person": "Person",
|
||||
"photo_shared_all_users": "Ser ut som du delte bileta dine med alle brukarar eller at du ikkje har nokon brukar å dele med.",
|
||||
"photos": "Bilete",
|
||||
"photos_and_videos": "Foto og Video",
|
||||
@@ -329,6 +337,7 @@
|
||||
"place": "Stad",
|
||||
"places": "Stad",
|
||||
"play": "Spel av",
|
||||
"port": "Port",
|
||||
"preview": "Førehandsvisning",
|
||||
"previous": "Forrige",
|
||||
"primary": "Hoved",
|
||||
@@ -337,6 +346,7 @@
|
||||
"purchase_button_buy": "Kjøp",
|
||||
"purchase_button_select": "Vel",
|
||||
"purchase_individual_title": "Induviduell",
|
||||
"purchase_server_title": "Server",
|
||||
"reassign": "Vel på nytt",
|
||||
"recent": "Nyleg",
|
||||
"refresh": "Last inn på nytt",
|
||||
@@ -500,15 +510,20 @@
|
||||
"sort_title": "Tittel",
|
||||
"source": "Kjelde",
|
||||
"stack": "Stabel",
|
||||
"start": "Start",
|
||||
"state": "Region",
|
||||
"status": "Status",
|
||||
"stop_photo_sharing": "Stopp å dele bileta dine?",
|
||||
"stop_photo_sharing_description": "{partner} vil ikkje lenger kunne få tilgang til bileta dine.",
|
||||
"stop_sharing_photos_with_user": "Stopp å dele bileta dine med denne brukaren",
|
||||
"storage": "Lagringsplass",
|
||||
"submit": "Send inn",
|
||||
"suggestions": "Forslag",
|
||||
"support": "Support",
|
||||
"sync": "Synk",
|
||||
"tag": "Tag",
|
||||
"tag_feature_description": "Bla gjennom bilete og videoar gruppert etter logiske tag-tema",
|
||||
"tags": "Tags",
|
||||
"theme": "Tema",
|
||||
"timeline": "Tidslinje",
|
||||
"timezone": "Tidssone",
|
||||
@@ -516,8 +531,10 @@
|
||||
"to_favorite": "Favoritt",
|
||||
"to_login": "Innlogging",
|
||||
"to_trash": "Søppel",
|
||||
"total": "Total",
|
||||
"trash": "Søppel",
|
||||
"trash_no_results_message": "Sletta foto og videoar vil dukke opp her.",
|
||||
"type": "Type",
|
||||
"unfavorite": "Fjern favoritt",
|
||||
"unknown": "Ukjent",
|
||||
"unlimited": "Ubegrensa",
|
||||
@@ -525,6 +542,7 @@
|
||||
"upload_status_duplicates": "Duplikater",
|
||||
"upload_status_errors": "Feil",
|
||||
"upload_status_uploaded": "Opplasta",
|
||||
"url": "URL",
|
||||
"usage": "Bruk",
|
||||
"user": "Brukar",
|
||||
"user_purchase_settings": "Kjøp",
|
||||
@@ -540,6 +558,7 @@
|
||||
"version_announcement_closing": "Din ven, Alex",
|
||||
"version_history": "Versjonshistorie",
|
||||
"version_history_item": "Installert {version} den {date}",
|
||||
"video": "Video",
|
||||
"video_hover_setting": "Spel av førehandsvisining medan du held over musepeikaren",
|
||||
"videos": "Videoar",
|
||||
"videos_count": "{count, plural, one {# Video} other {# Videoar}}",
|
||||
|
||||
212
i18n/pl.json
212
i18n/pl.json
@@ -1,5 +1,5 @@
|
||||
{
|
||||
"about": "O aplikacji",
|
||||
"about": "O",
|
||||
"account": "Konto",
|
||||
"account_settings": "Ustawienia konta",
|
||||
"acknowledge": "Zrozumiałem/łam",
|
||||
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Dodaj do albumu",
|
||||
"add_to_album_bottom_sheet_added": "Dodano do {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Już w {album}",
|
||||
"add_to_locked_folder": "Dodaj do folderu zablokowanego",
|
||||
"add_to_shared_album": "Dodaj do udostępnionego albumu",
|
||||
"add_url": "Dodaj URL",
|
||||
"added_to_archive": "Dodano do archiwum",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Aby potwierdzić, wpisz \"{email}\" poniżej",
|
||||
"confirm_reprocess_all_faces": "Czy na pewno chcesz ponownie przetworzyć wszystkie twarze? Spowoduje to utratę nazwanych osób.",
|
||||
"confirm_user_password_reset": "Czy na pewno chcesz zresetować hasło użytkownika {user}?",
|
||||
"confirm_user_pin_code_reset": "Czy jesteś pewny, że chcesz zresetować kod pin dla użytkownika {user}?",
|
||||
"create_job": "Utwórz zadanie",
|
||||
"cron_expression": "Wyrażenie Cron",
|
||||
"cron_expression_description": "Ustaw interwał skanowania przy pomocy formatu Cron'a. Po więcej informacji na temat formatu Cron zobacz . <link>Crontab Guru</link>",
|
||||
@@ -65,7 +63,7 @@
|
||||
"external_library_created_at": "Biblioteka zewnętrzna (stworzona dnia {date})",
|
||||
"external_library_management": "Zarządzanie Bibliotekami Zewnętrznymi",
|
||||
"face_detection": "Wykrywanie twarzy",
|
||||
"face_detection_description": "Wykrywanie twarzy w zasobach używając uczenia maszynowego. Twarze w filmach wykryte zostaną tylko jeżeli są widoczne w miniaturze. \"Odśwież\" ponownie przetwarza wszystkie zasoby. \"Reset\" dodatkowo usuwa wszystkie bieżące dane twarzy. \"Brakujące\" dodaje do kolejki tylko zasoby, które nie zostały jeszcze przetworzone. Wykryte twarze zostaną dodane do kolejki Rozpoznawania Twarzy, aby związać je z istniejącą osobą albo stworzyć nową osobę.",
|
||||
"face_detection_description": "Wykrywanie twarzy w zasobach używając uczenia maszynowego. Twarze w filmach wykryte zostaną tylko jeżeli są widoczne w miniaturze. \"Wszystkie\" ponownie przetwarza wszystkie zasoby. \"Reset\" dodatkowo usuwa wszystkie bieżące dane twarzy. \"Brakujące\" dodaje do kolejki tylko zasoby, które nie zostały jeszcze przetworzone. Wykryte twarze zostaną dodane do kolejki Rozpoznawania Twarzy, aby związać je z istniejącą osobą albo stworzyć nową osobę.",
|
||||
"facial_recognition_job_description": "Grupuj wykryte twarze. Ten krok uruchamiany jest po zakończeniu wykrywania twarzy. „Wszystkie” – ponownie kategoryzuje wszystkie twarze. „Brakujące” – kategoryzuje twarze, do których nie przypisano osoby.",
|
||||
"failed_job_command": "Polecenie {command} nie powiodło się dla zadania: {job}",
|
||||
"force_delete_user_warning": "UWAGA: Użytkownik i wszystkie zasoby użytkownika zostaną natychmiast trwale usunięte. Nie można tego cofnąć, a plików nie będzie można przywrócić.",
|
||||
@@ -98,8 +96,8 @@
|
||||
"job_settings": "Ustawienia Zadań",
|
||||
"job_settings_description": "Zarządzaj współbieżnością zadań",
|
||||
"job_status": "Status Zadań",
|
||||
"jobs_delayed": "{jobCount, plural, one {# oczekujący} few {# oczekujące} other {# oczekujących}}",
|
||||
"jobs_failed": "{jobCount, plural, one {# nieudany} few {# nieudane} other {# nieudanych}}",
|
||||
"jobs_delayed": "{jobCount, plural, other {# oczekujących}}",
|
||||
"jobs_failed": "{jobCount, plural, other {# nieudane}}",
|
||||
"library_created": "Utworzono bibliotekę: {library}",
|
||||
"library_deleted": "Biblioteka usunięta",
|
||||
"library_import_path_description": "Określ folder do załadowania plików. Ten folder, łącznie z podfolderami, zostanie przeskanowany w poszukiwaniu obrazów i filmów.",
|
||||
@@ -114,7 +112,7 @@
|
||||
"library_watching_settings_description": "Automatycznie obserwuj zmienione pliki",
|
||||
"logging_enable_description": "Uruchom zapisywanie logów",
|
||||
"logging_level_description": "Kiedy włączone, jakiego poziomu użyć.",
|
||||
"logging_settings": "Rejestrowanie logów",
|
||||
"logging_settings": "Logowanie",
|
||||
"machine_learning_clip_model": "Model CLIP",
|
||||
"machine_learning_clip_model_description": "Nazwa modelu CLIP jest wymieniona <link>tutaj</link>. Zwróć uwagę, że po zmianie modelu musisz ponownie uruchomić zadanie 'Smart Search' dla wszystkich obrazów.",
|
||||
"machine_learning_duplicate_detection": "Wykrywanie Duplikatów",
|
||||
@@ -350,7 +348,6 @@
|
||||
"user_delete_delay_settings_description": "Liczba dni po usunięciu, po której następuje trwałe usunięcie konta użytkownika i zasobów. Zadanie usuwania użytkowników jest uruchamiane o północy w celu sprawdzenia, czy użytkownicy są gotowi do usunięcia. Zmiany tego ustawienia zostaną sprawdzone przy następnym wykonaniu.",
|
||||
"user_delete_immediately": "Konto <b>{user}</b> i powiązane zasoby zostaną zakolejkowane do <b>natychmiastowego</b> usunięcia.",
|
||||
"user_delete_immediately_checkbox": "Umieść użytkownika i zasoby w kolejce do natychmiastowego usunięcia",
|
||||
"user_details": "Szczegóły Użytkownika",
|
||||
"user_management": "Zarządzenie Użytkownikami",
|
||||
"user_password_has_been_reset": "Hasło użytkownika zostało zresetowane:",
|
||||
"user_password_reset_description": "Proszę przekazać tymczasowe hasło użytkownikowi i poinformuj o konieczności jego zmiany przy najbliższym logowaniu.",
|
||||
@@ -372,7 +369,7 @@
|
||||
"advanced": "Zaawansowane",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Użyj tej opcji do filtrowania mediów podczas synchronizacji alternatywnych kryteriów. Używaj tylko wtedy gdy aplikacja ma problemy z wykrywaniem wszystkich albumów.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EKSPERYMENTALNE] Użyj alternatywnego filtra synchronizacji albumu",
|
||||
"advanced_settings_log_level_title": "Poziom szczegółowości dziennika: {level}",
|
||||
"advanced_settings_log_level_title": "Poziom szczegółowości dziennika: {name}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Niektóre urządzenia bardzo wolno ładują miniatury z zasobów na urządzeniu. Aktywuj to ustawienie, aby ładować zdalne obrazy.",
|
||||
"advanced_settings_prefer_remote_title": "Preferuj obrazy zdalne",
|
||||
"advanced_settings_proxy_headers_subtitle": "Zdefiniuj nagłówki proxy, które Immich powinien wysyłać z każdym żądaniem sieciowym",
|
||||
@@ -403,9 +400,9 @@
|
||||
"album_remove_user_confirmation": "Na pewno chcesz usunąć {user}?",
|
||||
"album_share_no_users": "Wygląda na to, że ten album albo udostępniono wszystkim użytkownikom, albo nie ma komu go udostępnić.",
|
||||
"album_thumbnail_card_item": "1 pozycja",
|
||||
"album_thumbnail_card_items": "{count} plików",
|
||||
"album_thumbnail_card_items": "{album_thumbnail_card_items} pozycje",
|
||||
"album_thumbnail_card_shared": " · Udostępniony",
|
||||
"album_thumbnail_shared_by": "Udostępnione przez {user}",
|
||||
"album_thumbnail_shared_by": "Udostępnione przez {album_thumbnail_shared_by}",
|
||||
"album_updated": "Album zaktualizowany",
|
||||
"album_updated_setting_description": "Otrzymaj powiadomienie e-mail, gdy do udostępnionego Ci albumu zostaną dodane nowe zasoby",
|
||||
"album_user_left": "Opuszczono {album}",
|
||||
@@ -443,7 +440,7 @@
|
||||
"archive": "Archiwum",
|
||||
"archive_or_unarchive_photo": "Dodaj lub usuń zasób z archiwum",
|
||||
"archive_page_no_archived_assets": "Nie znaleziono zarchiwizowanych zasobów",
|
||||
"archive_page_title": "Archiwum {count}",
|
||||
"archive_page_title": "Archiwum ({archive_page_title})",
|
||||
"archive_size": "Rozmiar archiwum",
|
||||
"archive_size_description": "Podziel pobierane pliki na więcej niż jedno archiwum, jeżeli rozmiar archiwum przekroczy tę wartość w GiB",
|
||||
"archived": "Zarchiwizowane",
|
||||
@@ -500,7 +497,7 @@
|
||||
"back_close_deselect": "Wróć, zamknij lub odznacz",
|
||||
"background_location_permission": "Uprawnienia do lokalizacji w tle",
|
||||
"background_location_permission_content": "Aby móc przełączać sieć podczas pracy w tle, Immich musi *zawsze* mieć dostęp do dokładnej lokalizacji, aby aplikacja mogła odczytać nazwę sieci Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Albumy na urządzeniu ({count})",
|
||||
"backup_album_selection_page_albums_device": "Albumy na urządzeniu ({number})",
|
||||
"backup_album_selection_page_albums_tap": "Stuknij, aby włączyć, stuknij dwukrotnie, aby wykluczyć",
|
||||
"backup_album_selection_page_assets_scatter": "Pliki mogą być rozproszone w wielu albumach. Dzięki temu albumy mogą być włączane lub wyłączane podczas procesu tworzenia kopii zapasowej.",
|
||||
"backup_album_selection_page_select_albums": "Zaznacz albumy",
|
||||
@@ -509,21 +506,22 @@
|
||||
"backup_all": "Wszystkie",
|
||||
"backup_background_service_backup_failed_message": "Nie udało się wykonać kopii zapasowej zasobów. Ponowna próba…",
|
||||
"backup_background_service_connection_failed_message": "Nie udało się połączyć z serwerem. Ponowna próba…",
|
||||
"backup_background_service_current_upload_notification": "Wysyłanie {filename}",
|
||||
"backup_background_service_current_upload_notification": "Wysyłanie {backup_background_service_current_upload_notification}",
|
||||
"backup_background_service_default_notification": "Sprawdzanie nowych zasobów…",
|
||||
"backup_background_service_error_title": "Błąd kopii zapasowej",
|
||||
"backup_background_service_in_progress_notification": "Tworzenie kopii zapasowej twoich zasobów…",
|
||||
"backup_background_service_upload_failure_notification": "Błąd przesyłania {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Błąd przesyłania {backup_background_service_upload_failure_notification}",
|
||||
"backup_controller_page_albums": "Kopia Zapasowa albumów",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Włącz odświeżanie aplikacji w tle w Ustawienia > Ogólne > Odświeżanie aplikacji w tle, aby móc korzystać z kopii zapasowej w tle.",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Odświeżanie aplikacji w tle wyłączone",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Przejdź do ustawień",
|
||||
"backup_controller_page_background_battery_info_link": "Pokaż mi jak",
|
||||
"backup_controller_page_background_battery_info_message": "Aby uzyskać najlepsze rezultaty podczas tworzenia kopii zapasowej w tle, należy wyłączyć wszelkie optymalizacje baterii ograniczające aktywność w tle dla Immich w urządzeniu.\n\nPonieważ jest to zależne od urządzenia, proszę sprawdzić wymagane informacje dla producenta urządzenia.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Optymalizacja Baterii",
|
||||
"backup_controller_page_background_charging": "Tylko podczas ładowania",
|
||||
"backup_controller_page_background_configure_error": "Nie udało się skonfigurować usługi w tle",
|
||||
"backup_controller_page_background_delay": "Opóźnienie tworzenia kopii zapasowych nowych zasobów: {duration}",
|
||||
"backup_controller_page_background_delay": "Opóźnienie tworzenia kopii zapasowych nowych zasobów: {backup_controller_page_background_delay}",
|
||||
"backup_controller_page_background_description": "Włącz usługę w tle, aby automatycznie tworzyć kopie zapasowe wszelkich nowych zasobów bez konieczności otwierania aplikacji",
|
||||
"backup_controller_page_background_is_off": "Automatyczna kopia zapasowa w tle jest wyłączona",
|
||||
"backup_controller_page_background_is_on": "Automatyczna kopia zapasowa w tle jest włączona",
|
||||
@@ -532,12 +530,13 @@
|
||||
"backup_controller_page_background_wifi": "Tylko Wi-Fi",
|
||||
"backup_controller_page_backup": "Kopia Zapasowa",
|
||||
"backup_controller_page_backup_selected": "Zaznaczone: ",
|
||||
"backup_controller_page_backup_sub": "Skopiowane zdjęcia oraz filmy",
|
||||
"backup_controller_page_created": "Utworzono dnia: {date}",
|
||||
"backup_controller_page_backup_sub": "Tworzenie kopii zapasowych zdjęć i filmów",
|
||||
"backup_controller_page_created": "Utworzono dnia: {backup_controller_page_created}",
|
||||
"backup_controller_page_desc_backup": "Włącz kopię zapasową, aby automatycznie przesyłać nowe zasoby na serwer.",
|
||||
"backup_controller_page_excluded": "Wykluczone: ",
|
||||
"backup_controller_page_failed": "Nieudane ({count})",
|
||||
"backup_controller_page_filename": "Nazwa pliku: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Nieudane ({backup_controller_page_failed})",
|
||||
"backup_controller_page_filename": "Nazwa pliku: {backup_controller_page_filename} [{backup_controller_page_filename}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informacje o kopii zapasowej",
|
||||
"backup_controller_page_none_selected": "Brak wybranych",
|
||||
"backup_controller_page_remainder": "Reszta",
|
||||
@@ -546,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "Rozpocznij Kopię Zapasową",
|
||||
"backup_controller_page_status_off": "Kopia Zapasowa jest wyłaczona",
|
||||
"backup_controller_page_status_on": "Kopia Zapasowa jest włączona",
|
||||
"backup_controller_page_storage_format": "{used} z {total} wykorzystanych",
|
||||
"backup_controller_page_storage_format": "{used} z {available} wykorzystanych",
|
||||
"backup_controller_page_to_backup": "Albumy z Kopią Zapasową",
|
||||
"backup_controller_page_total_sub": "Wszystkie unikalne zdjęcia i filmy z wybranych albumów",
|
||||
"backup_controller_page_turn_off": "Wyłącz Kopię Zapasową",
|
||||
@@ -561,10 +560,6 @@
|
||||
"backup_options_page_title": "Opcje kopi zapasowej",
|
||||
"backup_setting_subtitle": "Zarządzaj ustawieniami przesyłania w tle i na pierwszym planie",
|
||||
"backward": "Do tyłu",
|
||||
"biometric_auth_enabled": "Włączono logowanie biometryczne",
|
||||
"biometric_locked_out": "Uwierzytelnianie biometryczne jest dla Ciebie zablokowane",
|
||||
"biometric_no_options": "Brak możliwości biometrii",
|
||||
"biometric_not_available": "Logowanie biometryczne nie jest dostępne na tym urządzeniu",
|
||||
"birthdate_saved": "Data urodzenia zapisana pomyślnie",
|
||||
"birthdate_set_description": "Data urodzenia jest używana do obliczenia wieku danej osoby podczas wykonania zdjęcia.",
|
||||
"blurred_background": "Rozmyte tło",
|
||||
@@ -580,10 +575,10 @@
|
||||
"cache_settings_clear_cache_button_title": "Czyści pamięć podręczną aplikacji. Wpłynie to znacząco na wydajność aplikacji, dopóki pamięć podręczna nie zostanie odbudowana.",
|
||||
"cache_settings_duplicated_assets_clear_button": "WYCZYŚĆ",
|
||||
"cache_settings_duplicated_assets_subtitle": "Zdjęcia i filmy umieszczone na czarnej liście aplikacji",
|
||||
"cache_settings_duplicated_assets_title": "Zduplikowane zasoby ({count})",
|
||||
"cache_settings_duplicated_assets_title": "Zduplikowane zasoby ({number})",
|
||||
"cache_settings_image_cache_size": "Rozmiar pamięci podręcznej obrazów ({count, plural, one {# zasób} few {# zasoby} other {# zasobów}})",
|
||||
"cache_settings_statistics_album": "Biblioteka miniatur",
|
||||
"cache_settings_statistics_assets": "{count} zasoby ({size})",
|
||||
"cache_settings_statistics_assets": "{} zasoby ({})",
|
||||
"cache_settings_statistics_full": "Pełne Zdjęcia",
|
||||
"cache_settings_statistics_shared": "Udostępnione miniatury albumów",
|
||||
"cache_settings_statistics_thumbnail": "Miniatury",
|
||||
@@ -602,9 +597,7 @@
|
||||
"cannot_merge_people": "Złączenie osób nie powiodło się",
|
||||
"cannot_undo_this_action": "Nie da się tego cofnąć!",
|
||||
"cannot_update_the_description": "Nie można zaktualizować opisu",
|
||||
"cast": "Obsada",
|
||||
"change_date": "Zmień datę",
|
||||
"change_description": "Zmiana opisu",
|
||||
"change_display_order": "Zmień kolejność wyświetlania",
|
||||
"change_expiration_time": "Zmień czas ważności",
|
||||
"change_location": "Zmień lokalizację",
|
||||
@@ -617,7 +610,6 @@
|
||||
"change_password_form_new_password": "Nowe Hasło",
|
||||
"change_password_form_password_mismatch": "Hasła nie są zgodne",
|
||||
"change_password_form_reenter_new_password": "Wprowadź ponownie Nowe Hasło",
|
||||
"change_pin_code": "Zmień kod PIN",
|
||||
"change_your_password": "Zmień swoje hasło",
|
||||
"changed_visibility_successfully": "Pomyślnie zmieniono widoczność",
|
||||
"check_all": "Zaznacz wszystko",
|
||||
@@ -632,6 +624,7 @@
|
||||
"clear_all_recent_searches": "Usuń ostatnio wyszukiwane",
|
||||
"clear_message": "Zamknij wiadomość",
|
||||
"clear_value": "Wyczyść wartość",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Wprowadź hasło",
|
||||
"client_cert_import": "Importuj",
|
||||
"client_cert_import_success_msg": "Certyfikat klienta został zaimportowany",
|
||||
@@ -657,9 +650,7 @@
|
||||
"confirm_delete_face": "Czy na pewno chcesz usunąć twarz {name} z zasobów?",
|
||||
"confirm_delete_shared_link": "Czy na pewno chcesz usunąć ten udostępniony link?",
|
||||
"confirm_keep_this_delete_others": "Wszystkie inne zasoby zostaną usunięte poza tym zasobem. Czy jesteś pewien, że chcesz kontynuować?",
|
||||
"confirm_new_pin_code": "Potwierdź nowy kod PIN",
|
||||
"confirm_password": "Potwierdź hasło",
|
||||
"connected_to": "Połączony z",
|
||||
"contain": "Zawiera",
|
||||
"context": "Kontekst",
|
||||
"continue": "Kontynuuj",
|
||||
@@ -701,11 +692,9 @@
|
||||
"create_tag_description": "Stwórz nową etykietę. Dla etykiet zagnieżdżonych, wprowadź pełną ścieżkę etykiety zawierającą ukośniki.",
|
||||
"create_user": "Stwórz użytkownika",
|
||||
"created": "Utworzono",
|
||||
"created_at": "Utworzony",
|
||||
"crop": "Przytnij",
|
||||
"curated_object_page_title": "Rzeczy",
|
||||
"current_device": "Obecne urządzenie",
|
||||
"current_pin_code": "Aktualny kod PIN",
|
||||
"current_server_address": "Aktualny adres serwera",
|
||||
"custom_locale": "Niestandardowy Region",
|
||||
"custom_locale_description": "Formatuj daty i liczby na podstawie języka i regionu",
|
||||
@@ -757,6 +746,7 @@
|
||||
"direction": "Kierunek",
|
||||
"disabled": "Wyłączone",
|
||||
"disallow_edits": "Nie pozwalaj edytować",
|
||||
"discord": "Discord",
|
||||
"discover": "Odkryj",
|
||||
"dismiss_all_errors": "Odrzuć wszystkie błędy",
|
||||
"dismiss_error": "Odrzuć błąd",
|
||||
@@ -773,7 +763,7 @@
|
||||
"download_enqueue": "Pobieranie w kolejce",
|
||||
"download_error": "Błąd pobierania",
|
||||
"download_failed": "Pobieranie nieudane",
|
||||
"download_filename": "plik: {filename}",
|
||||
"download_filename": "plik: {}",
|
||||
"download_finished": "Pobieranie zakończone",
|
||||
"download_include_embedded_motion_videos": "Pobierz filmy ruchomych zdjęć",
|
||||
"download_include_embedded_motion_videos_description": "Dołącz filmy osadzone w ruchomych zdjęciach jako oddzielny plik",
|
||||
@@ -797,8 +787,6 @@
|
||||
"edit_avatar": "Edytuj awatar",
|
||||
"edit_date": "Edytuj datę",
|
||||
"edit_date_and_time": "Edytuj datę i czas",
|
||||
"edit_description": "Edycja opisu",
|
||||
"edit_description_prompt": "Wybierz nowy opis:",
|
||||
"edit_exclusion_pattern": "Edytuj wzór wykluczający",
|
||||
"edit_faces": "Edytuj twarze",
|
||||
"edit_import_path": "Edytuj ścieżkę importu",
|
||||
@@ -819,23 +807,19 @@
|
||||
"editor_crop_tool_h2_aspect_ratios": "Proporcje obrazu",
|
||||
"editor_crop_tool_h2_rotation": "Obrót",
|
||||
"email": "E-mail",
|
||||
"email_notifications": "Powiadomienia e-mail",
|
||||
"empty_folder": "Ten folder jest pusty",
|
||||
"empty_trash": "Opróżnij kosz",
|
||||
"empty_trash_confirmation": "Czy na pewno chcesz opróżnić kosz? Spowoduje to trwałe usunięcie wszystkich zasobów znajdujących się w koszu z Immich.\nNie można cofnąć tej operacji!",
|
||||
"enable": "Włącz",
|
||||
"enable_biometric_auth_description": "Wprowadź kod PIN aby włączyć logowanie biometryczne",
|
||||
"enabled": "Włączone",
|
||||
"end_date": "Do dnia",
|
||||
"enqueued": "Kolejka",
|
||||
"enter_wifi_name": "Wprowadź nazwę punktu dostępu Wi-Fi",
|
||||
"enter_your_pin_code": "Wpisz swój kod PIN",
|
||||
"enter_your_pin_code_subtitle": "Wprowadź twój kod PIN, aby uzyskać dostęp do folderu zablokowanego",
|
||||
"error": "Błąd",
|
||||
"error_change_sort_album": "Nie udało się zmienić kolejności sortowania albumów",
|
||||
"error_delete_face": "Wystąpił błąd podczas usuwania twarzy z zasobów",
|
||||
"error_loading_image": "Błąd podczas ładowania zdjęcia",
|
||||
"error_saving_image": "Błąd: {error}",
|
||||
"error_saving_image": "Błąd: {}",
|
||||
"error_title": "Błąd - Coś poszło nie tak",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Nie można przejść do następnego zasobu",
|
||||
@@ -888,7 +872,6 @@
|
||||
"unable_to_archive_unarchive": "Nie można {archived, select, true {zarchwizować} other {odarchiwizować}}",
|
||||
"unable_to_change_album_user_role": "Nie można zmienić roli użytkownika albumu",
|
||||
"unable_to_change_date": "Nie można zmienić daty",
|
||||
"unable_to_change_description": "Nie udało się zmienić opisu",
|
||||
"unable_to_change_favorite": "Nie można zmienić ulubionego zasobu",
|
||||
"unable_to_change_location": "Nie można zmienić lokalizacji",
|
||||
"unable_to_change_password": "Nie można zmienić hasła",
|
||||
@@ -926,7 +909,6 @@
|
||||
"unable_to_log_out_all_devices": "Nie można wylogować wszystkich urządzeń",
|
||||
"unable_to_log_out_device": "Nie można wylogować się z urządzenia",
|
||||
"unable_to_login_with_oauth": "Nie można zalogować się za pomocą OAuth",
|
||||
"unable_to_move_to_locked_folder": "Nie można przenieść do folderu zablokowanego",
|
||||
"unable_to_play_video": "Odtwarzanie filmu nie powiodło się",
|
||||
"unable_to_reassign_assets_existing_person": "Nie można ponownie przypisać zasobów do {name,select, null {istniejącej osoby} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Nie można ponownie przypisać zasobów nowej osobie",
|
||||
@@ -939,8 +921,7 @@
|
||||
"unable_to_remove_partner": "Nie można usunąć partnerów",
|
||||
"unable_to_remove_reaction": "Usunięcie reakcji nie powiodło się",
|
||||
"unable_to_repair_items": "Naprawianie elementów nie powiodło się",
|
||||
"unable_to_reset_password": "Zresetowanie hasła nie powiodło się",
|
||||
"unable_to_reset_pin_code": "Zresetowanie kodu PIN nie powiodło się",
|
||||
"unable_to_reset_password": "Nie można resetować hasła",
|
||||
"unable_to_resolve_duplicate": "Usuwanie duplikatów nie powiodło się",
|
||||
"unable_to_restore_assets": "Przywracanie zasobów nie powiodło się",
|
||||
"unable_to_restore_trash": "Przywracanie zasobów z kosza nie powiodło się",
|
||||
@@ -974,10 +955,10 @@
|
||||
"exif_bottom_sheet_location": "LOKALIZACJA",
|
||||
"exif_bottom_sheet_people": "LUDZIE",
|
||||
"exif_bottom_sheet_person_add_person": "Dodaj nazwę",
|
||||
"exif_bottom_sheet_person_age": "Wiek {age}",
|
||||
"exif_bottom_sheet_person_age": "Wiek {count, plural, one {# rok} few {# lata} other {# lat}}",
|
||||
"exif_bottom_sheet_person_age_months": "Wiek {months, plural, one {# miesiąc} few {# miesiące} other {# miesięcy}}",
|
||||
"exif_bottom_sheet_person_age_year_months": "Wiek 1 rok, {months, plural, one {# miesiąc} few {# miesiące} other {# miesięcy}}",
|
||||
"exif_bottom_sheet_person_age_years": "Wiek {years, plural, few {# lata} other {# lat}}",
|
||||
"exif_bottom_sheet_person_age_years": "Wiek {years, plural, one {# rok} few {# lata} other {# lat}}",
|
||||
"exit_slideshow": "Zamknij Pokaz Slajdów",
|
||||
"expand_all": "Rozwiń wszystko",
|
||||
"experimental_settings_new_asset_list_subtitle": "Praca w toku",
|
||||
@@ -998,7 +979,6 @@
|
||||
"external_network_sheet_info": "Jeśli nie korzystasz z preferowanej sieci Wi-Fi aplikacja połączy się z serwerem za pośrednictwem pierwszego z dostępnych poniżej adresów URL, zaczynając od góry do dołu",
|
||||
"face_unassigned": "Nieprzypisany",
|
||||
"failed": "Niepowodzenie",
|
||||
"failed_to_authenticate": "Nie udało się uwierzytelnić",
|
||||
"failed_to_load_assets": "Nie udało się załadować zasobów",
|
||||
"failed_to_load_folder": "Nie udało się załadować folderu",
|
||||
"favorite": "Ulubione",
|
||||
@@ -1017,6 +997,7 @@
|
||||
"filter_places": "Filtruj miejsca",
|
||||
"find_them_fast": "Wyszukuj szybciej przypisując nazwę",
|
||||
"fix_incorrect_match": "Napraw nieprawidłowe dopasowanie",
|
||||
"folder": "Folder",
|
||||
"folder_not_found": "Nie znaleziono folderu",
|
||||
"folders": "Foldery",
|
||||
"folders_feature_description": "Przeglądanie zdjęć i filmów w widoku folderów",
|
||||
@@ -1063,10 +1044,9 @@
|
||||
"home_page_favorite_err_local": "Nie można jeszcze dodać do ulubionych lokalnych zasobów, pomijam",
|
||||
"home_page_favorite_err_partner": "Nie można jeszcze dodać do ulubionych zasobów partnera, pomijam",
|
||||
"home_page_first_time_notice": "Jeśli korzystasz z aplikacji po raz pierwszy, pamiętaj o wybraniu albumów do kopii zapasowej, aby oś czasu mogła wypełnić się zdjęciami i filmami",
|
||||
"home_page_locked_error_local": "Nie można przenieść zasobów lokalnych do folderu zablokowanego, pomijam",
|
||||
"home_page_locked_error_partner": "Nie można przenieść zasobów partnera do folderu zablokowanego, pomijam",
|
||||
"home_page_share_err_local": "Nie można udostępnić zasobów lokalnych za pośrednictwem linku, pomijam",
|
||||
"home_page_share_err_local": "Nie można udostępniać zasobów lokalnych za pośrednictwem linku, pomijajam",
|
||||
"home_page_upload_err_limit": "Można przesłać maksymalnie 30 zasobów jednocześnie, pomijanie",
|
||||
"host": "Host",
|
||||
"hour": "Godzina",
|
||||
"ignore_icloud_photos": "Ignoruj zdjęcia w iCloud",
|
||||
"ignore_icloud_photos_description": "Zdjęcia przechowywane w usłudze iCloud nie zostaną przesłane na serwer Immich",
|
||||
@@ -1149,13 +1129,11 @@
|
||||
"location_picker_latitude_hint": "Wpisz tutaj swoją szerokość geograficzną",
|
||||
"location_picker_longitude_error": "Wprowadź prawidłową długość geograficzną",
|
||||
"location_picker_longitude_hint": "Wpisz tutaj swoją długość geograficzną",
|
||||
"lock": "Zablokuj",
|
||||
"locked_folder": "Folder zablokowany",
|
||||
"log_out": "Wyloguj",
|
||||
"log_out_all_devices": "Wyloguj ze Wszystkich Urządzeń",
|
||||
"logged_out_all_devices": "Wylogowano ze wszystkich urządzeń",
|
||||
"logged_out_device": "Wylogowany z urządzenia",
|
||||
"login": "Logowanie",
|
||||
"login": "Login",
|
||||
"login_disabled": "Logowanie zostało wyłączone",
|
||||
"login_form_api_exception": "Wyjątek API. Sprawdź adres URL serwera i spróbuj ponownie.",
|
||||
"login_form_back_button_text": "Cofnij",
|
||||
@@ -1195,8 +1173,8 @@
|
||||
"manage_your_devices": "Zarządzaj swoimi zalogowanymi urządzeniami",
|
||||
"manage_your_oauth_connection": "Zarządzaj swoim połączeniem OAuth",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} zdjęcie",
|
||||
"map_assets_in_bounds": "{count, plural, few {# zdjęcia} other {# zdjęć}}",
|
||||
"map_assets_in_bound": "{count, plural, one {# zdjęcie}}",
|
||||
"map_assets_in_bounds": "{count, plural, one {# zdjęcie} few {# zdjęcia} other {# zdjęć}}",
|
||||
"map_cannot_get_user_location": "Nie można uzyskać lokalizacji użytkownika",
|
||||
"map_location_dialog_yes": "Tak",
|
||||
"map_location_picker_page_use_location": "Użyj tej lokalizacji",
|
||||
@@ -1210,9 +1188,9 @@
|
||||
"map_settings": "Ustawienia mapy",
|
||||
"map_settings_dark_mode": "Tryb ciemny",
|
||||
"map_settings_date_range_option_day": "Ostatnie 24 godziny",
|
||||
"map_settings_date_range_option_days": "Minione {days} dni",
|
||||
"map_settings_date_range_option_year": "Miniony rok",
|
||||
"map_settings_date_range_option_years": "Minione {count, plural, few {# lata} other {# lat}}",
|
||||
"map_settings_date_range_option_days": "{count, plural, one {Poprzedni dzień} other {Minione # dni}}",
|
||||
"map_settings_date_range_option_year": "Poprzedni rok",
|
||||
"map_settings_date_range_option_years": "{count, plural, one {Poprzedni rok} few {Minione # lata} other {Minione # lat}}",
|
||||
"map_settings_dialog_title": "Ustawienia mapy",
|
||||
"map_settings_include_show_archived": "Uwzględnij zarchiwizowane",
|
||||
"map_settings_include_show_partners": "Uwzględnij partnerów",
|
||||
@@ -1230,23 +1208,24 @@
|
||||
"memories_setting_description": "Zarządzaj wspomnieniami",
|
||||
"memories_start_over": "Zacznij od nowa",
|
||||
"memories_swipe_to_close": "Przesuń w górę, aby zamknąć",
|
||||
"memories_year_ago": "Rok temu",
|
||||
"memories_years_ago": "{count, plural, few {# lata temu} other {# lat temu}}",
|
||||
"memory": "Pamięć",
|
||||
"memory_lane_title": "Aleja Wspomnień {title}",
|
||||
"menu": "Menu",
|
||||
"merge": "Złącz",
|
||||
"merge_people": "Złącz osoby",
|
||||
"merge_people_limit": "Możesz łączyć maksymalnie 5 twarzy naraz",
|
||||
"merge_people_prompt": "Czy chcesz połączyć te osoby? Ta czynność jest nieodwracalna.",
|
||||
"merge_people_successfully": "Pomyślnie złączono osoby",
|
||||
"merged_people_count": "Połączono {count, plural, one {# osobę} few {# osoby} other {# osób}}",
|
||||
"merged_people_count": "Połączono {count, plural, one {# osobę} other {# osób}}",
|
||||
"minimize": "Zminimalizuj",
|
||||
"minute": "Minuta",
|
||||
"missing": "Brakujące",
|
||||
"model": "Model",
|
||||
"month": "Miesiąc",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Więcej",
|
||||
"move": "Przenieś",
|
||||
"move_off_locked_folder": "Przenieś z folderu zablokowanego",
|
||||
"move_to_locked_folder": "Przenieś do folderu zablokowanego",
|
||||
"move_to_locked_folder_confirmation": "Te zdjęcia i filmy zostaną usunięte ze wszystkich albumów i będą widzialne tylko w folderze zablokowanym",
|
||||
"moved_to_archive": "Przeniesiono {count, plural, one {# zasób} few {# zasoby} other {# zasobów}} do archiwum",
|
||||
"moved_to_library": "Przeniesiono {count, plural, one {# zasób} few {# zasoby} other {# zasobów}} do biblioteki",
|
||||
"moved_to_trash": "Przeniesiono do kosza",
|
||||
@@ -1263,8 +1242,6 @@
|
||||
"new_api_key": "Nowy Klucz API",
|
||||
"new_password": "Nowe hasło",
|
||||
"new_person": "Nowa osoba",
|
||||
"new_pin_code": "Nowy kod PIN",
|
||||
"new_pin_code_subtitle": "Jest to pierwszy raz, kiedy wchodzisz do folderu zablokowanego. Utwórz kod PIN, aby bezpiecznie korzystać z tej strony",
|
||||
"new_user_created": "Pomyślnie stworzono nowego użytkownika",
|
||||
"new_version_available": "NOWA WERSJA DOSTĘPNA",
|
||||
"newest_first": "Od najnowszych",
|
||||
@@ -1282,7 +1259,6 @@
|
||||
"no_explore_results_message": "Prześlij więcej zdjęć, aby przeglądać swój zbiór.",
|
||||
"no_favorites_message": "Dodaj ulubione aby szybko znaleźć swoje najlepsze zdjęcia i filmy",
|
||||
"no_libraries_message": "Stwórz bibliotekę zewnętrzną, aby przeglądać swoje zdjęcia i filmy",
|
||||
"no_locked_photos_message": "Zdjęcia i filmy w folderze zablokowanym są ukryte i nie będą wyświetlane podczas przeglądania biblioteki.",
|
||||
"no_name": "Brak Nazwy",
|
||||
"no_notifications": "Brak powiadomień",
|
||||
"no_people_found": "Brak pasujących osób",
|
||||
@@ -1294,7 +1270,6 @@
|
||||
"not_selected": "Nie wybrano",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Uwaga: Aby przypisać etykietę magazynowania do wcześniej przesłanych zasobów, uruchom",
|
||||
"notes": "Uwagi",
|
||||
"nothing_here_yet": "Nic tu jeszcze nie ma",
|
||||
"notification_permission_dialog_content": "Aby włączyć powiadomienia, przejdź do Ustawień i wybierz opcję Zezwalaj.",
|
||||
"notification_permission_list_tile_content": "Przyznaj uprawnienia, aby włączyć powiadomienia.",
|
||||
"notification_permission_list_tile_enable_button": "Włącz Powiadomienia",
|
||||
@@ -1302,9 +1277,12 @@
|
||||
"notification_toggle_setting_description": "Włącz powiadomienia e-mail",
|
||||
"notifications": "Powiadomienia",
|
||||
"notifications_setting_description": "Zarządzanie powiadomieniami",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Oficjalne zasoby Immicha",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Ścieżki offline",
|
||||
"offline_paths_description": "Te wyniki mogą być spowodowane ręcznym usunięciem plików, które nie są częścią zewnętrznej biblioteki.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Od najstarszych",
|
||||
"on_this_device": "Na tym urządzeniu",
|
||||
"onboarding": "Wdrożenie",
|
||||
@@ -1327,6 +1305,7 @@
|
||||
"other_variables": "Inne zmienne",
|
||||
"owned": "Posiadany",
|
||||
"owner": "Właściciel",
|
||||
"partner": "Partner",
|
||||
"partner_can_access": "{partner} ma dostęp do",
|
||||
"partner_can_access_assets": "Twoje wszystkie zdjęcia i filmy, oprócz tych w Archiwum i Koszu",
|
||||
"partner_can_access_location": "Informacji o tym, gdzie zostały zrobione Twoje zdjęcia",
|
||||
@@ -1337,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "Nie udało się dodać partnera",
|
||||
"partner_page_select_partner": "Wybierz partnera",
|
||||
"partner_page_shared_to_title": "Udostępniono",
|
||||
"partner_page_stop_sharing_content": "{partner} nie będzie już mieć dostępu do twoich zdjęć.",
|
||||
"partner_page_stop_sharing_content": "{user} nie będzie już mieć dostępu do twoich zdjęć.",
|
||||
"partner_sharing": "Dzielenie z Partnerami",
|
||||
"partners": "Partnerzy",
|
||||
"password": "Hasło",
|
||||
@@ -1383,10 +1362,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Zdjęcie} few {{count, number} Zdjęcia} other {{count, number} Zdjęć}}",
|
||||
"photos_from_previous_years": "Zdjęcia z ubiegłych lat",
|
||||
"pick_a_location": "Oznacz lokalizację",
|
||||
"pin_code_changed_successfully": "Pomyślnie zmieniono kod PIN",
|
||||
"pin_code_reset_successfully": "Pomyślnie zresetowano kod PIN",
|
||||
"pin_code_setup_successfully": "Pomyślnie ustawiono kod PIN",
|
||||
"pin_verification": "Weryfikacja kodem PIN",
|
||||
"place": "Miejsce",
|
||||
"places": "Miejsca",
|
||||
"places_count": "{count, plural, one {{count, number} Miejsce} few {{count, number} Miejsca}other {{count, number} Miejsc}}",
|
||||
@@ -1394,7 +1369,7 @@
|
||||
"play_memories": "Odtwórz wspomnienia",
|
||||
"play_motion_photo": "Odtwórz Ruchome Zdjęcie",
|
||||
"play_or_pause_video": "Odtwórz lub wstrzymaj wideo",
|
||||
"please_auth_to_access": "Uwierzytelnij się, aby uzyskać dostęp",
|
||||
"port": "Port",
|
||||
"preferences_settings_subtitle": "Zarządzaj preferencjami aplikacji",
|
||||
"preferences_settings_title": "Ustawienia",
|
||||
"preset": "Ustawienie",
|
||||
@@ -1404,11 +1379,11 @@
|
||||
"previous_or_next_photo": "Poprzednie lub następne zdjęcie",
|
||||
"primary": "Główny",
|
||||
"privacy": "Prywatność",
|
||||
"profile": "Profil",
|
||||
"profile_drawer_app_logs": "Logi",
|
||||
"profile_drawer_client_out_of_date_major": "Aplikacja mobilna jest nieaktualna. Zaktualizuj do najnowszej wersji głównej.",
|
||||
"profile_drawer_client_out_of_date_minor": "Aplikacja mobilna jest nieaktualna. Zaktualizuj do najnowszej wersji dodatkowej.",
|
||||
"profile_drawer_client_server_up_to_date": "Klient i serwer są aktualne",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "Serwer jest nieaktualny. Zaktualizuj do najnowszej wersji głównej.",
|
||||
"profile_drawer_server_out_of_date_minor": "Serwer jest nieaktualny. Zaktualizuj do najnowszej wersji dodatkowej.",
|
||||
"profile_image_of_user": "Zdjęcie profilowe {user}",
|
||||
@@ -1417,7 +1392,7 @@
|
||||
"public_share": "Udostępnienie publiczne",
|
||||
"purchase_account_info": "Wspierający",
|
||||
"purchase_activated_subtitle": "Dziękuję za wspieranie Immich i oprogramowania open-source",
|
||||
"purchase_activated_time": "Aktywowane dnia {date}",
|
||||
"purchase_activated_time": "Aktywowane dnia {date, date}",
|
||||
"purchase_activated_title": "Twój klucz został pomyślnie aktywowany",
|
||||
"purchase_button_activate": "Aktywuj",
|
||||
"purchase_button_buy": "Kup",
|
||||
@@ -1483,8 +1458,6 @@
|
||||
"remove_deleted_assets": "Usuń Niedostępne Pliki",
|
||||
"remove_from_album": "Usuń z albumu",
|
||||
"remove_from_favorites": "Usuń z ulubionych",
|
||||
"remove_from_locked_folder": "Usuń z folderu zablokowanego",
|
||||
"remove_from_locked_folder_confirmation": "Czy na pewno chcesz przenieść te zdjęcia i filmy z folderu zablokowanego? Będą one widoczne w bibliotece",
|
||||
"remove_from_shared_link": "Usuń z udostępnionego linku",
|
||||
"remove_memory": "Usuń pamięć",
|
||||
"remove_photo_from_memory": "Usuń zdjęcia z tej pamięci",
|
||||
@@ -1505,9 +1478,9 @@
|
||||
"require_password": "Wymagaj hasło",
|
||||
"require_user_to_change_password_on_first_login": "Zmuś użytkownika do zmiany hasła podczas następnego logowania",
|
||||
"rescan": "Ponowne skanowanie",
|
||||
"reset": "Reset",
|
||||
"reset_password": "Resetuj hasło",
|
||||
"reset_people_visibility": "Zresetuj widoczność osób",
|
||||
"reset_pin_code": "Zresetuj kod PIN",
|
||||
"reset_to_default": "Przywróć ustawienia domyślne",
|
||||
"resolve_duplicates": "Rozwiąż problemy z duplikatami",
|
||||
"resolved_all_duplicates": "Rozwiązano wszystkie duplikaty",
|
||||
@@ -1579,7 +1552,7 @@
|
||||
"search_rating": "Wyszukaj według ocen...",
|
||||
"search_result_page_new_search_hint": "Nowe wyszukiwanie",
|
||||
"search_settings": "Ustawienia przeszukiwania",
|
||||
"search_state": "Wyszukaj województwo...",
|
||||
"search_state": "Wyszukaj stan...",
|
||||
"search_suggestion_list_smart_search_hint_1": "Inteligentne wyszukiwanie jest domyślnie włączone, aby wyszukiwać metadane, użyj składni ",
|
||||
"search_suggestion_list_smart_search_hint_2": "m:wyszukiwane hasło",
|
||||
"search_tags": "Wyszukaj etykiety...",
|
||||
@@ -1602,7 +1575,7 @@
|
||||
"select_new_face": "Wybierz nową twarz",
|
||||
"select_person_to_tag": "Wybierz osobę do oznaczenia",
|
||||
"select_photos": "Wybierz zdjęcia",
|
||||
"select_trash_all": "Zaznacz wszystko do kosza",
|
||||
"select_trash_all": "Zaznacz cały kosz",
|
||||
"select_user_for_sharing_page_err_album": "Nie udało się utworzyć albumu",
|
||||
"selected": "Zaznaczone",
|
||||
"selected_count": "{count, plural, other {# wybrane}}",
|
||||
@@ -1631,7 +1604,7 @@
|
||||
"setting_languages_apply": "Zastosuj",
|
||||
"setting_languages_subtitle": "Zmień język aplikacji",
|
||||
"setting_languages_title": "Języki",
|
||||
"setting_notifications_notify_failures_grace_period": "Powiadomienie o awariach kopii zapasowych w tle: {duration}",
|
||||
"setting_notifications_notify_failures_grace_period": "Powiadomienie o awariach kopii zapasowych w tle: {}",
|
||||
"setting_notifications_notify_hours": "{count, plural, one {# godzina} few {# godziny} other {# godzin}}",
|
||||
"setting_notifications_notify_immediately": "natychmiast",
|
||||
"setting_notifications_notify_minutes": "{count, plural, one {# minuta} few {# minuty} other {# minut}}",
|
||||
@@ -1648,12 +1621,10 @@
|
||||
"settings": "Ustawienia",
|
||||
"settings_require_restart": "Aby zastosować to ustawienie, uruchom ponownie Immich",
|
||||
"settings_saved": "Ustawienia zapisane",
|
||||
"setup_pin_code": "Ustaw kod PIN",
|
||||
"share": "Udostępnij",
|
||||
"share_add_photos": "Dodaj zdjęcia",
|
||||
"share_assets_selected": "Wybrano {count}",
|
||||
"share_assets_selected": "{count, plural, one {# wybrane} few {# wybrane} other {# wybranych}}",
|
||||
"share_dialog_preparing": "Przygotowywanie…",
|
||||
"share_link": "Udostępnij link",
|
||||
"shared": "Udostępnione",
|
||||
"shared_album_activities_input_disable": "Komentarz jest wyłączony",
|
||||
"shared_album_activity_remove_content": "Czy chcesz usunąć tę aktywność?",
|
||||
@@ -1666,33 +1637,34 @@
|
||||
"shared_by_user": "Udostępnione przez {user}",
|
||||
"shared_by_you": "Udostępnione przez ciebie",
|
||||
"shared_from_partner": "Zdjęcia od {partner}",
|
||||
"shared_intent_upload_button_progress_text": "{current} / {total} Przesłano",
|
||||
"shared_intent_upload_button_progress_text": "{} / {} Przesłano",
|
||||
"shared_link_app_bar_title": "Udostępnione linki",
|
||||
"shared_link_clipboard_copied_massage": "Skopiowane do schowka",
|
||||
"shared_link_clipboard_text": "Link: {link}\nHasło: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nHasło: {}",
|
||||
"shared_link_create_error": "Błąd podczas tworzenia linka do udostępnienia",
|
||||
"shared_link_edit_description_hint": "Wprowadź opis udostępnienia",
|
||||
"shared_link_edit_expire_after_option_day": "1 dniu",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dniach",
|
||||
"shared_link_edit_expire_after_option_days": "{count, plural, one {# dniu} other {# dniach}}",
|
||||
"shared_link_edit_expire_after_option_hour": "1 godzinie",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} godzinach",
|
||||
"shared_link_edit_expire_after_option_hours": "{count, plural, one {# godzinie} other {# godzinach}}",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minucie",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minutach",
|
||||
"shared_link_edit_expire_after_option_months": "{count} miesiącach",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count, plural, one {# minucie} other {# minutach}}",
|
||||
"shared_link_edit_expire_after_option_months": "{count, plural, one {# miesiącu} other {# miesiącach}}",
|
||||
"shared_link_edit_expire_after_option_year": "{count, plural, one {# roku} other {# latach}}",
|
||||
"shared_link_edit_password_hint": "Wprowadź hasło udostępniania",
|
||||
"shared_link_edit_submit_button": "Aktualizuj link",
|
||||
"shared_link_error_server_url_fetch": "Nie można pobrać adresu URL serwera",
|
||||
"shared_link_expires_day": "Wygasa za {count} dzień",
|
||||
"shared_link_expires_days": "Wygasa za {count} dni",
|
||||
"shared_link_expires_hour": "Wygasa za {count} godzinę",
|
||||
"shared_link_expires_day": "Wygasa za {count, plural, one {# dzień}}",
|
||||
"shared_link_expires_days": "Wygasa za {count, plural, one {# dzień} other {# dni}}",
|
||||
"shared_link_expires_hour": "Wygasa za {count, plural, one {# godzinę}}",
|
||||
"shared_link_expires_hours": "Wygasa za {count, plural, one {# godzinę} few {# godziny} other {# godzin}}",
|
||||
"shared_link_expires_minute": "Wygasa za {count} minutę",
|
||||
"shared_link_expires_minute": "Wygasa za {count, plural, one {# minutę}}",
|
||||
"shared_link_expires_minutes": "Wygasa za {count, plural, one {# minutę} few {# minuty} other {# minut}}",
|
||||
"shared_link_expires_never": "Wygasa ∞",
|
||||
"shared_link_expires_second": "Wygasa za {count} sekundę",
|
||||
"shared_link_expires_second": "Wygasa za {count, plural, one {# sekundę}}",
|
||||
"shared_link_expires_seconds": "Wygasa za {count, plural, one {# sekundę} few {# sekundy} other {# sekund}}",
|
||||
"shared_link_individual_shared": "Indywidualnie udostępnione",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Zarządzaj udostępnionymi linkami",
|
||||
"shared_link_options": "Opcje udostępniania linku",
|
||||
"shared_links": "Udostępnione linki",
|
||||
@@ -1755,15 +1727,16 @@
|
||||
"stack_selected_photos": "Układaj wybrane zdjęcia",
|
||||
"stacked_assets_count": "Ułożone {count, plural, one {# zasób} other{# zasoby}}",
|
||||
"stacktrace": "Ślad stosu",
|
||||
"start": "Start",
|
||||
"start_date": "Od dnia",
|
||||
"state": "Województwo",
|
||||
"state": "Stan",
|
||||
"status": "Status",
|
||||
"stop_motion_photo": "Zatrzymaj zdjęcie w ruchu",
|
||||
"stop_photo_sharing": "Przestać udostępniać swoje zdjęcia?",
|
||||
"stop_photo_sharing_description": "Od teraz {partner} nie będzie widzieć Twoich zdjęć.",
|
||||
"stop_sharing_photos_with_user": "Przestań udostępniać zdjęcia temu użytkownikowi",
|
||||
"storage": "Przestrzeń dyskowa",
|
||||
"storage_label": "Etykieta magazynu",
|
||||
"storage_quota": "Limit pamięci",
|
||||
"storage_usage": "{used} z {available} użyte",
|
||||
"submit": "Zatwierdź",
|
||||
"suggestions": "Sugestie",
|
||||
@@ -1790,7 +1763,7 @@
|
||||
"theme_selection": "Wybór motywu",
|
||||
"theme_selection_description": "Automatycznie zmień motyw na jasny lub ciemny zależnie od ustawień przeglądarki",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Pokaż wskaźnik przechowywania na kafelkach zasobów",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Liczba zasobów w wierszu ({count})",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Liczba zasobów w wierszu ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Zastosuj kolor podstawowy do powierzchni tła.",
|
||||
"theme_setting_colorful_interface_title": "Kolorowy interfejs",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Dostosuj jakość podglądu szczegółowości",
|
||||
@@ -1810,7 +1783,7 @@
|
||||
"to_archive": "Archiwum",
|
||||
"to_change_password": "Zmień hasło",
|
||||
"to_favorite": "Dodaj do ulubionych",
|
||||
"to_login": "Zaloguj się",
|
||||
"to_login": "Login",
|
||||
"to_parent": "Idź do rodzica",
|
||||
"to_trash": "Kosz",
|
||||
"toggle_settings": "Przełącz ustawienia",
|
||||
@@ -1818,24 +1791,22 @@
|
||||
"total": "Całkowity",
|
||||
"total_usage": "Całkowite wykorzystanie",
|
||||
"trash": "Kosz",
|
||||
"trash_all": "Usuń wszystkie",
|
||||
"trash_all": "Usuń wszystko",
|
||||
"trash_count": "Kosz {count, number}",
|
||||
"trash_delete_asset": "Kosz/Usuń zasób",
|
||||
"trash_emptied": "Opróżnione śmieci",
|
||||
"trash_no_results_message": "Tu znajdziesz wyrzucone zdjęcia i filmy.",
|
||||
"trash_page_delete_all": "Usuń wszystko",
|
||||
"trash_page_empty_trash_dialog_content": "Czy chcesz opróżnić swoje usunięte zasoby? Przedmioty te zostaną trwale usunięte z Immich",
|
||||
"trash_page_info": "Elementy przeniesione do kosza zostaną trwale usunięte po {days, plural, one {# dniu} other {# dniach}}",
|
||||
"trash_page_info": "Elementy przeniesione do kosza zostaną trwale usunięte po {count, plural, one {# dniu} other {# dniach}}",
|
||||
"trash_page_no_assets": "Brak usuniętych zasobów",
|
||||
"trash_page_restore_all": "Przywrócić wszystkie",
|
||||
"trash_page_select_assets_btn": "Wybierz zasoby",
|
||||
"trash_page_title": "Kosz ({count})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Wyrzucone zasoby zostaną trwale usunięte po {days, plural, one {jednym dniu} other {# dniach}}.",
|
||||
"trash_page_title": "Kosz ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Wyrzucone zasoby zostaną trwale usunięte po {days, plural, one {jednym dniu} other {{days, number} dniach}}.",
|
||||
"type": "Typ",
|
||||
"unable_to_change_pin_code": "Nie można zmienić kodu PIN",
|
||||
"unable_to_setup_pin_code": "Nie można ustawić kodu PIN",
|
||||
"unarchive": "Cofnij archiwizację",
|
||||
"unarchived_count": "{count, plural, one {# cofnięta archiwizacja} few {# cofnięte archiwizacje} other {# cofniętych archiwizacji}}",
|
||||
"unarchived_count": "{count, plural, other {Niezarchiwizowane #}}",
|
||||
"unfavorite": "Usuń z ulubionych",
|
||||
"unhide_person": "Przywróć osobę",
|
||||
"unknown": "Nieznany",
|
||||
@@ -1852,36 +1823,32 @@
|
||||
"unsaved_change": "Niezapisana zmiana",
|
||||
"unselect_all": "Odznacz wszystko",
|
||||
"unselect_all_duplicates": "Odznacz wszystkie duplikaty",
|
||||
"unstack": "Rozłóż stos",
|
||||
"unstacked_assets_count": "{count, plural, one {Rozłożony # zasób} few {Rozłożone # zasoby} other {Rozłożonych # zasobów}}",
|
||||
"unstack": "Usuń stos",
|
||||
"unstacked_assets_count": "Nieułożone {count, plural, one {# zasób} other{# zasoby}}",
|
||||
"untracked_files": "Nieśledzone pliki",
|
||||
"untracked_files_decription": "Pliki te nie są śledzone przez aplikację. Mogą być wynikiem nieudanych przeniesień, przerwanego przesyłania lub pozostawienia z powodu błędu",
|
||||
"up_next": "Do następnego",
|
||||
"updated_at": "Zaktualizowany",
|
||||
"updated_password": "Pomyślnie zaktualizowano hasło",
|
||||
"upload": "Prześlij",
|
||||
"upload_concurrency": "Współbieżność wysyłania",
|
||||
"upload_dialog_info": "Czy chcesz wykonać kopię zapasową wybranych zasobów na serwerze?",
|
||||
"upload_dialog_title": "Prześlij Zasób",
|
||||
"upload_errors": "Przesyłanie zakończone z {count, plural, one {# błędem} other {# błędami}}. Odśwież stronę, aby zobaczyć nowo przesłane zasoby.",
|
||||
"upload_errors": "Przesyłanie zakończone z {count, plural, one {# błąd} other {# błędy}}. Odśwież stronę, aby zobaczyć nowo przesłane zasoby.",
|
||||
"upload_progress": "Pozostałe {remaining, number} - Przetworzone {processed, number}/{total, number}",
|
||||
"upload_skipped_duplicates": "Pominięto {count, plural, one {# zduplikowany zasób} few {# zduplikowane zasoby} other {# zduplikowanych zasobów}}",
|
||||
"upload_skipped_duplicates": "Pominięte {count, plural, one {# zduplikowany zasób} other {# zduplikowane zasoby}}",
|
||||
"upload_status_duplicates": "Duplikaty",
|
||||
"upload_status_errors": "Błędy",
|
||||
"upload_status_uploaded": "Przesłano",
|
||||
"upload_success": "Przesyłanie powiodło się, odśwież stronę, aby zobaczyć nowo przesłane zasoby.",
|
||||
"upload_to_immich": "Prześlij do Immich ({count})",
|
||||
"upload_to_immich": "Prześlij do Immich ({})",
|
||||
"uploading": "Przesyłanie",
|
||||
"url": "URL",
|
||||
"usage": "Użycie",
|
||||
"use_biometric": "Użyj biometrii",
|
||||
"use_current_connection": "użyj bieżącego połączenia",
|
||||
"use_custom_date_range": "Zamiast tego użyj niestandardowego zakresu dat",
|
||||
"user": "Użytkownik",
|
||||
"user_has_been_deleted": "Ten użytkownik został usunięty.",
|
||||
"user_id": "ID użytkownika",
|
||||
"user_liked": "{user} polubił {type, select, photo {to zdjęcie} video {to wideo} asset {ten zasób} other {to}}",
|
||||
"user_pin_code_settings": "Kod PIN",
|
||||
"user_pin_code_settings_description": "Zarządzaj swoim kodem PIN",
|
||||
"user_purchase_settings": "Zakup",
|
||||
"user_purchase_settings_description": "Zarządzaj swoim zakupem",
|
||||
"user_role_set": "Ustaw {user} jako {role}",
|
||||
@@ -1896,7 +1863,7 @@
|
||||
"variables": "Zmienne",
|
||||
"version": "Wersja",
|
||||
"version_announcement_closing": "Twój przyjaciel Aleks",
|
||||
"version_announcement_message": "Witaj! Dostępna jest nowa wersja Immich. Poświęć trochę czasu na zapoznanie się z <link>informacjami o wydaniu</link>, aby upewnić się, że ustawienia twojej instalacji są aktualne i zapobiec błędnym konfiguracjom. Szczególnie jeśli używasz WatchTower lub jakiegokolwiek mechanizmu odpowiedzialnego za automatyczne aktualizowanie Immich.",
|
||||
"version_announcement_message": "Witaj! Dostępna jest nowa wersja Immich. Poświęć trochę czasu na zapoznanie się z <link>informacjami o wydaniu</link>, aby upewnić się, że twoja konfiguracja jest aktualna, aby uniknąć błędów, szczególnie jeśli używasz WatchTower lub jakiegokolwiek mechanizmu odpowiedzialnego za automatyczne aktualizowanie Immich.",
|
||||
"version_announcement_overlay_release_notes": "informacje o wydaniu",
|
||||
"version_announcement_overlay_text_1": "Cześć przyjacielu, jest nowe wydanie",
|
||||
"version_announcement_overlay_text_2": "prosimy o poświęcenie czasu na odwiedzenie ",
|
||||
@@ -1923,15 +1890,14 @@
|
||||
"view_stack": "Zobacz Ułożenie",
|
||||
"viewer_remove_from_stack": "Usuń ze stosu",
|
||||
"viewer_stack_use_as_main_asset": "Użyj jako głównego zasobu",
|
||||
"viewer_unstack": "Rozłóż Stos",
|
||||
"visibility_changed": "Zmieniono widoczność dla {count, plural, one {# osoby} other {# osób}}",
|
||||
"waiting": "Oczekujące",
|
||||
"viewer_unstack": "Usuń stos",
|
||||
"visibility_changed": "Zmieniono widoczność dla {count, plural, one {# osoba} other {# osoby}}",
|
||||
"waiting": "Oczekiwanie",
|
||||
"warning": "Ostrzeżenie",
|
||||
"week": "Tydzień",
|
||||
"welcome": "Witaj",
|
||||
"welcome_to_immich": "Witamy w immich",
|
||||
"wifi_name": "Nazwa Wi-Fi",
|
||||
"wrong_pin_code": "Nieprawidłowy kod PIN",
|
||||
"year": "Rok",
|
||||
"years_ago": "{years, plural, one {# rok} few {# lata} other {# lat}} temu",
|
||||
"yes": "Tak",
|
||||
|
||||
267
i18n/pt.json
267
i18n/pt.json
@@ -26,7 +26,6 @@
|
||||
"add_to_album": "Adicionar ao álbum",
|
||||
"add_to_album_bottom_sheet_added": "Adicionado a {album}",
|
||||
"add_to_album_bottom_sheet_already_exists": "Já existe em {album}",
|
||||
"add_to_locked_folder": "Adicionar a pasta trancada",
|
||||
"add_to_shared_album": "Adicionar ao álbum partilhado",
|
||||
"add_url": "Adicionar URL",
|
||||
"added_to_archive": "Adicionado ao arquivo",
|
||||
@@ -54,7 +53,6 @@
|
||||
"confirm_email_below": "Para confirmar, escreva \"{email}\" abaixo",
|
||||
"confirm_reprocess_all_faces": "Tem a certeza de que deseja reprocessar todos os rostos? Isto também limpará os nomes das pessoas.",
|
||||
"confirm_user_password_reset": "Tem a certeza de que deseja redefinir a palavra-passe de {user}?",
|
||||
"confirm_user_pin_code_reset": "Tem a certeza de que quer repor o código PIN de {user}?",
|
||||
"create_job": "Criar tarefa",
|
||||
"cron_expression": "Expressão Cron",
|
||||
"cron_expression_description": "Definir o intervalo de análise utilizando o formato Cron. Para mais informações, por favor veja o <link>Crontab Guru</link>",
|
||||
@@ -194,7 +192,6 @@
|
||||
"oauth_auto_register": "Registo automático",
|
||||
"oauth_auto_register_description": "Registar automaticamente novos utilizadores após iniciarem sessão com o OAuth",
|
||||
"oauth_button_text": "Texto do botão",
|
||||
"oauth_client_secret_description": "Obrigatório se PKCE (Proof Key for Code Exchange) não for suportado pelo provedor OAuth",
|
||||
"oauth_enable_description": "Iniciar sessão com o OAuth",
|
||||
"oauth_mobile_redirect_uri": "URI de redirecionamento móvel",
|
||||
"oauth_mobile_redirect_uri_override": "Substituição de URI de redirecionamento móvel",
|
||||
@@ -208,8 +205,6 @@
|
||||
"oauth_storage_quota_claim_description": "Definir automaticamente a quota de armazenamento do utilizador para o valor desta declaração.",
|
||||
"oauth_storage_quota_default": "Quota de armazenamento padrão (GiB)",
|
||||
"oauth_storage_quota_default_description": "Quota em GiB a ser usada quando nenhuma reivindicação for fornecida (insira 0 para quota ilimitada).",
|
||||
"oauth_timeout": "Tempo Limite de Requisição",
|
||||
"oauth_timeout_description": "Tempo limite para requisições, em milissegundos",
|
||||
"offline_paths": "Caminhos Offline",
|
||||
"offline_paths_description": "Estes resultados podem ser devidos à eliminação manual de ficheiros que não fazem parte de uma biblioteca externa.",
|
||||
"password_enable_description": "Iniciar sessão com e-mail e palavra-passe",
|
||||
@@ -268,7 +263,7 @@
|
||||
"template_email_update_album": "Modelo do e-mail de atualização do álbum",
|
||||
"template_email_welcome": "Modelos do email de boas vindas",
|
||||
"template_settings": "Modelos de notificação",
|
||||
"template_settings_description": "Gerir modelos personalizados para notificações",
|
||||
"template_settings_description": "Gerir modelos personalizados para notificações.",
|
||||
"theme_custom_css_settings": "CSS Personalizado",
|
||||
"theme_custom_css_settings_description": "Folhas de estilo em cascata (CSS) permitem que o design do Immich seja personalizado.",
|
||||
"theme_settings": "Definições de Tema",
|
||||
@@ -350,7 +345,6 @@
|
||||
"user_delete_delay_settings_description": "Número de dias após a remoção para excluir permanentemente a conta e os ficheiros de um utilizador. A tarefa de eliminação de utilizadores é executada à meia-noite para verificar utilizadores que estão prontos para eliminação. As alterações a esta definição serão avaliadas na próxima execução.",
|
||||
"user_delete_immediately": "A conta e os ficheiros de <b>{user}</b> serão colocados em fila para eliminação permanente <b>de imediato</b>.",
|
||||
"user_delete_immediately_checkbox": "Adicionar utilizador e ficheiros à fila para eliminação imediata",
|
||||
"user_details": "Detalhes do utilizador",
|
||||
"user_management": "Gestão de utilizadores",
|
||||
"user_password_has_been_reset": "A palavra-passe do utilizador foi redefinida:",
|
||||
"user_password_reset_description": "Por favor forneça a palavra-passe temporária ao utilizador e informe-o(a) de que será necessário alterá-la próximo início de sessão.",
|
||||
@@ -372,7 +366,7 @@
|
||||
"advanced": "Avançado",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Utilize esta definição para filtrar ficheiros durante a sincronização baseada em critérios alternativos. Utilize apenas se a aplicação estiver com problemas a detetar todos os álbuns.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTAL] Utilizar um filtro alternativo de sincronização de álbuns em dispositivos",
|
||||
"advanced_settings_log_level_title": "Nível de registo: {level}",
|
||||
"advanced_settings_log_level_title": "Nível de registo: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Alguns dispositivos são extremamente lentos para carregar miniaturas da memória. Ative esta opção para preferir imagens do servidor.",
|
||||
"advanced_settings_prefer_remote_title": "Preferir imagens do servidor",
|
||||
"advanced_settings_proxy_headers_subtitle": "Defina os cabeçalhos do proxy que o Immich deve enviar em todas comunicações com a rede",
|
||||
@@ -403,9 +397,9 @@
|
||||
"album_remove_user_confirmation": "Tem a certeza de que quer remover {user}?",
|
||||
"album_share_no_users": "Parece que tem este álbum partilhado com todos os utilizadores ou que não existem utilizadores com quem o partilhar.",
|
||||
"album_thumbnail_card_item": "1 arquivo",
|
||||
"album_thumbnail_card_items": "{count} ficheiros",
|
||||
"album_thumbnail_card_items": "{} ficheiros",
|
||||
"album_thumbnail_card_shared": " · Compartilhado",
|
||||
"album_thumbnail_shared_by": "Partilhado por {user}",
|
||||
"album_thumbnail_shared_by": "Partilhado por {}",
|
||||
"album_updated": "Álbum atualizado",
|
||||
"album_updated_setting_description": "Receber uma notificação por e-mail quando um álbum partilhado tiver novos ficheiros",
|
||||
"album_user_left": "Saíu do {album}",
|
||||
@@ -443,7 +437,7 @@
|
||||
"archive": "Arquivo",
|
||||
"archive_or_unarchive_photo": "Arquivar ou desarquivar foto",
|
||||
"archive_page_no_archived_assets": "Nenhum arquivo encontrado",
|
||||
"archive_page_title": "Arquivo ({count})",
|
||||
"archive_page_title": "Arquivo ({})",
|
||||
"archive_size": "Tamanho do arquivo",
|
||||
"archive_size_description": "Configure o tamanho do arquivo para transferências (em GiB)",
|
||||
"archived": "Arquivado",
|
||||
@@ -480,18 +474,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {# ficheiro adicionado} other {# ficheiros adicionados}} ao álbum",
|
||||
"assets_added_to_name_count": "{count, plural, one {# ficheiro adicionado} other {# ficheiros adicionados}} a {hasName, select, true {<b>{name}</b>} other {novo álbum}}",
|
||||
"assets_count": "{count, plural, one {# ficheiro} other {# ficheiros}}",
|
||||
"assets_deleted_permanently": "{count} ficheiro(s) eliminado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{count} ficheiro(s) eliminado(s) permanentemente do servidor Immich",
|
||||
"assets_deleted_permanently": "{} ficheiro(s) eliminado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{} ficheiro(s) eliminado(s) permanentemente do servidor Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# ficheiro movido} other {# ficheiros movidos}} para a reciclagem",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# ficheiro} other {# ficheiros}} eliminados permanentemente",
|
||||
"assets_removed_count": "{count, plural, one {# ficheiro eliminado} other {# ficheiros eliminados}}",
|
||||
"assets_removed_permanently_from_device": "{count} ficheiro(s) removido(s) permanentemente do seu dispositivo",
|
||||
"assets_removed_permanently_from_device": "{} ficheiro(s) removido(s) permanentemente do seu dispositivo",
|
||||
"assets_restore_confirmation": "Tem a certeza de que quer recuperar todos os ficheiros apagados? Não é possível anular esta ação! Tenha em conta de que quaisquer ficheiros indisponíveis não podem ser restaurados desta forma.",
|
||||
"assets_restored_count": "{count, plural, one {# ficheiro restaurado} other {# ficheiros restaurados}}",
|
||||
"assets_restored_successfully": "{count} ficheiro(s) restaurados com sucesso",
|
||||
"assets_trashed": "{count} ficheiro(s) enviado(s) para a reciclagem",
|
||||
"assets_restored_successfully": "{} ficheiro(s) restaurados com sucesso",
|
||||
"assets_trashed": "{} ficheiro(s) enviado(s) para a reciclagem",
|
||||
"assets_trashed_count": "{count, plural, one {# ficheiro enviado} other {# ficheiros enviados}} para a reciclagem",
|
||||
"assets_trashed_from_server": "{count} ficheiro(s) do servidor Immich foi/foram enviados para a reciclagem",
|
||||
"assets_trashed_from_server": "{} ficheiro(s) do servidor Immich foi/foram enviados para a reciclagem",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {O ficheiro já fazia} other {Os ficheiros já faziam}} parte do álbum",
|
||||
"authorized_devices": "Dispositivos Autorizados",
|
||||
"automatic_endpoint_switching_subtitle": "Conecte-se localmente quando estiver em uma rede uma Wi-Fi específica e use conexões alternativas em outras redes",
|
||||
@@ -500,7 +494,7 @@
|
||||
"back_close_deselect": "Voltar, fechar ou desmarcar",
|
||||
"background_location_permission": "Permissão de localização em segundo plano",
|
||||
"background_location_permission_content": "Para que seja possível trocar a URL quando estiver executando em segundo plano, o Immich deve *sempre* ter a permissão de localização precisa para que o aplicativo consiga ler o nome da rede Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Álbuns no dispositivo ({count})",
|
||||
"backup_album_selection_page_albums_device": "Álbuns no dispositivo ({})",
|
||||
"backup_album_selection_page_albums_tap": "Toque para incluir, duplo toque para excluir",
|
||||
"backup_album_selection_page_assets_scatter": "Os arquivos podem estar espalhados em vários álbuns. Assim, os álbuns podem ser incluídos ou excluídos durante o processo de backup.",
|
||||
"backup_album_selection_page_select_albums": "Selecione Álbuns",
|
||||
@@ -508,35 +502,38 @@
|
||||
"backup_album_selection_page_total_assets": "Total de arquivos únicos",
|
||||
"backup_all": "Tudo",
|
||||
"backup_background_service_backup_failed_message": "Falha ao fazer backup dos arquivos. Tentando novamente…",
|
||||
"backup_background_service_connection_failed_message": "Falha na ligação ao servidor. A tentar de novo…",
|
||||
"backup_background_service_current_upload_notification": "A enviar {filename}",
|
||||
"backup_background_service_connection_failed_message": "Falha na conexão com o servidor. Tentando novamente...",
|
||||
"backup_background_service_current_upload_notification": "A enviar {}",
|
||||
"backup_background_service_default_notification": "Verificando novos arquivos…",
|
||||
"backup_background_service_error_title": "Erro de backup",
|
||||
"backup_background_service_in_progress_notification": "Fazendo backup dos arquivos…",
|
||||
"backup_background_service_upload_failure_notification": "Ocorreu um erro ao enviar {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Ocorreu um erro ao enviar {}",
|
||||
"backup_controller_page_albums": "Backup Álbuns",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Para utilizar a cópia de segurança em segundo plano, ative a atualização da aplicação em segundo plano em Sefinições > Geral > Atualização da aplicação em segundo plano.",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Para utilizar o backup em segundo plano, ative a atualização da aplicação em segundo plano em Configurações > Geral > Atualização do app em segundo plano ",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Atualização do app em segundo plano desativada",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Ir para as configurações",
|
||||
"backup_controller_page_background_battery_info_link": "Mostre-me como",
|
||||
"backup_controller_page_background_battery_info_message": "Para obter a melhor experiência de backup em segundo plano, desative todas as otimizações de bateria que restrinjam a atividade em segundo plano do Immich.\n\nComo isso é específico por dispositivo, consulte as informações de como fazer isso com o fabricante do dispositivo.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Otimizações de bateria",
|
||||
"backup_controller_page_background_charging": "Apenas enquanto carrega a bateria",
|
||||
"backup_controller_page_background_configure_error": "Falha ao configurar o serviço em segundo plano",
|
||||
"backup_controller_page_background_delay": "Atraso da cópia de segurança de novos ficheiros: {duration}",
|
||||
"backup_controller_page_background_delay": "Atrasar a cópia de segurança de novos ficheiros: {}",
|
||||
"backup_controller_page_background_description": "Ative o serviço em segundo plano para fazer backup automático de novos arquivos sem precisar abrir o aplicativo",
|
||||
"backup_controller_page_background_is_off": "O backup automático em segundo plano está desativado",
|
||||
"backup_controller_page_background_is_on": "O backup automático em segundo plano está ativado",
|
||||
"backup_controller_page_background_turn_off": "Desativar o serviço em segundo plano",
|
||||
"backup_controller_page_background_turn_on": "Ativar o serviço em segundo plano",
|
||||
"backup_controller_page_background_wifi": "Apenas em Wi-Fi",
|
||||
"backup_controller_page_background_wifi": "Apenas no WiFi",
|
||||
"backup_controller_page_backup": "Backup",
|
||||
"backup_controller_page_backup_selected": "Selecionado: ",
|
||||
"backup_controller_page_backup_sub": "Fotos e vídeos salvos em backup",
|
||||
"backup_controller_page_created": "Criado em: {date}",
|
||||
"backup_controller_page_created": "Criado em: {}",
|
||||
"backup_controller_page_desc_backup": "Ative o backup para enviar automáticamente novos arquivos para o servidor.",
|
||||
"backup_controller_page_excluded": "Eliminado: ",
|
||||
"backup_controller_page_failed": "Falhou ({count})",
|
||||
"backup_controller_page_filename": "Nome do ficheiro: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Falhou ({})",
|
||||
"backup_controller_page_filename": "Nome do ficheiro: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informações do backup",
|
||||
"backup_controller_page_none_selected": "Nenhum selecionado",
|
||||
"backup_controller_page_remainder": "Restante",
|
||||
@@ -545,7 +542,7 @@
|
||||
"backup_controller_page_start_backup": "Iniciar Backup",
|
||||
"backup_controller_page_status_off": "Backup automático desativado",
|
||||
"backup_controller_page_status_on": "Backup automático ativado",
|
||||
"backup_controller_page_storage_format": "{used} de {total} utilizado",
|
||||
"backup_controller_page_storage_format": "{} de {} utilizado",
|
||||
"backup_controller_page_to_backup": "Álbuns para fazer backup",
|
||||
"backup_controller_page_total_sub": "Todas as fotos e vídeos dos álbuns selecionados",
|
||||
"backup_controller_page_turn_off": "Desativar backup",
|
||||
@@ -560,10 +557,6 @@
|
||||
"backup_options_page_title": "Opções de backup",
|
||||
"backup_setting_subtitle": "Gerenciar as configurações de envio em primeiro e segundo plano",
|
||||
"backward": "Para trás",
|
||||
"biometric_auth_enabled": "Autenticação biométrica ativada",
|
||||
"biometric_locked_out": "Está impedido de utilizar a autenticação biométrica",
|
||||
"biometric_no_options": "Sem opções biométricas disponíveis",
|
||||
"biometric_not_available": "A autenticação biométrica não está disponível neste dispositivo",
|
||||
"birthdate_saved": "Data de nascimento guardada com sucesso",
|
||||
"birthdate_set_description": "A data de nascimento é utilizada para calcular a idade desta pessoa no momento em que uma fotografia foi tirada.",
|
||||
"blurred_background": "Fundo desfocado",
|
||||
@@ -574,21 +567,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Tem a certeza de que deseja manter {count, plural, one {# ficheiro duplicado} other {# ficheiros duplicados}}? Isto resolverá todos os grupos duplicados sem eliminar nada.",
|
||||
"bulk_trash_duplicates_confirmation": "Tem a certeza de que deseja mover para a reciclagem {count, plural, one {# ficheiro duplicado} other {# ficheiros duplicados}}? Isto manterá o maior ficheiro de cada grupo e irá mover para a reciclagem todos os outros duplicados.",
|
||||
"buy": "Comprar Immich",
|
||||
"cache_settings_album_thumbnails": "Miniaturas da página da biblioteca ({count} ficheiros)",
|
||||
"cache_settings_album_thumbnails": "Miniaturas da página da biblioteca ({} ficheiros)",
|
||||
"cache_settings_clear_cache_button": "Limpar cache",
|
||||
"cache_settings_clear_cache_button_title": "Limpa o cache do aplicativo. Isso afetará significativamente o desempenho do aplicativo até que o cache seja reconstruído.",
|
||||
"cache_settings_duplicated_assets_clear_button": "LIMPAR",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos e vídeos que estão na lista negra da aplicação",
|
||||
"cache_settings_duplicated_assets_title": "Ficheiros duplicados ({count})",
|
||||
"cache_settings_image_cache_size": "Tamanho da cache de imagem ({count} ficheiros)",
|
||||
"cache_settings_duplicated_assets_title": "Ficheiros duplicados ({})",
|
||||
"cache_settings_image_cache_size": "Tamanho da cache de imagem ({} ficheiros)",
|
||||
"cache_settings_statistics_album": "Miniaturas da biblioteca",
|
||||
"cache_settings_statistics_assets": "{count} ficheiros ({size})",
|
||||
"cache_settings_statistics_assets": "{} ficheiros ({})",
|
||||
"cache_settings_statistics_full": "Imagens completas",
|
||||
"cache_settings_statistics_shared": "Miniaturas de álbuns compartilhados",
|
||||
"cache_settings_statistics_thumbnail": "Miniaturas",
|
||||
"cache_settings_statistics_title": "Uso de cache",
|
||||
"cache_settings_subtitle": "Controle o comportamento de cache do aplicativo Immich",
|
||||
"cache_settings_thumbnail_size": "Tamanho da cache das miniaturas ({count} ficheiros)",
|
||||
"cache_settings_thumbnail_size": "Tamanho da cache das miniaturas ({} ficheiros)",
|
||||
"cache_settings_tile_subtitle": "Controlar o comportamento do armazenamento local",
|
||||
"cache_settings_tile_title": "Armazenamento local",
|
||||
"cache_settings_title": "Configurações de cache",
|
||||
@@ -601,9 +594,7 @@
|
||||
"cannot_merge_people": "Não foi possível unir pessoas",
|
||||
"cannot_undo_this_action": "Não é possível anular esta ação!",
|
||||
"cannot_update_the_description": "Não foi possível atualizar a descrição",
|
||||
"cast": "Reproduzir em",
|
||||
"change_date": "Alterar data",
|
||||
"change_description": "Alterar descrição",
|
||||
"change_display_order": "Mudar ordem de exibição",
|
||||
"change_expiration_time": "Alterar o prazo de validade",
|
||||
"change_location": "Alterar localização",
|
||||
@@ -616,7 +607,6 @@
|
||||
"change_password_form_new_password": "Nova senha",
|
||||
"change_password_form_password_mismatch": "As senhas não estão iguais",
|
||||
"change_password_form_reenter_new_password": "Confirme a nova senha",
|
||||
"change_pin_code": "Alterar código PIN",
|
||||
"change_your_password": "Alterar a sua palavra-passe",
|
||||
"changed_visibility_successfully": "Visibilidade alterada com sucesso",
|
||||
"check_all": "Verificar tudo",
|
||||
@@ -631,6 +621,7 @@
|
||||
"clear_all_recent_searches": "Limpar todas as pesquisas recentes",
|
||||
"clear_message": "Limpar mensagem",
|
||||
"clear_value": "Limpar valor",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Digite a senha",
|
||||
"client_cert_import": "Importar",
|
||||
"client_cert_import_success_msg": "Certificado do cliente foi importado",
|
||||
@@ -656,19 +647,17 @@
|
||||
"confirm_delete_face": "Tem a certeza de que deseja remover o rosto de {name} deste ficheiro?",
|
||||
"confirm_delete_shared_link": "Tem a certeza de que deseja eliminar este link partilhado?",
|
||||
"confirm_keep_this_delete_others": "Todos os outros ficheiros na pilha serão eliminados, exceto este ficheiro. Tem a certeza de que deseja continuar?",
|
||||
"confirm_new_pin_code": "Confirmar novo código PIN",
|
||||
"confirm_password": "Confirmar a palavra-passe",
|
||||
"connected_to": "Ligado a",
|
||||
"contain": "Ajustar",
|
||||
"context": "Contexto",
|
||||
"continue": "Continuar",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} ficheiros · Partilhado",
|
||||
"control_bottom_app_bar_album_info_shared": "{} ficheiros · Partilhado",
|
||||
"control_bottom_app_bar_create_new_album": "Criar novo álbum",
|
||||
"control_bottom_app_bar_delete_from_immich": "Excluir do Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Excluir do dispositivo",
|
||||
"control_bottom_app_bar_edit_location": "Editar Localização",
|
||||
"control_bottom_app_bar_edit_time": "Editar Data & Hora",
|
||||
"control_bottom_app_bar_share_link": "Partilhar ligação",
|
||||
"control_bottom_app_bar_share_link": "Share Link",
|
||||
"control_bottom_app_bar_share_to": "Compartilhar com",
|
||||
"control_bottom_app_bar_trash_from_immich": "Mover para a lixeira",
|
||||
"copied_image_to_clipboard": "Imagem copiada para a área de transferência.",
|
||||
@@ -700,11 +689,9 @@
|
||||
"create_tag_description": "Criar uma nova etiqueta. Para etiquetas compostas, introduza o caminho completo, incluindo as barras.",
|
||||
"create_user": "Criar utilizador",
|
||||
"created": "Criado",
|
||||
"created_at": "Criado a",
|
||||
"crop": "Cortar",
|
||||
"curated_object_page_title": "Objetos",
|
||||
"current_device": "Dispositivo atual",
|
||||
"current_pin_code": "Código PIN atual",
|
||||
"current_server_address": "Endereço atual do servidor",
|
||||
"custom_locale": "Localização Personalizada",
|
||||
"custom_locale_description": "Formatar datas e números baseados na língua e na região",
|
||||
@@ -756,6 +743,7 @@
|
||||
"direction": "Direção",
|
||||
"disabled": "Desativado",
|
||||
"disallow_edits": "Não permitir edições",
|
||||
"discord": "Discord",
|
||||
"discover": "Descobrir",
|
||||
"dismiss_all_errors": "Dispensar todos os erros",
|
||||
"dismiss_error": "Dispensar erro",
|
||||
@@ -772,7 +760,7 @@
|
||||
"download_enqueue": "Na fila",
|
||||
"download_error": "Erro ao baixar",
|
||||
"download_failed": "Falha",
|
||||
"download_filename": "ficheiro: {filename}",
|
||||
"download_filename": "ficheiro: {}",
|
||||
"download_finished": "Concluído",
|
||||
"download_include_embedded_motion_videos": "Vídeos incorporados",
|
||||
"download_include_embedded_motion_videos_description": "Incluir vídeos incorporados em fotos em movimento como um ficheiro separado",
|
||||
@@ -796,8 +784,6 @@
|
||||
"edit_avatar": "Editar imagem de perfil",
|
||||
"edit_date": "Editar data",
|
||||
"edit_date_and_time": "Editar data e hora",
|
||||
"edit_description": "Editar descrição",
|
||||
"edit_description_prompt": "Por favor selecione uma nova descrição:",
|
||||
"edit_exclusion_pattern": "Editar o padrão de exclusão",
|
||||
"edit_faces": "Editar rostos",
|
||||
"edit_import_path": "Editar caminho de importação",
|
||||
@@ -812,28 +798,25 @@
|
||||
"edit_title": "Editar Título",
|
||||
"edit_user": "Editar utilizador",
|
||||
"edited": "Editado",
|
||||
"editor": "Editor",
|
||||
"editor_close_without_save_prompt": "As alterações não serão guardadas",
|
||||
"editor_close_without_save_title": "Fechar editor?",
|
||||
"editor_crop_tool_h2_aspect_ratios": "Relação de aspeto",
|
||||
"editor_crop_tool_h2_rotation": "Rotação",
|
||||
"email": "E-mail",
|
||||
"email_notifications": "Notificações por e-mail",
|
||||
"empty_folder": "Esta pasta está vazia",
|
||||
"empty_folder": "This folder is empty",
|
||||
"empty_trash": "Esvaziar reciclagem",
|
||||
"empty_trash_confirmation": "Tem a certeza de que deseja esvaziar a reciclagem? Isto removerá todos os ficheiros da reciclagem do Immich permanentemente.\nNão é possível anular esta ação!",
|
||||
"enable": "Ativar",
|
||||
"enable_biometric_auth_description": "Insira o código PIN para ativar a autenticação biométrica",
|
||||
"enabled": "Ativado",
|
||||
"end_date": "Data final",
|
||||
"enqueued": "Na fila",
|
||||
"enter_wifi_name": "Escreva o nome da rede Wi-Fi",
|
||||
"enter_your_pin_code": "Insira o código PIN",
|
||||
"enter_your_pin_code_subtitle": "Insira o código PIN para aceder à pasta trancada",
|
||||
"enter_wifi_name": "Digite o nome do Wi-Fi",
|
||||
"error": "Erro",
|
||||
"error_change_sort_album": "Falha ao mudar a ordem de exibição",
|
||||
"error_delete_face": "Falha ao remover rosto do ficheiro",
|
||||
"error_loading_image": "Erro ao carregar a imagem",
|
||||
"error_saving_image": "Erro: {error}",
|
||||
"error_saving_image": "Erro: {}",
|
||||
"error_title": "Erro - Algo correu mal",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Não foi possível navegar para o próximo ficheiro",
|
||||
@@ -863,12 +846,10 @@
|
||||
"failed_to_keep_this_delete_others": "Ocorreu um erro ao manter este ficheiro e eliminar os outros",
|
||||
"failed_to_load_asset": "Não foi possível ler o ficheiro",
|
||||
"failed_to_load_assets": "Não foi possível ler ficheiros",
|
||||
"failed_to_load_notifications": "Ocorreu um erro ao carregar notificações",
|
||||
"failed_to_load_people": "Não foi possível carregar pessoas",
|
||||
"failed_to_remove_product_key": "Não foi possível remover chave de produto",
|
||||
"failed_to_stack_assets": "Não foi possível empilhar os ficheiros",
|
||||
"failed_to_unstack_assets": "Não foi possível desempilhar ficheiros",
|
||||
"failed_to_update_notification_status": "Ocorreu um erro ao atualizar o estado das notificações",
|
||||
"import_path_already_exists": "Este caminho de importação já existe.",
|
||||
"incorrect_email_or_password": "Email ou palavra-passe incorretos",
|
||||
"paths_validation_failed": "A validação de {paths, plural, one {# caminho falhou} other {# caminhos falharam}}",
|
||||
@@ -886,7 +867,6 @@
|
||||
"unable_to_archive_unarchive": "Não foi possível {archived, select, true {arquivar} other {desarquivar}}",
|
||||
"unable_to_change_album_user_role": "Não foi possível alterar a permissão do utilizador no álbum",
|
||||
"unable_to_change_date": "Não foi possível alterar a data",
|
||||
"unable_to_change_description": "Não foi possível alterar a descrição",
|
||||
"unable_to_change_favorite": "Não foi possível mudar o favorito do ficheiro",
|
||||
"unable_to_change_location": "Não foi possível alterar a localização",
|
||||
"unable_to_change_password": "Não foi possível alterar a palavra-passe",
|
||||
@@ -924,7 +904,6 @@
|
||||
"unable_to_log_out_all_devices": "Não foi possível terminar a sessão em todos os dispositivos",
|
||||
"unable_to_log_out_device": "Não foi possível terminar a sessão no dispositivo",
|
||||
"unable_to_login_with_oauth": "Não foi possível iniciar sessão com OAuth",
|
||||
"unable_to_move_to_locked_folder": "Não foi possível mover para a pasta trancada",
|
||||
"unable_to_play_video": "Não foi possível reproduzir o vídeo",
|
||||
"unable_to_reassign_assets_existing_person": "Não foi possível reatribuir ficheiros para {name, select, null {uma pessoa existente} other {{name}}}",
|
||||
"unable_to_reassign_assets_new_person": "Não foi possível reatribuir os ficheiros a uma nova pessoa",
|
||||
@@ -938,7 +917,6 @@
|
||||
"unable_to_remove_reaction": "Não foi possível remover a reação",
|
||||
"unable_to_repair_items": "Não foi possível reparar os itens",
|
||||
"unable_to_reset_password": "Não foi possível redefinir a palavra-passe",
|
||||
"unable_to_reset_pin_code": "Não foi possível repor o código PIN",
|
||||
"unable_to_resolve_duplicate": "Não foi possível resolver as duplicidades",
|
||||
"unable_to_restore_assets": "Não foi possível restaurar ficheiros",
|
||||
"unable_to_restore_trash": "Não foi possível restaurar itens da reciclagem",
|
||||
@@ -966,23 +944,25 @@
|
||||
"unable_to_update_user": "Não foi possível atualizar o utilizador",
|
||||
"unable_to_upload_file": "Não foi possível carregar o ficheiro"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Adicionar Descrição...",
|
||||
"exif_bottom_sheet_details": "DETALHES",
|
||||
"exif_bottom_sheet_location": "LOCALIZAÇÃO",
|
||||
"exif_bottom_sheet_people": "PESSOAS",
|
||||
"exif_bottom_sheet_person_add_person": "Adicionar nome",
|
||||
"exif_bottom_sheet_person_age": "Idade {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Idade {months} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Idade 1 ano, {months} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Idade {years}",
|
||||
"exif_bottom_sheet_person_age": "Idade {}",
|
||||
"exif_bottom_sheet_person_age_months": "Idade {} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Idade 1 ano, {} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Idade {}",
|
||||
"exit_slideshow": "Sair da apresentação",
|
||||
"expand_all": "Expandir tudo",
|
||||
"experimental_settings_new_asset_list_subtitle": "Trabalho em andamento",
|
||||
"experimental_settings_new_asset_list_title": "Ativar visualização de grade experimental",
|
||||
"experimental_settings_subtitle": "Use por sua conta e risco!",
|
||||
"expire_after": "Expira após",
|
||||
"experimental_settings_title": "Experimental",
|
||||
"expire_after": "Expira depois de",
|
||||
"expired": "Expirou",
|
||||
"expires_date": "Expira a {date}",
|
||||
"expires_date": "Expira em {date}",
|
||||
"explore": "Explorar",
|
||||
"explorer": "Explorador",
|
||||
"export": "Exportar",
|
||||
@@ -991,12 +971,11 @@
|
||||
"external": "Externo",
|
||||
"external_libraries": "Bibliotecas externas",
|
||||
"external_network": "Rede externa",
|
||||
"external_network_sheet_info": "Quando não estiver ligado à rede Wi-Fi especificada, a aplicação irá ligar-se utilizando o primeiro URL abaixo que conseguir aceder, a começar do topo da lista para baixo",
|
||||
"external_network_sheet_info": "Quando não estiver ligado à rede Wi-Fi especificada, a aplicação irá ligar-se utilizando o primeiro URL abaixo que conseguir aceder, a começar do topo da lista para baixo.",
|
||||
"face_unassigned": "Sem atribuição",
|
||||
"failed": "Falhou",
|
||||
"failed_to_authenticate": "Não foi possível autenticar",
|
||||
"failed_to_load_assets": "Falha ao carregar ficheiros",
|
||||
"failed_to_load_folder": "Ocorreu um erro ao carregar a pasta",
|
||||
"failed_to_load_folder": "Failed to load folder",
|
||||
"favorite": "Favorito",
|
||||
"favorite_or_unfavorite_photo": "Marcar ou desmarcar a foto como favorita",
|
||||
"favorites": "Favoritos",
|
||||
@@ -1013,8 +992,8 @@
|
||||
"filter_places": "Filtrar lugares",
|
||||
"find_them_fast": "Encontre-as mais rapidamente pelo nome numa pesquisa",
|
||||
"fix_incorrect_match": "Corrigir correspondência incorreta",
|
||||
"folder": "Pasta",
|
||||
"folder_not_found": "Pasta não encontrada",
|
||||
"folder": "Folder",
|
||||
"folder_not_found": "Folder not found",
|
||||
"folders": "Pastas",
|
||||
"folders_feature_description": "Navegar na vista de pastas por fotos e vídeos no sistema de ficheiros",
|
||||
"forward": "Para a frente",
|
||||
@@ -1059,11 +1038,10 @@
|
||||
"home_page_delete_remote_err_local": "Foram selecionados arquivos locais para excluir remotamente, ignorando",
|
||||
"home_page_favorite_err_local": "Ainda não é possível adicionar recursos locais favoritos, ignorando",
|
||||
"home_page_favorite_err_partner": "Ainda não é possível marcar arquivos do parceiro como favoritos, ignorando",
|
||||
"home_page_first_time_notice": "Se é a primeira vez que utiliza a aplicação, certifique-se de que marca pelo menos um álbum do dispositivo para cópia de segurança, para a linha do tempo poder ser preenchida com fotos e vídeos",
|
||||
"home_page_locked_error_local": "Não foi possível mover ficheiros locais para a pasta trancada, a continuar",
|
||||
"home_page_locked_error_partner": "Não foi possível mover ficheiros do parceiro para a pasta trancada, a continuar",
|
||||
"home_page_first_time_notice": "Se é a primeira vez que utiliza o aplicativo, certifique-se de marcar um ou mais álbuns do dispositivo para backup, assim a linha do tempo será preenchida com as fotos e vídeos.",
|
||||
"home_page_share_err_local": "Não é possível compartilhar arquivos locais com um link, ignorando",
|
||||
"home_page_upload_err_limit": "Só é possível enviar 30 arquivos por vez, ignorando",
|
||||
"host": "Host",
|
||||
"hour": "Hora",
|
||||
"ignore_icloud_photos": "ignorar fotos no iCloud",
|
||||
"ignore_icloud_photos_description": "Fotos que estão armazenadas no iCloud não serão carregadas para o servidor do Immich",
|
||||
@@ -1115,6 +1093,7 @@
|
||||
"language_setting_description": "Selecione o seu Idioma preferido",
|
||||
"last_seen": "Visto pela ultima vez",
|
||||
"latest_version": "Versão mais recente",
|
||||
"latitude": "Latitude",
|
||||
"leave": "Sair",
|
||||
"lens_model": "Modelo de lente",
|
||||
"let_others_respond": "Permitir respostas",
|
||||
@@ -1139,14 +1118,12 @@
|
||||
"local_network": "Rede local",
|
||||
"local_network_sheet_info": "O aplicativo irá se conectar ao servidor através desta URL quando estiver na rede Wi-Fi especificada",
|
||||
"location_permission": "Permissão de localização",
|
||||
"location_permission_content": "Para utilizar a função de troca automática de URL, o Immich necessita da permissão de localização exata, para que seja possível ler o nome da rede Wi-Fi atual",
|
||||
"location_permission_content": "Para utilizar a função de troca automática de URL, é necessário a permissão de localização precisa, para que seja possível ler o nome da rede Wi-Fi.",
|
||||
"location_picker_choose_on_map": "Escolha no mapa",
|
||||
"location_picker_latitude_error": "Digite uma latitude válida",
|
||||
"location_picker_latitude_hint": "Digite a latitude",
|
||||
"location_picker_longitude_error": "Digite uma longitude válida",
|
||||
"location_picker_longitude_hint": "Digite a longitude",
|
||||
"lock": "Trancar",
|
||||
"locked_folder": "Pasta trancada",
|
||||
"log_out": "Sair",
|
||||
"log_out_all_devices": "Terminar a sessão de todos os dispositivos",
|
||||
"logged_out_all_devices": "Sessão terminada em todos os dispositivos",
|
||||
@@ -1176,6 +1153,7 @@
|
||||
"login_password_changed_success": "Senha atualizada com sucesso",
|
||||
"logout_all_device_confirmation": "Tem a certeza de que deseja terminar a sessão em todos os dispositivos?",
|
||||
"logout_this_device_confirmation": "Tem a certeza de que deseja terminar a sessão deste dispositivo?",
|
||||
"longitude": "Longitude",
|
||||
"look": "Estilo",
|
||||
"loop_videos": "Repetir vídeos",
|
||||
"loop_videos_description": "Ativar para repetir os vídeos automaticamente durante a exibição.",
|
||||
@@ -1190,8 +1168,8 @@
|
||||
"manage_your_devices": "Gerir os seus dispositivos com sessão iniciada",
|
||||
"manage_your_oauth_connection": "Gerir a sua ligação ao OAuth",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} fotos",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} fotos",
|
||||
"map_cannot_get_user_location": "Impossível obter a sua localização",
|
||||
"map_location_dialog_yes": "Sim",
|
||||
"map_location_picker_page_use_location": "Utilizar esta localização",
|
||||
@@ -1205,28 +1183,28 @@
|
||||
"map_settings": "Definições do mapa",
|
||||
"map_settings_dark_mode": "Modo escuro",
|
||||
"map_settings_date_range_option_day": "Últimas 24 horas",
|
||||
"map_settings_date_range_option_days": "Últimos {days} dias",
|
||||
"map_settings_date_range_option_days": "Últimos {} dias",
|
||||
"map_settings_date_range_option_year": "Último ano",
|
||||
"map_settings_date_range_option_years": "Últimos {years} anos",
|
||||
"map_settings_date_range_option_years": "Últimos {} anos",
|
||||
"map_settings_dialog_title": "Configurações do mapa",
|
||||
"map_settings_include_show_archived": "Incluir arquivados",
|
||||
"map_settings_include_show_partners": "Incluir parceiros",
|
||||
"map_settings_only_show_favorites": "Mostrar apenas favoritos",
|
||||
"map_settings_theme_settings": "Tema do mapa",
|
||||
"map_zoom_to_see_photos": "Diminua o zoom para ver mais fotos",
|
||||
"mark_all_as_read": "Marcar tudo como lido",
|
||||
"mark_as_read": "Marcar como lido",
|
||||
"marked_all_as_read": "Tudo marcado como lido",
|
||||
"matches": "Correspondências",
|
||||
"media_type": "Tipo de média",
|
||||
"memories": "Memórias",
|
||||
"memories_all_caught_up": "Finalizamos por hoje",
|
||||
"memories_check_back_tomorrow": "Volte amanhã para ver mais memórias",
|
||||
"memories_check_back_tomorrow": "Volte amanhã para ver mais lembranças ",
|
||||
"memories_setting_description": "Gerir o que vê nas suas memórias",
|
||||
"memories_start_over": "Ver de novo",
|
||||
"memories_swipe_to_close": "Deslize para cima para fechar",
|
||||
"memories_year_ago": "Um ano atrás",
|
||||
"memories_years_ago": "Há {} anos atrás",
|
||||
"memory": "Memória",
|
||||
"memory_lane_title": "Memórias {title}",
|
||||
"menu": "Menu",
|
||||
"merge": "Unir",
|
||||
"merge_people": "Unir pessoas",
|
||||
"merge_people_limit": "Só é possível unir até 5 rostos de cada vez",
|
||||
@@ -1238,13 +1216,8 @@
|
||||
"missing": "Em falta",
|
||||
"model": "Modelo",
|
||||
"month": "Mês",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Mais",
|
||||
"move": "Mover",
|
||||
"move_off_locked_folder": "Mover para fora da pasta trancada",
|
||||
"move_to_locked_folder": "Mover para a pasta trancada",
|
||||
"move_to_locked_folder_confirmation": "Estas fotos e vídeos serão removidas de todos os álbuns, e só serão visíveis na pasta trancada",
|
||||
"moved_to_archive": "{count, plural, one {Foi movido # ficheiro} other {Foram movidos # ficheiros}} para o arquivo",
|
||||
"moved_to_library": "{count, plural, one {Foi movido # ficheiro} other {Foram movidos # ficheiros}} para a biblioteca",
|
||||
"moved_to_trash": "Enviado para a reciclagem",
|
||||
"multiselect_grid_edit_date_time_err_read_only": "Não é possível editar a data de arquivo só leitura, ignorando",
|
||||
"multiselect_grid_edit_gps_err_read_only": "Não é possível editar a localização de arquivo só leitura, ignorando",
|
||||
@@ -1259,8 +1232,6 @@
|
||||
"new_api_key": "Nova Chave de API",
|
||||
"new_password": "Nova palavra-passe",
|
||||
"new_person": "Nova Pessoa",
|
||||
"new_pin_code": "Novo código PIN",
|
||||
"new_pin_code_subtitle": "Esta é a primeira vez que acede à pasta trancada. Crie um código PIN para aceder a esta página de forma segura",
|
||||
"new_user_created": "Novo utilizador criado",
|
||||
"new_version_available": "NOVA VERSÃO DISPONÍVEL",
|
||||
"newest_first": "Mais recente primeiro",
|
||||
@@ -1278,10 +1249,7 @@
|
||||
"no_explore_results_message": "Carregue mais fotos para explorar a sua coleção.",
|
||||
"no_favorites_message": "Adicione aos favoritos para encontrar as suas melhores fotos e vídeos rapidamente",
|
||||
"no_libraries_message": "Crie uma biblioteca externa para ver as suas fotos e vídeos",
|
||||
"no_locked_photos_message": "Fotos e vídeos na pasta trancada estão ocultos e não serão exibidos enquanto explora ou pesquisa na biblioteca.",
|
||||
"no_name": "Sem nome",
|
||||
"no_notifications": "Sem notificações",
|
||||
"no_people_found": "Nenhuma pessoa encontrada",
|
||||
"no_places": "Sem lugares",
|
||||
"no_results": "Sem resultados",
|
||||
"no_results_description": "Tente um sinónimo ou uma palavra-chave mais comum",
|
||||
@@ -1290,17 +1258,19 @@
|
||||
"not_selected": "Não selecionado",
|
||||
"note_apply_storage_label_to_previously_uploaded assets": "Nota: Para aplicar o Rótulo de Armazenamento a ficheiros carregados anteriormente, execute o",
|
||||
"notes": "Notas",
|
||||
"nothing_here_yet": "Ainda não existe nada aqui",
|
||||
"notification_permission_dialog_content": "Para ativar as notificações, vá em Configurações e selecione permitir.",
|
||||
"notification_permission_list_tile_content": "Conceder permissões para ativar notificações.",
|
||||
"notification_permission_list_tile_content": "Dar permissões para ativar notificações",
|
||||
"notification_permission_list_tile_enable_button": "Ativar notificações",
|
||||
"notification_permission_list_tile_title": "Permissão de notificações",
|
||||
"notification_toggle_setting_description": "Ativar notificações por e-mail",
|
||||
"notifications": "Notificações",
|
||||
"notifications_setting_description": "Gerir notificações",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Recursos oficiais do Immich",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Caminhos offline",
|
||||
"offline_paths_description": "Estes resultados podem ser devidos a ficheiros eliminados manualmente e que não fazem parte de uma biblioteca externa.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Mais antigo primeiro",
|
||||
"on_this_device": "Neste dispositivo",
|
||||
"onboarding": "Integração",
|
||||
@@ -1308,6 +1278,7 @@
|
||||
"onboarding_theme_description": "Escolha um tema de cor para sua instância. Pode alterar isto mais tarde nas suas definições.",
|
||||
"onboarding_welcome_description": "Vamos configurar a sua instância com algumas definições comuns.",
|
||||
"onboarding_welcome_user": "Bem-vindo(a), {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Apenas favoritos",
|
||||
"open": "Abrir",
|
||||
"open_in_map_view": "Abrir na visualização de mapa",
|
||||
@@ -1316,6 +1287,7 @@
|
||||
"options": "Opções",
|
||||
"or": "ou",
|
||||
"organize_your_library": "Organizar a sua biblioteca",
|
||||
"original": "original",
|
||||
"other": "Outro",
|
||||
"other_devices": "Outros dispositivos",
|
||||
"other_variables": "Outras variáveis",
|
||||
@@ -1332,7 +1304,7 @@
|
||||
"partner_page_partner_add_failed": "Falha ao adicionar parceiro",
|
||||
"partner_page_select_partner": "Selecionar parceiro",
|
||||
"partner_page_shared_to_title": "Compartilhar com",
|
||||
"partner_page_stop_sharing_content": "{partner} irá deixar de ter acesso às suas fotos.",
|
||||
"partner_page_stop_sharing_content": "{} irá deixar de ter acesso às suas fotos.",
|
||||
"partner_sharing": "Partilha com Parceiro",
|
||||
"partners": "Parceiros",
|
||||
"password": "Palavra-passe",
|
||||
@@ -1378,10 +1350,6 @@
|
||||
"photos_count": "{count, plural, one {{count, number} Foto} other {{count, number} Fotos}}",
|
||||
"photos_from_previous_years": "Fotos de anos anteriores",
|
||||
"pick_a_location": "Selecione uma localização",
|
||||
"pin_code_changed_successfully": "Código PIN alterado com sucesso",
|
||||
"pin_code_reset_successfully": "Código PIN reposto com sucesso",
|
||||
"pin_code_setup_successfully": "Código PIN configurado com sucesso",
|
||||
"pin_verification": "Verificação do código PIN",
|
||||
"place": "Lugar",
|
||||
"places": "Lugares",
|
||||
"places_count": "{count, plural, one {{count, number} Lugar} other {{count, number} Lugares}}",
|
||||
@@ -1389,7 +1357,6 @@
|
||||
"play_memories": "Reproduzir memórias",
|
||||
"play_motion_photo": "Reproduzir foto em movimento",
|
||||
"play_or_pause_video": "Reproduzir ou Pausar vídeo",
|
||||
"please_auth_to_access": "Por favor autentique-se para ter acesso",
|
||||
"port": "Porta",
|
||||
"preferences_settings_subtitle": "Gerenciar preferências do aplicativo",
|
||||
"preferences_settings_title": "Preferências",
|
||||
@@ -1400,11 +1367,11 @@
|
||||
"previous_or_next_photo": "Foto anterior ou próxima",
|
||||
"primary": "Primário",
|
||||
"privacy": "Privacidade",
|
||||
"profile": "Perfil",
|
||||
"profile_drawer_app_logs": "Registo",
|
||||
"profile_drawer_app_logs": "Logs",
|
||||
"profile_drawer_client_out_of_date_major": "O aplicativo está desatualizado. Por favor, atualize para a versão mais recente.",
|
||||
"profile_drawer_client_out_of_date_minor": "O aplicativo está desatualizado. Por favor, atualize para a versão mais recente.",
|
||||
"profile_drawer_client_server_up_to_date": "Cliente e Servidor atualizados",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "O servidor está desatualizado. Atualize para a versão principal mais recente.",
|
||||
"profile_drawer_server_out_of_date_minor": "O servidor está desatualizado. Atualize para a versão mais recente.",
|
||||
"profile_image_of_user": "Imagem de perfil de {user}",
|
||||
@@ -1413,7 +1380,7 @@
|
||||
"public_share": "Partilhar Publicamente",
|
||||
"purchase_account_info": "Apoiante",
|
||||
"purchase_activated_subtitle": "Agradecemos por apoiar o Immich e software de código aberto",
|
||||
"purchase_activated_time": "Ativado em {date}",
|
||||
"purchase_activated_time": "Ativado em {date, date}",
|
||||
"purchase_activated_title": "A sua chave foi ativada com sucesso",
|
||||
"purchase_button_activate": "Ativar",
|
||||
"purchase_button_buy": "Comprar",
|
||||
@@ -1458,8 +1425,6 @@
|
||||
"recent_searches": "Pesquisas recentes",
|
||||
"recently_added": "Adicionados Recentemente",
|
||||
"recently_added_page_title": "Adicionado recentemente",
|
||||
"recently_taken": "Tirada recentemente",
|
||||
"recently_taken_page_title": "Tiradas recentemente",
|
||||
"refresh": "Atualizar",
|
||||
"refresh_encoded_videos": "Atualizar vídeos codificados",
|
||||
"refresh_faces": "Atualizar rostos",
|
||||
@@ -1479,8 +1444,6 @@
|
||||
"remove_deleted_assets": "Remover ficheiros indisponíveis",
|
||||
"remove_from_album": "Remover do álbum",
|
||||
"remove_from_favorites": "Remover dos favoritos",
|
||||
"remove_from_locked_folder": "Remover da pasta trancada",
|
||||
"remove_from_locked_folder_confirmation": "Tem a certeza de que quer mover estas fotos e vídeos para fora da pasta trancada? Passarão a ser visíveis na biblioteca.",
|
||||
"remove_from_shared_link": "Remover do link partilhado",
|
||||
"remove_memory": "Remover memória",
|
||||
"remove_photo_from_memory": "Remover foto desta memória",
|
||||
@@ -1504,7 +1467,6 @@
|
||||
"reset": "Redefinir",
|
||||
"reset_password": "Redefinir palavra-passe",
|
||||
"reset_people_visibility": "Redefinir pessoas ocultas",
|
||||
"reset_pin_code": "Repor código PIN",
|
||||
"reset_to_default": "Repor predefinições",
|
||||
"resolve_duplicates": "Resolver itens duplicados",
|
||||
"resolved_all_duplicates": "Todos os itens duplicados resolvidos",
|
||||
@@ -1516,6 +1478,7 @@
|
||||
"retry_upload": "Tentar carregar novamente",
|
||||
"review_duplicates": "Rever itens duplicados",
|
||||
"role": "Função",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visualizador",
|
||||
"save": "Guardar",
|
||||
"save_to_gallery": "Salvar na galeria",
|
||||
@@ -1565,7 +1528,7 @@
|
||||
"search_page_no_places": "Nenhuma informação de local disponível",
|
||||
"search_page_screenshots": "Capturas de tela",
|
||||
"search_page_search_photos_videos": "Pesquise suas fotos e vídeos",
|
||||
"search_page_selfies": "Auto-retratos (Selfies)",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Objetos",
|
||||
"search_page_view_all_button": "Ver tudo",
|
||||
"search_page_your_activity": "A sua atividade",
|
||||
@@ -1576,7 +1539,7 @@
|
||||
"search_result_page_new_search_hint": "Nova Pesquisa",
|
||||
"search_settings": "Definições de pesquisa",
|
||||
"search_state": "Pesquisar estado/distrito...",
|
||||
"search_suggestion_list_smart_search_hint_1": "A pesquisa inteligente está ativada por omissão. Para pesquisar por metadados, utilize a sintaxe ",
|
||||
"search_suggestion_list_smart_search_hint_1": "A pesquisa inteligente está ativada por padrão. Para pesquisar metadados, utilize a sintaxe",
|
||||
"search_suggestion_list_smart_search_hint_2": "m:a-sua-pesquisa",
|
||||
"search_tags": "Pesquisar etiquetas...",
|
||||
"search_timezone": "Pesquisar fuso horário...",
|
||||
@@ -1596,7 +1559,6 @@
|
||||
"select_keep_all": "Selecionar manter todos",
|
||||
"select_library_owner": "Selecionar o dono da biblioteca",
|
||||
"select_new_face": "Selecionar novo rosto",
|
||||
"select_person_to_tag": "Selecione uma pessoa para etiquetar",
|
||||
"select_photos": "Selecionar fotos",
|
||||
"select_trash_all": "Selecionar todos para reciclagem",
|
||||
"select_user_for_sharing_page_err_album": "Falha ao criar o álbum",
|
||||
@@ -1627,12 +1589,12 @@
|
||||
"setting_languages_apply": "Aplicar",
|
||||
"setting_languages_subtitle": "Alterar o idioma do aplicativo",
|
||||
"setting_languages_title": "Idioma",
|
||||
"setting_notifications_notify_failures_grace_period": "Notificar erros da cópia de segurança em segundo plano: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} horas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notificar erros da cópia de segurança em segundo plano: {}",
|
||||
"setting_notifications_notify_hours": "{} horas",
|
||||
"setting_notifications_notify_immediately": "imediatamente",
|
||||
"setting_notifications_notify_minutes": "{count} minutos",
|
||||
"setting_notifications_notify_minutes": "{} minutos",
|
||||
"setting_notifications_notify_never": "Nunca",
|
||||
"setting_notifications_notify_seconds": "{count} segundos",
|
||||
"setting_notifications_notify_seconds": "{} segundos",
|
||||
"setting_notifications_single_progress_subtitle": "Informações detalhadas sobre o progresso do envio por arquivo",
|
||||
"setting_notifications_single_progress_title": "Mostrar progresso detalhado do backup em segundo plano",
|
||||
"setting_notifications_subtitle": "Ajuste as preferências de notificação",
|
||||
@@ -1644,12 +1606,10 @@
|
||||
"settings": "Definições",
|
||||
"settings_require_restart": "Reinicie o Immich para aplicar essa configuração",
|
||||
"settings_saved": "Definições guardadas",
|
||||
"setup_pin_code": "Configurar um código PIN",
|
||||
"share": "Partilhar",
|
||||
"share_add_photos": "Adicionar fotos",
|
||||
"share_assets_selected": "{count} selecionados",
|
||||
"share_assets_selected": "{} selecionado",
|
||||
"share_dialog_preparing": "Preparando...",
|
||||
"share_link": "Partilhar ligação",
|
||||
"shared": "Partilhado",
|
||||
"shared_album_activities_input_disable": "Comentários desativados",
|
||||
"shared_album_activity_remove_content": "Deseja apagar esta atividade?",
|
||||
@@ -1662,33 +1622,34 @@
|
||||
"shared_by_user": "Partilhado por {user}",
|
||||
"shared_by_you": "Partilhado por si",
|
||||
"shared_from_partner": "Fotos de {partner}",
|
||||
"shared_intent_upload_button_progress_text": "Enviados {current} de {total}",
|
||||
"shared_intent_upload_button_progress_text": "Enviados {} de {}",
|
||||
"shared_link_app_bar_title": "Links compartilhados",
|
||||
"shared_link_clipboard_copied_massage": "Copiado para a área de transferência",
|
||||
"shared_link_clipboard_text": "Ligação: {link}\nPalavra-passe: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nPalavra-passe: {}",
|
||||
"shared_link_create_error": "Erro ao criar o link compartilhado",
|
||||
"shared_link_edit_description_hint": "Digite a descrição do compartilhamento",
|
||||
"shared_link_edit_expire_after_option_day": "1 dia",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dias",
|
||||
"shared_link_edit_expire_after_option_days": "{} dias",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hora",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} horas",
|
||||
"shared_link_edit_expire_after_option_hours": "{} horas",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuto",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{count} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{count} ano",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{} ano",
|
||||
"shared_link_edit_password_hint": "Digite uma senha para proteger este link",
|
||||
"shared_link_edit_submit_button": "Atualizar link",
|
||||
"shared_link_error_server_url_fetch": "Erro ao abrir a URL do servidor",
|
||||
"shared_link_expires_day": "Expira {count} dia",
|
||||
"shared_link_expires_days": "Expira {count} dias",
|
||||
"shared_link_expires_hour": "Expira {count} hora",
|
||||
"shared_link_expires_hours": "Expira {count} horas",
|
||||
"shared_link_expires_minute": "Expira {count} minuto",
|
||||
"shared_link_expires_minutes": "Expira {count} minutos",
|
||||
"shared_link_expires_day": "Expira em {} dia",
|
||||
"shared_link_expires_days": "Expira em {} dias",
|
||||
"shared_link_expires_hour": "Expira em {} hora",
|
||||
"shared_link_expires_hours": "Expira em {} horas",
|
||||
"shared_link_expires_minute": "Expira em {} minuto",
|
||||
"shared_link_expires_minutes": "Expira em {} minutos",
|
||||
"shared_link_expires_never": "Expira ∞",
|
||||
"shared_link_expires_second": "Expira {count} segundo",
|
||||
"shared_link_expires_seconds": "Expira {count} segundos",
|
||||
"shared_link_expires_second": "Expira em {} segundo",
|
||||
"shared_link_expires_seconds": "Expira em {} segundos",
|
||||
"shared_link_individual_shared": "Compartilhamento único",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Gerenciar links compartilhados",
|
||||
"shared_link_options": "Opções de link partilhado",
|
||||
"shared_links": "Links partilhados",
|
||||
@@ -1750,6 +1711,7 @@
|
||||
"stack_select_one_photo": "Selecione uma foto principal para a pilha",
|
||||
"stack_selected_photos": "Empilhar fotos selecionadas",
|
||||
"stacked_assets_count": "Empilhado {count, plural, one {# ficheiro} other {# ficheiros}}",
|
||||
"stacktrace": "Stacktrace",
|
||||
"start": "Iniciar",
|
||||
"start_date": "Data de início",
|
||||
"state": "Estado/Distrito",
|
||||
@@ -1760,7 +1722,6 @@
|
||||
"stop_sharing_photos_with_user": "Deixar de partilhar as fotos com este utilizador",
|
||||
"storage": "Espaço de armazenamento",
|
||||
"storage_label": "Rótulo de Armazenamento",
|
||||
"storage_quota": "Quota de armazenamento",
|
||||
"storage_usage": "Utilizado {used} de {available}",
|
||||
"submit": "Enviar",
|
||||
"suggestions": "Sugestões",
|
||||
@@ -1787,12 +1748,12 @@
|
||||
"theme_selection": "Selecionar tema",
|
||||
"theme_selection_description": "Definir automaticamente o tema como claro ou escuro com base na preferência do sistema do seu navegador",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Mostrar indicador de armazenamento na grade de fotos",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Quantidade de ficheiros por linha ({count})",
|
||||
"theme_setting_colorful_interface_subtitle": "Aplica a cor primária ao fundo.",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Quantidade de ficheiros por linha ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Aplica a cor primária ao fundo",
|
||||
"theme_setting_colorful_interface_title": "Interface colorida",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Ajuste a qualidade do visualizador de imagens detalhadas",
|
||||
"theme_setting_image_viewer_quality_title": "Qualidade do visualizador de imagens",
|
||||
"theme_setting_primary_color_subtitle": "Selecione a cor primária, utilizada nas ações principais e nos realces.",
|
||||
"theme_setting_primary_color_subtitle": "Selecione a cor primária, usada nas ações principais e realces",
|
||||
"theme_setting_primary_color_title": "Cor primária",
|
||||
"theme_setting_system_primary_color_title": "Use a cor do sistema",
|
||||
"theme_setting_system_theme_switch": "Automático (Siga a configuração do sistema)",
|
||||
@@ -1812,6 +1773,7 @@
|
||||
"to_trash": "Reciclagem",
|
||||
"toggle_settings": "Alternar configurações",
|
||||
"toggle_theme": "Ativar modo escuro",
|
||||
"total": "Total",
|
||||
"total_usage": "Total utilizado",
|
||||
"trash": "Reciclagem",
|
||||
"trash_all": "Mover todos para a reciclagem",
|
||||
@@ -1821,15 +1783,13 @@
|
||||
"trash_no_results_message": "Fotos e vídeos enviados para a reciclagem aparecem aqui.",
|
||||
"trash_page_delete_all": "Excluir tudo",
|
||||
"trash_page_empty_trash_dialog_content": "Deseja esvaziar a lixera? Estes arquivos serão apagados de forma permanente do Immich",
|
||||
"trash_page_info": "Ficheiros na reciclagem irão ser eliminados permanentemente após {days} dias",
|
||||
"trash_page_info": "Ficheiros na reciclagem irão ser eliminados permanentemente após {} dias",
|
||||
"trash_page_no_assets": "Lixeira vazia",
|
||||
"trash_page_restore_all": "Restaurar tudo",
|
||||
"trash_page_select_assets_btn": "Selecionar arquivos",
|
||||
"trash_page_title": "Reciclagem ({count})",
|
||||
"trash_page_title": "Reciclagem ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Os itens da reciclagem são eliminados permanentemente após {days, plural, one {# dia} other {# dias}}.",
|
||||
"type": "Tipo",
|
||||
"unable_to_change_pin_code": "Não foi possível alterar o código PIN",
|
||||
"unable_to_setup_pin_code": "Não foi possível configurar o código PIN",
|
||||
"unarchive": "Desarquivar",
|
||||
"unarchived_count": "{count, plural, other {Não arquivado #}}",
|
||||
"unfavorite": "Remover favorito",
|
||||
@@ -1853,7 +1813,6 @@
|
||||
"untracked_files": "Ficheiros não monitorizados",
|
||||
"untracked_files_decription": "Estes ficheiros não são monitorizados pela aplicação. Podem ser resultados de falhas numa movimentação, carregamentos interrompidos, ou deixados para trás por causa de um problema",
|
||||
"up_next": "A seguir",
|
||||
"updated_at": "Atualizado a",
|
||||
"updated_password": "Palavra-passe atualizada",
|
||||
"upload": "Carregar",
|
||||
"upload_concurrency": "Carregamentos em simultâneo",
|
||||
@@ -1866,18 +1825,15 @@
|
||||
"upload_status_errors": "Erros",
|
||||
"upload_status_uploaded": "Enviado",
|
||||
"upload_success": "Carregamento realizado com sucesso, atualize a página para ver os novos ficheiros carregados.",
|
||||
"upload_to_immich": "Enviar para o Immich ({count})",
|
||||
"upload_to_immich": "Enviar para o Immich ({})",
|
||||
"uploading": "Enviando",
|
||||
"url": "URL",
|
||||
"usage": "Utilização",
|
||||
"use_biometric": "Utilizar dados biométricos",
|
||||
"use_current_connection": "usar conexão atual",
|
||||
"use_custom_date_range": "Utilizar um intervalo de datas personalizado",
|
||||
"user": "Utilizador",
|
||||
"user_has_been_deleted": "Este utilizador for eliminado.",
|
||||
"user_id": "ID do utilizador",
|
||||
"user_liked": "{user} gostou {type, select, photo {desta fotografia} video {deste video} asset {deste ficheiro} other {disto}}",
|
||||
"user_pin_code_settings": "Código PIN",
|
||||
"user_pin_code_settings_description": "Gerir o seu código PIN",
|
||||
"user_purchase_settings": "Comprar",
|
||||
"user_purchase_settings_description": "Gerir a sua compra",
|
||||
"user_role_set": "Definir {user} como {role}",
|
||||
@@ -1896,7 +1852,7 @@
|
||||
"version_announcement_overlay_release_notes": "notas da versão",
|
||||
"version_announcement_overlay_text_1": "Olá, há um novo lançamento de",
|
||||
"version_announcement_overlay_text_2": "por favor, Verifique com calma as ",
|
||||
"version_announcement_overlay_text_3": " e certifique-se de que a configuração do docker-compose e do ficheiro .env estejam atualizadas para evitar configurações incorretas, especialmente se utilizar o WatchTower ou qualquer outro mecanismo que faça atualização automática do servidor.",
|
||||
"version_announcement_overlay_text_3": "e certifique-se de que a configuração do docker-compose e do arquivo .env estejam atualizadas para evitar configurações incorretas, especialmente se utiliza o WatchTower ou qualquer outro mecanismo que faça atualização automática do servidor.",
|
||||
"version_announcement_overlay_title": "Nova versão do servidor disponível 🎉",
|
||||
"version_history": "Histórico de versões",
|
||||
"version_history_item": "Instalado {version} em {date}",
|
||||
@@ -1926,12 +1882,11 @@
|
||||
"week": "Semana",
|
||||
"welcome": "Bem-vindo(a)",
|
||||
"welcome_to_immich": "Bem-vindo(a) ao Immich",
|
||||
"wifi_name": "Nome da rede Wi-Fi",
|
||||
"wrong_pin_code": "Código PIN errado",
|
||||
"wifi_name": "Nome do Wi-Fi",
|
||||
"year": "Ano",
|
||||
"years_ago": "Há {years, plural, one {# ano} other {# anos}} atrás",
|
||||
"yes": "Sim",
|
||||
"you_dont_have_any_shared_links": "Não tem links partilhados",
|
||||
"your_wifi_name": "Nome da sua rede Wi-Fi",
|
||||
"your_wifi_name": "Nome do seu Wi-Fi",
|
||||
"zoom_image": "Ampliar/Reduzir imagem"
|
||||
}
|
||||
|
||||
188
i18n/pt_BR.json
188
i18n/pt_BR.json
@@ -110,9 +110,9 @@
|
||||
"library_watching_enable_description": "Observe bibliotecas externas para alterações de arquivos",
|
||||
"library_watching_settings": "Observação de biblioteca (EXPERIMENTAL)",
|
||||
"library_watching_settings_description": "Observe automaticamente os arquivos alterados",
|
||||
"logging_enable_description": "Habilitar logs",
|
||||
"logging_enable_description": "Habilitar registro",
|
||||
"logging_level_description": "Quando ativado, qual nível de log usar.",
|
||||
"logging_settings": "Logs",
|
||||
"logging_settings": "Registros",
|
||||
"machine_learning_clip_model": "Modelo CLIP",
|
||||
"machine_learning_clip_model_description": "O nome de um modelo CLIP listado <link>aqui</link>. Lembre-se de executar novamente a tarefa de 'Pesquisa Inteligente' para todas as imagens após alterar o modelo.",
|
||||
"machine_learning_duplicate_detection": "Detecção de duplicidade",
|
||||
@@ -143,7 +143,7 @@
|
||||
"machine_learning_smart_search_enabled_description": "Se desativado, as imagens não serão codificadas para pesquisa inteligente.",
|
||||
"machine_learning_url_description": "A URL do servidor de aprendizado de máquina. Se mais de uma URL for fornecida, elas serão tentadas, uma de cada vez e na ordem indicada, até que uma responda com sucesso. Servidores que não responderem serão ignorados temporariamente até voltarem a estar conectados.",
|
||||
"manage_concurrency": "Gerenciar simultaneidade",
|
||||
"manage_log_settings": "Gerenciar configurações de log",
|
||||
"manage_log_settings": "Gerenciar configurações de registro",
|
||||
"map_dark_style": "Tema Escuro",
|
||||
"map_enable_description": "Ativar recursos do mapa",
|
||||
"map_gps_settings": "Mapa e Configurações de GPS",
|
||||
@@ -369,7 +369,7 @@
|
||||
"advanced": "Avançado",
|
||||
"advanced_settings_enable_alternate_media_filter_subtitle": "Use esta opção para filtrar mídias durante a sincronização com base em critérios alternativos. Tente esta opção somente se o aplicativo estiver com problemas para detectar todos os álbuns.",
|
||||
"advanced_settings_enable_alternate_media_filter_title": "[EXPERIMENTAL] Utilizar filtro alternativo de sincronização de álbum de dispositivo",
|
||||
"advanced_settings_log_level_title": "Nível de log: {level}",
|
||||
"advanced_settings_log_level_title": "Nível de log: {}",
|
||||
"advanced_settings_prefer_remote_subtitle": "Alguns dispositivos são extremamente lentos para carregar as miniaturas locais. Ative esta opção para preferir imagens do servidor.",
|
||||
"advanced_settings_prefer_remote_title": "Preferir imagens do servidor",
|
||||
"advanced_settings_proxy_headers_subtitle": "Defina os cabeçalhos do proxy que o Immich deve enviar em todas comunicações com a rede",
|
||||
@@ -399,9 +399,10 @@
|
||||
"album_remove_user": "Remover usuário?",
|
||||
"album_remove_user_confirmation": "Tem certeza de que deseja remover {user}?",
|
||||
"album_share_no_users": "Parece que você já compartilhou este álbum com todos os usuários ou não há nenhum usuário para compartilhar.",
|
||||
"album_thumbnail_card_items": "{count} itens",
|
||||
"album_thumbnail_card_item": "1 item",
|
||||
"album_thumbnail_card_items": "{} itens",
|
||||
"album_thumbnail_card_shared": " · Compartilhado",
|
||||
"album_thumbnail_shared_by": "Compartilhado por {user}",
|
||||
"album_thumbnail_shared_by": "Compartilhado por {}",
|
||||
"album_updated": "Álbum atualizado",
|
||||
"album_updated_setting_description": "Receba uma notificação por e-mail quando um álbum compartilhado tiver novos recursos",
|
||||
"album_user_left": "Saiu do álbum {album}",
|
||||
@@ -439,7 +440,7 @@
|
||||
"archive": "Arquivados",
|
||||
"archive_or_unarchive_photo": "Arquivar ou desarquivar foto",
|
||||
"archive_page_no_archived_assets": "Nenhum arquivo encontrado",
|
||||
"archive_page_title": "Arquivados ({count})",
|
||||
"archive_page_title": "Arquivados ({})",
|
||||
"archive_size": "Tamanho do arquivo",
|
||||
"archive_size_description": "Configure o tamanho do arquivo para baixar (em GiB)",
|
||||
"archived": "Arquivado",
|
||||
@@ -459,6 +460,7 @@
|
||||
"asset_list_layout_settings_group_automatically": "Automático",
|
||||
"asset_list_layout_settings_group_by": "Agrupar arquivos por",
|
||||
"asset_list_layout_settings_group_by_month_day": "Mês + dia",
|
||||
"asset_list_layout_sub_title": "Layout",
|
||||
"asset_list_settings_subtitle": "Configurações de layout da grade de fotos",
|
||||
"asset_list_settings_title": "Grade de Fotos",
|
||||
"asset_offline": "Arquivo indisponível",
|
||||
@@ -475,18 +477,18 @@
|
||||
"assets_added_to_album_count": "{count, plural, one {# arquivo adicionado} other {# arquivos adicionados}} ao álbum",
|
||||
"assets_added_to_name_count": "{count, plural, one {# arquivo adicionado} other {# arquivos adicionados}} {hasName, select, true {ao álbum <b>{name}</b>} other {em um novo álbum}}",
|
||||
"assets_count": "{count, plural, one {# arquivo} other {# arquivos}}",
|
||||
"assets_deleted_permanently": "{count} arquivo(s) deletado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{count} arquivo(s) deletado(s) permanentemente do servidor Immich",
|
||||
"assets_deleted_permanently": "{} arquivo(s) deletado(s) permanentemente",
|
||||
"assets_deleted_permanently_from_server": "{} arquivo(s) deletado(s) permanentemente do servidor Immich",
|
||||
"assets_moved_to_trash_count": "{count, plural, one {# arquivo movido} other {# arquivos movidos}} para a lixeira",
|
||||
"assets_permanently_deleted_count": "{count, plural, one {# arquivo excluído permanentemente} other {# arquivos excluídos permanentemente}}",
|
||||
"assets_removed_count": "{count, plural, one {# arquivo removido} other {# arquivos removidos}}",
|
||||
"assets_removed_permanently_from_device": "{count} arquivo(s) removido(s) permanentemente do seu dispositivo",
|
||||
"assets_removed_permanently_from_device": "{} arquivo(s) removido(s) permanentemente do seu dispositivo",
|
||||
"assets_restore_confirmation": "Tem certeza de que deseja restaurar todos os seus arquivos na lixeira? Esta ação não pode ser desfeita! Nota: Arquivos externos não podem ser restaurados desta maneira.",
|
||||
"assets_restored_count": "{count, plural, one {# arquivo restaurado} other {# arquivos restaurados}}",
|
||||
"assets_restored_successfully": "{count} arquivo(s) restaurado(s)",
|
||||
"assets_trashed": "{count} arquivo enviado para a lixeira",
|
||||
"assets_restored_successfully": "{} arquivo(s) restaurado(s)",
|
||||
"assets_trashed": "{} arquivo enviado para a lixeira",
|
||||
"assets_trashed_count": "{count, plural, one {# arquivo movido para a lixeira} other {# arquivos movidos para a lixeira}}",
|
||||
"assets_trashed_from_server": "{count} arquivos foram enviados para a lixeira",
|
||||
"assets_trashed_from_server": "{} arquivos foram enviados para a lixeira",
|
||||
"assets_were_part_of_album_count": "{count, plural, one {O arquivo já faz} other {Os arquivos já fazem}} parte do álbum",
|
||||
"authorized_devices": "Dispositivos Autorizados",
|
||||
"automatic_endpoint_switching_subtitle": "Conecte-se localmente quando estiver em uma rede uma Wi-Fi específica e use conexões alternativas em outras redes",
|
||||
@@ -495,7 +497,7 @@
|
||||
"back_close_deselect": "Voltar, fechar ou desmarcar",
|
||||
"background_location_permission": "Permissão de localização em segundo plano",
|
||||
"background_location_permission_content": "Para que seja possível trocar a URL quando estiver executando em segundo plano, o Immich deve *sempre* ter a permissão de localização precisa para que o aplicativo consiga ler o nome da rede Wi-Fi",
|
||||
"backup_album_selection_page_albums_device": "Álbuns no dispositivo ({count})",
|
||||
"backup_album_selection_page_albums_device": "Álbuns no dispositivo ({})",
|
||||
"backup_album_selection_page_albums_tap": "Toque para incluir, toque duas vezes para excluir",
|
||||
"backup_album_selection_page_assets_scatter": "Os recursos podem se espalhar por vários álbuns. Assim, os álbuns podem ser incluídos ou excluídos durante o processo de backup.",
|
||||
"backup_album_selection_page_select_albums": "Selecionar álbuns",
|
||||
@@ -504,34 +506,37 @@
|
||||
"backup_all": "Todos",
|
||||
"backup_background_service_backup_failed_message": "Falha ao fazer backup. Tentando novamente…",
|
||||
"backup_background_service_connection_failed_message": "Falha na conexão com o servidor. Tentando novamente…",
|
||||
"backup_background_service_current_upload_notification": "Enviando {filename}",
|
||||
"backup_background_service_default_notification": "Verificando se há novos arquivos…",
|
||||
"backup_background_service_current_upload_notification": "Enviando {}",
|
||||
"backup_background_service_default_notification": "Checking for new assets…",
|
||||
"backup_background_service_error_title": "Erro no backup",
|
||||
"backup_background_service_in_progress_notification": "Fazendo backup de seus ativos…",
|
||||
"backup_background_service_upload_failure_notification": "Falha ao enviar {filename}",
|
||||
"backup_background_service_upload_failure_notification": "Falha ao enviar {}",
|
||||
"backup_controller_page_albums": "Álbuns de backup",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Para utilizar o backup em segundo plano, ative a atualização da aplicação em segundo plano em Configurações > Geral > Atualização em 2º plano.",
|
||||
"backup_controller_page_background_app_refresh_disabled_content": "Para utilizar o backup em segundo plano, ative a atualização da aplicação em segundo plano em Configurações > Geral > Atualização em 2º plano",
|
||||
"backup_controller_page_background_app_refresh_disabled_title": "Atualização em 2º plano desativada",
|
||||
"backup_controller_page_background_app_refresh_enable_button_text": "Ir para as configurações",
|
||||
"backup_controller_page_background_battery_info_link": "Mostre-me como",
|
||||
"backup_controller_page_background_battery_info_message": "Para uma melhor experiência de backup em segundo plano, desative todas as otimizações de bateria que restrinjam a atividade em segundo plano do Immich.\n\nComo isso é específico por dispositivo, consulte as informações de como fazer isso com o fabricante do seu dispositivo.",
|
||||
"backup_controller_page_background_battery_info_ok": "OK",
|
||||
"backup_controller_page_background_battery_info_title": "Otimizações de bateria",
|
||||
"backup_controller_page_background_charging": "Apenas durante o carregamento",
|
||||
"backup_controller_page_background_configure_error": "Falha ao configurar o serviço em segundo plano",
|
||||
"backup_controller_page_background_delay": "Adiar backup de novos arquivos: {duration}",
|
||||
"backup_controller_page_background_delay": "Adiar backup de novos arquivos: {}",
|
||||
"backup_controller_page_background_description": "Ative o serviço em segundo plano para fazer backup automático de novos ativos sem precisar abrir o aplicativo",
|
||||
"backup_controller_page_background_is_off": "O backup automático em segundo plano está desativado",
|
||||
"backup_controller_page_background_is_on": "O backup automático em segundo plano está ativado",
|
||||
"backup_controller_page_background_turn_off": "Desativar o serviço em segundo plano",
|
||||
"backup_controller_page_background_turn_on": "Ativar o serviço em segundo plano",
|
||||
"backup_controller_page_background_wifi": "Apenas no Wi-Fi",
|
||||
"backup_controller_page_backup": "Backup",
|
||||
"backup_controller_page_backup_selected": "Selecionado: ",
|
||||
"backup_controller_page_backup_sub": "Backup de fotos e vídeos",
|
||||
"backup_controller_page_created": "Criado em: {date}",
|
||||
"backup_controller_page_created": "Criado em: {}",
|
||||
"backup_controller_page_desc_backup": "Ative o backup para carregar automaticamente novos ativos no servidor.",
|
||||
"backup_controller_page_excluded": "Excluído: ",
|
||||
"backup_controller_page_failed": "Falhou ({count})",
|
||||
"backup_controller_page_filename": "Nome do arquivo: {filename} [{size}]",
|
||||
"backup_controller_page_failed": "Falhou ({})",
|
||||
"backup_controller_page_filename": "Nome do arquivo: {} [{}]",
|
||||
"backup_controller_page_id": "ID: {}",
|
||||
"backup_controller_page_info": "Informações de backup",
|
||||
"backup_controller_page_none_selected": "Nenhum selecionado",
|
||||
"backup_controller_page_remainder": "Restante",
|
||||
@@ -540,7 +545,7 @@
|
||||
"backup_controller_page_start_backup": "Iniciar backup",
|
||||
"backup_controller_page_status_off": "O backup está desativado",
|
||||
"backup_controller_page_status_on": "O backup está ativado",
|
||||
"backup_controller_page_storage_format": "{used} de {total} usados",
|
||||
"backup_controller_page_storage_format": "{} de {} usados",
|
||||
"backup_controller_page_to_backup": "Álbuns para backup",
|
||||
"backup_controller_page_total_sub": "Todas as fotos e vídeos únicos dos álbuns selecionados",
|
||||
"backup_controller_page_turn_off": "Desativar o backup",
|
||||
@@ -565,21 +570,21 @@
|
||||
"bulk_keep_duplicates_confirmation": "Tem certeza de que deseja manter {count, plural, one {# arquivo duplicado} other {# arquivos duplicados}}? Isso resolverá todos os grupos duplicados sem excluir nada.",
|
||||
"bulk_trash_duplicates_confirmation": "Tem a certeza de que deseja mover para a lixeira {count, plural, one {# arquivo duplicado} other {# arquivos duplicados}}? Isso manterá o maior arquivo de cada grupo e moverá para a lixeira todas as outras duplicidades.",
|
||||
"buy": "Comprar o Immich",
|
||||
"cache_settings_album_thumbnails": "Miniaturas da biblioteca ({count} arquivos)",
|
||||
"cache_settings_album_thumbnails": "Miniaturas da biblioteca ({} arquivos)",
|
||||
"cache_settings_clear_cache_button": "Limpar o cache",
|
||||
"cache_settings_clear_cache_button_title": "Limpa o cache do aplicativo. Isso afetará significativamente o desempenho do aplicativo até que o cache seja reconstruído.",
|
||||
"cache_settings_duplicated_assets_clear_button": "LIMPAR",
|
||||
"cache_settings_duplicated_assets_subtitle": "Fotos e vídeos que são bloqueados pelo app",
|
||||
"cache_settings_duplicated_assets_title": "Arquivos duplicados ({count})",
|
||||
"cache_settings_image_cache_size": "Tamanho do cache de imagens ({count} arquivos)",
|
||||
"cache_settings_duplicated_assets_title": "Arquivos duplicados ({})",
|
||||
"cache_settings_image_cache_size": "Tamanho do cache de imagens ({} arquivos)",
|
||||
"cache_settings_statistics_album": "Miniaturas da biblioteca",
|
||||
"cache_settings_statistics_assets": "{count} arquivos ({size})",
|
||||
"cache_settings_statistics_assets": "{} arquivos ({})",
|
||||
"cache_settings_statistics_full": "Imagens completas",
|
||||
"cache_settings_statistics_shared": "Miniaturas de álbuns compartilhados",
|
||||
"cache_settings_statistics_thumbnail": "Miniaturas",
|
||||
"cache_settings_statistics_title": "Uso do cache",
|
||||
"cache_settings_subtitle": "Controle o comportamento de cache do aplicativo Immich",
|
||||
"cache_settings_thumbnail_size": "Tamanho do cache de miniaturas ({count} arquivos)",
|
||||
"cache_settings_thumbnail_size": "Tamanho do cache de miniaturas ({} arquivos)",
|
||||
"cache_settings_tile_subtitle": "Controle o comportamento do armazenamento local",
|
||||
"cache_settings_tile_title": "Armazenamento Local",
|
||||
"cache_settings_title": "Configurações de cache",
|
||||
@@ -611,7 +616,7 @@
|
||||
"check_corrupt_asset_backup": "Verifique se há backups corrompidos",
|
||||
"check_corrupt_asset_backup_button": "Verificar",
|
||||
"check_corrupt_asset_backup_description": "Execute esta verificação somente em uma rede Wi-Fi e quando o backup de todos os arquivos já estiver concluído. O processo demora alguns minutos.",
|
||||
"check_logs": "Ver logs",
|
||||
"check_logs": "Verificar registros",
|
||||
"choose_matching_people_to_merge": "Escolha pessoas correspondentes para mesclar",
|
||||
"city": "Cidade",
|
||||
"clear": "Limpar",
|
||||
@@ -619,6 +624,7 @@
|
||||
"clear_all_recent_searches": "Limpar todas as buscas recentes",
|
||||
"clear_message": "Limpar mensagem",
|
||||
"clear_value": "Limpar valor",
|
||||
"client_cert_dialog_msg_confirm": "OK",
|
||||
"client_cert_enter_password": "Digite a senha",
|
||||
"client_cert_import": "Importar",
|
||||
"client_cert_import_success_msg": "Certificado do cliente importado",
|
||||
@@ -648,7 +654,7 @@
|
||||
"contain": "Caber",
|
||||
"context": "Contexto",
|
||||
"continue": "Continuar",
|
||||
"control_bottom_app_bar_album_info_shared": "{count} arquivos · Compartilhado",
|
||||
"control_bottom_app_bar_album_info_shared": "{} arquivos · Compartilhado",
|
||||
"control_bottom_app_bar_create_new_album": "Criar novo álbum",
|
||||
"control_bottom_app_bar_delete_from_immich": "Excluir do Immich",
|
||||
"control_bottom_app_bar_delete_from_local": "Excluir do dispositivo",
|
||||
@@ -692,13 +698,13 @@
|
||||
"current_server_address": "Endereço atual do servidor",
|
||||
"custom_locale": "Localização Customizada",
|
||||
"custom_locale_description": "Formatar datas e números baseados na linguagem e região",
|
||||
"daily_title_text_date": "E, dd MMM",
|
||||
"daily_title_text_date_year": "E, dd MMM, yyyy",
|
||||
"daily_title_text_date": "E, MMM dd",
|
||||
"daily_title_text_date_year": "E, MMM dd, yyyy",
|
||||
"dark": "Escuro",
|
||||
"date_after": "Data após",
|
||||
"date_and_time": "Data e Hora",
|
||||
"date_before": "Data antes",
|
||||
"date_format": "E, d LLL, y • h:mm a",
|
||||
"date_format": "E, LLL d, y • h:mm a",
|
||||
"date_of_birth_saved": "Data de nascimento salvo com sucesso",
|
||||
"date_range": "Intervalo de datas",
|
||||
"day": "Dia",
|
||||
@@ -740,6 +746,7 @@
|
||||
"direction": "Direção",
|
||||
"disabled": "Desativado",
|
||||
"disallow_edits": "Não permitir edições",
|
||||
"discord": "Discord",
|
||||
"discover": "Descobrir",
|
||||
"dismiss_all_errors": "Dispensar todos os erros",
|
||||
"dismiss_error": "Dispensar erro",
|
||||
@@ -756,7 +763,7 @@
|
||||
"download_enqueue": "Na fila",
|
||||
"download_error": "Erro ao baixar",
|
||||
"download_failed": "Falha",
|
||||
"download_filename": "arquivo: {filename}",
|
||||
"download_filename": "arquivo: {}",
|
||||
"download_finished": "Concluído",
|
||||
"download_include_embedded_motion_videos": "Vídeos inclusos",
|
||||
"download_include_embedded_motion_videos_description": "Baixar os vídeos inclusos de uma foto em movimento em um arquivo separado",
|
||||
@@ -812,7 +819,7 @@
|
||||
"error_change_sort_album": "Falha ao alterar a ordem de exibição",
|
||||
"error_delete_face": "Erro ao remover face do arquivo",
|
||||
"error_loading_image": "Erro ao carregar a página",
|
||||
"error_saving_image": "Erro: {error}",
|
||||
"error_saving_image": "Erro: {}",
|
||||
"error_title": "Erro - Algo deu errado",
|
||||
"errors": {
|
||||
"cannot_navigate_next_asset": "Não foi possível navegar para o próximo arquivo",
|
||||
@@ -942,20 +949,22 @@
|
||||
"unable_to_update_user": "Não foi possível atualizar o usuário",
|
||||
"unable_to_upload_file": "Não foi possível carregar o arquivo"
|
||||
},
|
||||
"exif": "Exif",
|
||||
"exif_bottom_sheet_description": "Adicionar descrição...",
|
||||
"exif_bottom_sheet_details": "DETALHES",
|
||||
"exif_bottom_sheet_location": "LOCALIZAÇÃO",
|
||||
"exif_bottom_sheet_people": "PESSOAS",
|
||||
"exif_bottom_sheet_person_add_person": "Adicionar nome",
|
||||
"exif_bottom_sheet_person_age": "Idade {age}",
|
||||
"exif_bottom_sheet_person_age_months": "Idade {months} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Idade 1 ano, {months} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Idade {years}",
|
||||
"exif_bottom_sheet_person_age": "Idade {}",
|
||||
"exif_bottom_sheet_person_age_months": "Idade {} meses",
|
||||
"exif_bottom_sheet_person_age_year_months": "Idade 1 ano, {} meses",
|
||||
"exif_bottom_sheet_person_age_years": "Idade {}",
|
||||
"exit_slideshow": "Sair da apresentação",
|
||||
"expand_all": "Expandir tudo",
|
||||
"experimental_settings_new_asset_list_subtitle": "Em andamento",
|
||||
"experimental_settings_new_asset_list_title": "Ativar grade de fotos experimental",
|
||||
"experimental_settings_subtitle": "Use por sua conta e risco!",
|
||||
"experimental_settings_title": "Experimental",
|
||||
"expire_after": "Expira depois",
|
||||
"expired": "Expirou",
|
||||
"expires_date": "Expira em {date}",
|
||||
@@ -967,7 +976,7 @@
|
||||
"external": "Externo",
|
||||
"external_libraries": "Bibliotecas externas",
|
||||
"external_network": "Rede externa",
|
||||
"external_network_sheet_info": "Quando não estiver na rede Wi-Fi especificada, o aplicativo irá se conectar usando a primeira URL abaixo que obtiver sucesso, começando do topo da lista para baixo",
|
||||
"external_network_sheet_info": "Quando não estiver na rede Wi-Fi especificada, o aplicativo irá se conectar usando a primeira URL abaixo que obtiver sucesso, começando do topo da lista para baixo.",
|
||||
"face_unassigned": "Sem nome",
|
||||
"failed": "Falhou",
|
||||
"failed_to_load_assets": "Falha ao carregar arquivos",
|
||||
@@ -1034,9 +1043,10 @@
|
||||
"home_page_delete_remote_err_local": "Foram selecionados arquivos locais para excluir remotamente, ignorando",
|
||||
"home_page_favorite_err_local": "Ainda não é possível adicionar arquivos locais aos favoritos, ignorando",
|
||||
"home_page_favorite_err_partner": "Ainda não é possível marcar arquivos do parceiro como favoritos, ignorando",
|
||||
"home_page_first_time_notice": "Se é a primeira vez que utiliza o aplicativo, certifique-se de marcar um ou mais álbuns do dispositivo para backup, assim a linha do tempo será preenchida com as fotos e vídeos",
|
||||
"home_page_first_time_notice": "Se é a primeira vez que utiliza o aplicativo, certifique-se de marcar um ou mais álbuns do dispositivo para backup, assim a linha do tempo será preenchida com as fotos e vídeos.",
|
||||
"home_page_share_err_local": "Não é possível compartilhar arquivos locais com um link, ignorando",
|
||||
"home_page_upload_err_limit": "Só é possível enviar 30 arquivos de cada vez, ignorando",
|
||||
"host": "Host",
|
||||
"hour": "Hora",
|
||||
"ignore_icloud_photos": "Ignorar fotos do iCloud",
|
||||
"ignore_icloud_photos_description": "Fotos que estão armazenadas no iCloud não serão enviadas para o servidor do Immich",
|
||||
@@ -1088,6 +1098,7 @@
|
||||
"language_setting_description": "Selecione seu Idioma preferido",
|
||||
"last_seen": "Visto pela ultima vez",
|
||||
"latest_version": "Versão mais recente",
|
||||
"latitude": "Latitude",
|
||||
"leave": "Sair",
|
||||
"lens_model": "Modelo da lente",
|
||||
"let_others_respond": "Permitir respostas",
|
||||
@@ -1112,7 +1123,7 @@
|
||||
"local_network": "Rede local",
|
||||
"local_network_sheet_info": "O aplicativo irá se conectar ao servidor através desta URL quando estiver na rede Wi-Fi especificada",
|
||||
"location_permission": "Permissão de localização",
|
||||
"location_permission_content": "Para utilizar a função de troca automática de URL é necessário a permissão de localização precisa, para que seja possível ler o nome da rede Wi-Fi",
|
||||
"location_permission_content": "Para utilizar a função de troca automática de URL, é necessário a permissão de localização precisa, para que seja possível ler o nome da rede Wi-Fi.",
|
||||
"location_picker_choose_on_map": "Escolha no mapa",
|
||||
"location_picker_latitude_error": "Digite uma latitude válida",
|
||||
"location_picker_latitude_hint": "Digite a latitude",
|
||||
@@ -1126,17 +1137,19 @@
|
||||
"login_disabled": "Login desativado",
|
||||
"login_form_api_exception": "Erro de API. Verifique a URL do servidor e tente novamente.",
|
||||
"login_form_back_button_text": "Voltar",
|
||||
"login_form_endpoint_hint": "http://ip-do-seu-servidor:porta",
|
||||
"login_form_endpoint_url": "URL do servidor",
|
||||
"login_form_err_http": "Por favor especifique http:// ou https://",
|
||||
"login_form_email_hint": "youremail@email.com",
|
||||
"login_form_endpoint_hint": "http://your-server-ip:port",
|
||||
"login_form_endpoint_url": "Server Endpoint URL",
|
||||
"login_form_err_http": "Please specify http:// or https://",
|
||||
"login_form_err_invalid_email": "E-mail inválido",
|
||||
"login_form_err_invalid_url": "URL Inválida",
|
||||
"login_form_err_leading_whitespace": "Há um espaço em branco no início",
|
||||
"login_form_err_trailing_whitespace": "Há um espaço em branco no fim",
|
||||
"login_form_err_leading_whitespace": "Leading whitespace",
|
||||
"login_form_err_trailing_whitespace": "Trailing whitespace",
|
||||
"login_form_failed_get_oauth_server_config": "Erro de login com OAuth, verifique a URL do servidor",
|
||||
"login_form_failed_get_oauth_server_disable": "O recurso OAuth não está disponível neste servidor",
|
||||
"login_form_failed_login": "Erro ao fazer login, verifique a url do servidor, e-mail e senha",
|
||||
"login_form_handshake_exception": "Houve um erro de autorização com o servidor. Se estiver utilizando um certificado auto assinado, ative o suporte a isso nas configurações.",
|
||||
"login_form_password_hint": "password",
|
||||
"login_form_save_login": "Permaneçer conectado",
|
||||
"login_form_server_empty": "Digite a URL do servidor.",
|
||||
"login_form_server_error": "Não foi possível conectar ao servidor.",
|
||||
@@ -1145,6 +1158,7 @@
|
||||
"login_password_changed_success": "Senha atualizada com sucesso",
|
||||
"logout_all_device_confirmation": "Tem certeza de que deseja sair de todos os dispositivos?",
|
||||
"logout_this_device_confirmation": "Tem certeza de que deseja sair deste dispositivo?",
|
||||
"longitude": "Longitude",
|
||||
"look": "Estilo",
|
||||
"loop_videos": "Repetir vídeos",
|
||||
"loop_videos_description": "Ative para repetir os vídeos automaticamente durante a exibição.",
|
||||
@@ -1159,8 +1173,8 @@
|
||||
"manage_your_devices": "Gerenciar seus dispositivos logados",
|
||||
"manage_your_oauth_connection": "Gerenciar sua conexão OAuth",
|
||||
"map": "Mapa",
|
||||
"map_assets_in_bound": "{count} foto",
|
||||
"map_assets_in_bounds": "{count} fotos",
|
||||
"map_assets_in_bound": "{} foto",
|
||||
"map_assets_in_bounds": "{} fotos",
|
||||
"map_cannot_get_user_location": "Não foi possível obter a sua localização",
|
||||
"map_location_dialog_yes": "Sim",
|
||||
"map_location_picker_page_use_location": "Use esta localização",
|
||||
@@ -1174,9 +1188,9 @@
|
||||
"map_settings": "Definições do mapa",
|
||||
"map_settings_dark_mode": "Modo escuro",
|
||||
"map_settings_date_range_option_day": "Últimas 24 horas",
|
||||
"map_settings_date_range_option_days": "Últimos {days} dias",
|
||||
"map_settings_date_range_option_days": "Últimos {} dias",
|
||||
"map_settings_date_range_option_year": "Último ano",
|
||||
"map_settings_date_range_option_years": "Últimos {years} anos",
|
||||
"map_settings_date_range_option_years": "Últimos {} anos",
|
||||
"map_settings_dialog_title": "Configurações do mapa",
|
||||
"map_settings_include_show_archived": "Incluir arquivados",
|
||||
"map_settings_include_show_partners": "Incluir parceiros",
|
||||
@@ -1194,8 +1208,11 @@
|
||||
"memories_setting_description": "Gerencie o que vê em suas memórias",
|
||||
"memories_start_over": "Ver de novo",
|
||||
"memories_swipe_to_close": "Deslize para cima para fechar",
|
||||
"memories_year_ago": "Um ano atrás",
|
||||
"memories_years_ago": "{} anos atrás",
|
||||
"memory": "Memória",
|
||||
"memory_lane_title": "Trilha das Recordações {title}",
|
||||
"menu": "Menu",
|
||||
"merge": "Mesclar",
|
||||
"merge_people": "Mesclar pessoas",
|
||||
"merge_people_limit": "Só é possível mesclar até 5 pessoas de uma só vez",
|
||||
@@ -1207,6 +1224,7 @@
|
||||
"missing": "Faltando",
|
||||
"model": "Modelo",
|
||||
"month": "Mês",
|
||||
"monthly_title_text_date_format": "MMMM y",
|
||||
"more": "Mais",
|
||||
"moved_to_archive": "{count, plural, one {# mídia foi arquivada} other {# mídias foram arquivadas}}",
|
||||
"moved_to_library": "{count, plural, one {# arquivo foi enviado} other {# arquivos foram enviados}} à biblioteca",
|
||||
@@ -1259,9 +1277,12 @@
|
||||
"notification_toggle_setting_description": "Habilitar notificações por e-mail",
|
||||
"notifications": "Notificações",
|
||||
"notifications_setting_description": "Gerenciar notificações",
|
||||
"oauth": "OAuth",
|
||||
"official_immich_resources": "Recursos oficiais do Immich",
|
||||
"offline": "Offline",
|
||||
"offline_paths": "Caminhos offline",
|
||||
"offline_paths_description": "Estes resultados podem ser devidos a arquivos deletados manualmente e que não são parte de uma biblioteca externa.",
|
||||
"ok": "Ok",
|
||||
"oldest_first": "Mais antigo primeiro",
|
||||
"on_this_device": "Neste dispositivo",
|
||||
"onboarding": "Integração",
|
||||
@@ -1269,6 +1290,7 @@
|
||||
"onboarding_theme_description": "Escolha um tema de cores para sua instância. Você pode alterar isso posteriormente em suas configurações.",
|
||||
"onboarding_welcome_description": "Vamos configurar sua instância com algumas configurações comuns.",
|
||||
"onboarding_welcome_user": "Bem-vindo, {user}",
|
||||
"online": "Online",
|
||||
"only_favorites": "Somente favoritos",
|
||||
"open": "Abrir",
|
||||
"open_in_map_view": "Mostrar no mapa",
|
||||
@@ -1277,6 +1299,7 @@
|
||||
"options": "Opções",
|
||||
"or": "ou",
|
||||
"organize_your_library": "Organize sua biblioteca",
|
||||
"original": "original",
|
||||
"other": "Outro",
|
||||
"other_devices": "Outros dispositivos",
|
||||
"other_variables": "Outras variáveis",
|
||||
@@ -1293,7 +1316,7 @@
|
||||
"partner_page_partner_add_failed": "Falha ao adicionar parceiro",
|
||||
"partner_page_select_partner": "Selecione o parceiro",
|
||||
"partner_page_shared_to_title": "Compartilhado com",
|
||||
"partner_page_stop_sharing_content": "{partner} não poderá mais acessar as suas fotos.",
|
||||
"partner_page_stop_sharing_content": "{} não poderá mais acessar as suas fotos.",
|
||||
"partner_sharing": "Compartilhamento com Parceiro",
|
||||
"partners": "Parceiros",
|
||||
"password": "Senha",
|
||||
@@ -1356,9 +1379,11 @@
|
||||
"previous_or_next_photo": "Foto anterior ou próxima",
|
||||
"primary": "Primário",
|
||||
"privacy": "Privacidade",
|
||||
"profile_drawer_app_logs": "Logs",
|
||||
"profile_drawer_client_out_of_date_major": "O aplicativo está desatualizado. Por favor, atualize para a versão mais recente.",
|
||||
"profile_drawer_client_out_of_date_minor": "O aplicativo está desatualizado. Por favor, atualize para a versão mais recente.",
|
||||
"profile_drawer_client_server_up_to_date": "Cliente e Servidor estão atualizados",
|
||||
"profile_drawer_github": "GitHub",
|
||||
"profile_drawer_server_out_of_date_major": "O servidor está desatualizado. Atualize para a versão principal mais recente.",
|
||||
"profile_drawer_server_out_of_date_minor": "O servidor está desatualizado. Atualize para a versão mais recente.",
|
||||
"profile_image_of_user": "Imagem do perfil de {user}",
|
||||
@@ -1367,7 +1392,7 @@
|
||||
"public_share": "Compartilhar Publicamente",
|
||||
"purchase_account_info": "Contribuidor",
|
||||
"purchase_activated_subtitle": "Obrigado(a) por apoiar o Immich e programas de código aberto",
|
||||
"purchase_activated_time": "Ativado em {date}",
|
||||
"purchase_activated_time": "Ativado em {date, date}",
|
||||
"purchase_activated_title": "Sua chave foi ativada com sucesso",
|
||||
"purchase_button_activate": "Ativar",
|
||||
"purchase_button_buy": "Comprar",
|
||||
@@ -1467,6 +1492,7 @@
|
||||
"retry_upload": "Tentar carregar novamente",
|
||||
"review_duplicates": "Revisar duplicidade",
|
||||
"role": "Função",
|
||||
"role_editor": "Editor",
|
||||
"role_viewer": "Visualizador",
|
||||
"save": "Salvar",
|
||||
"save_to_gallery": "Salvar na galeria",
|
||||
@@ -1516,6 +1542,7 @@
|
||||
"search_page_no_places": "Nenhuma informação de lugares disponível",
|
||||
"search_page_screenshots": "Capturas de tela",
|
||||
"search_page_search_photos_videos": "Pesquise suas fotos e vídeos",
|
||||
"search_page_selfies": "Selfies",
|
||||
"search_page_things": "Coisas",
|
||||
"search_page_view_all_button": "Ver tudo",
|
||||
"search_page_your_activity": "Sua atividade",
|
||||
@@ -1577,12 +1604,12 @@
|
||||
"setting_languages_apply": "Aplicar",
|
||||
"setting_languages_subtitle": "Alterar o idioma do aplicativo",
|
||||
"setting_languages_title": "Idiomas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifique falhas de backup em segundo plano: {duration}",
|
||||
"setting_notifications_notify_hours": "{count} horas",
|
||||
"setting_notifications_notify_failures_grace_period": "Notifique falhas de backup em segundo plano: {}",
|
||||
"setting_notifications_notify_hours": "{} horas",
|
||||
"setting_notifications_notify_immediately": "imediatamente",
|
||||
"setting_notifications_notify_minutes": "{count} minutos",
|
||||
"setting_notifications_notify_minutes": "{} minutos",
|
||||
"setting_notifications_notify_never": "nunca",
|
||||
"setting_notifications_notify_seconds": "{count} segundos",
|
||||
"setting_notifications_notify_seconds": "{} segundos",
|
||||
"setting_notifications_single_progress_subtitle": "Informações detalhadas sobre o progresso do envio por arquivo",
|
||||
"setting_notifications_single_progress_title": "Mostrar detalhes do progresso do backup em segundo plano",
|
||||
"setting_notifications_subtitle": "Ajuste suas preferências de notificação",
|
||||
@@ -1596,7 +1623,7 @@
|
||||
"settings_saved": "Configurações salvas",
|
||||
"share": "Compartilhar",
|
||||
"share_add_photos": "Adicionar fotos",
|
||||
"share_assets_selected": "{count} selecionado",
|
||||
"share_assets_selected": "{} selecionado",
|
||||
"share_dialog_preparing": "Preparando...",
|
||||
"shared": "Compartilhado",
|
||||
"shared_album_activities_input_disable": "Comentários desativados",
|
||||
@@ -1610,33 +1637,34 @@
|
||||
"shared_by_user": "Compartilhado por {user}",
|
||||
"shared_by_you": "Compartilhado por você",
|
||||
"shared_from_partner": "Fotos de {partner}",
|
||||
"shared_intent_upload_button_progress_text": "Enviados {current} de {total}",
|
||||
"shared_intent_upload_button_progress_text": "Enviados {} de {}",
|
||||
"shared_link_app_bar_title": "Links compartilhados",
|
||||
"shared_link_clipboard_copied_massage": "Copiado para a área de transferência",
|
||||
"shared_link_clipboard_text": "Link: {link}\nSenha: {password}",
|
||||
"shared_link_clipboard_text": "Link: {}\nSenha: {}",
|
||||
"shared_link_create_error": "Erro ao criar o link compartilhado",
|
||||
"shared_link_edit_description_hint": "Digite a descrição do compartilhamento",
|
||||
"shared_link_edit_expire_after_option_day": "1 dia",
|
||||
"shared_link_edit_expire_after_option_days": "{count} dias",
|
||||
"shared_link_edit_expire_after_option_days": "{} dias",
|
||||
"shared_link_edit_expire_after_option_hour": "1 hora",
|
||||
"shared_link_edit_expire_after_option_hours": "{count} horas",
|
||||
"shared_link_edit_expire_after_option_hours": "{} horas",
|
||||
"shared_link_edit_expire_after_option_minute": "1 minuto",
|
||||
"shared_link_edit_expire_after_option_minutes": "{count} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{count} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{count} ano",
|
||||
"shared_link_edit_expire_after_option_minutes": "{} minutos",
|
||||
"shared_link_edit_expire_after_option_months": "{} meses",
|
||||
"shared_link_edit_expire_after_option_year": "{} ano",
|
||||
"shared_link_edit_password_hint": "Digite uma senha para proteger este link",
|
||||
"shared_link_edit_submit_button": "Atualizar link",
|
||||
"shared_link_error_server_url_fetch": "Erro ao abrir a URL do servidor",
|
||||
"shared_link_expires_day": "Expira em {count} dia",
|
||||
"shared_link_expires_days": "Expira em {count} dias",
|
||||
"shared_link_expires_hour": "Expira em {count} hora",
|
||||
"shared_link_expires_hours": "Expira em {count} horas",
|
||||
"shared_link_expires_minute": "Expira em {count} minuto",
|
||||
"shared_link_expires_minutes": "Expira em {count} minutos",
|
||||
"shared_link_expires_day": "Expira em {} dia",
|
||||
"shared_link_expires_days": "Expira em {} dias",
|
||||
"shared_link_expires_hour": "Expira em {} hora",
|
||||
"shared_link_expires_hours": "Expira em {} horas",
|
||||
"shared_link_expires_minute": "Expira em {} minuto",
|
||||
"shared_link_expires_minutes": "Expira em {} minutos",
|
||||
"shared_link_expires_never": "Expira em ∞",
|
||||
"shared_link_expires_second": "Expira em {count} segundo",
|
||||
"shared_link_expires_seconds": "Expira em {count} segundos",
|
||||
"shared_link_expires_second": "Expira em {} segundo",
|
||||
"shared_link_expires_seconds": "Expira em {} segundos",
|
||||
"shared_link_individual_shared": "Compartilhado Individualmente",
|
||||
"shared_link_info_chip_metadata": "EXIF",
|
||||
"shared_link_manage_links": "Gerenciar links compartilhados",
|
||||
"shared_link_options": "Opções de link compartilhado",
|
||||
"shared_links": "Links compartilhados",
|
||||
@@ -1698,9 +1726,11 @@
|
||||
"stack_select_one_photo": "Selecione uma foto principal para o grupo",
|
||||
"stack_selected_photos": "Agrupar fotos selecionadas",
|
||||
"stacked_assets_count": "{count, plural, one {# arquivo adicionado} other {# arquivos adicionados}} ao grupo",
|
||||
"stacktrace": "Stacktrace",
|
||||
"start": "Início",
|
||||
"start_date": "Data inicial",
|
||||
"state": "Estado",
|
||||
"status": "Status",
|
||||
"stop_motion_photo": "Parar foto em movimento",
|
||||
"stop_photo_sharing": "Parar de compartilhar suas fotos?",
|
||||
"stop_photo_sharing_description": "{partner} não terá mais acesso às suas fotos.",
|
||||
@@ -1733,8 +1763,8 @@
|
||||
"theme_selection": "Selecionar tema",
|
||||
"theme_selection_description": "Defina automaticamente o tema como claro ou escuro com base na preferência do sistema do seu navegador",
|
||||
"theme_setting_asset_list_storage_indicator_title": "Mostrar indicador de armazenamento na grade de fotos",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Quantidade de arquivos por linha ({count})",
|
||||
"theme_setting_colorful_interface_subtitle": "Aplica a cor primária ao fundo.",
|
||||
"theme_setting_asset_list_tiles_per_row_title": "Quantidade de arquivos por linha ({})",
|
||||
"theme_setting_colorful_interface_subtitle": "Aplica a cor primária ao fundo",
|
||||
"theme_setting_colorful_interface_title": "Interface colorida",
|
||||
"theme_setting_image_viewer_quality_subtitle": "Ajuste a qualidade de imagens detalhadas do visualizador",
|
||||
"theme_setting_image_viewer_quality_title": "Qualidade das imagens do visualizador",
|
||||
@@ -1758,6 +1788,7 @@
|
||||
"to_trash": "Mover para a lixeira",
|
||||
"toggle_settings": "Alternar configurações",
|
||||
"toggle_theme": "Alternar tema escuro",
|
||||
"total": "Total",
|
||||
"total_usage": "Utilização total",
|
||||
"trash": "Lixeira",
|
||||
"trash_all": "Mover todos para o lixo",
|
||||
@@ -1767,11 +1798,11 @@
|
||||
"trash_no_results_message": "Fotos e vídeos enviados para o lixo aparecem aqui.",
|
||||
"trash_page_delete_all": "Excluir tudo",
|
||||
"trash_page_empty_trash_dialog_content": "Deseja esvaziar a lixera? Estes arquivos serão apagados de forma permanente do Immich",
|
||||
"trash_page_info": "Os itens da lixeira são excluídos de forma permanente após {days} dias",
|
||||
"trash_page_info": "Os itens da lixeira são excluídos de forma permanente após {} dias",
|
||||
"trash_page_no_assets": "Lixeira vazia",
|
||||
"trash_page_restore_all": "Restaurar tudo",
|
||||
"trash_page_select_assets_btn": "Selecionar arquivos",
|
||||
"trash_page_title": "Lixeira ({count})",
|
||||
"trash_page_title": "Lixeira ({})",
|
||||
"trashed_items_will_be_permanently_deleted_after": "Os itens da lixeira serão deletados permanentemente após {days, plural, one {# dia} other {# dias}}.",
|
||||
"type": "Tipo",
|
||||
"unarchive": "Desarquivar",
|
||||
@@ -1809,8 +1840,9 @@
|
||||
"upload_status_errors": "Erros",
|
||||
"upload_status_uploaded": "Carregado",
|
||||
"upload_success": "Carregado com sucesso, atualize a página para ver os novos arquivos.",
|
||||
"upload_to_immich": "Enviar para o Immich ({count})",
|
||||
"upload_to_immich": "Enviar para o Immich ({})",
|
||||
"uploading": "Enviando",
|
||||
"url": "URL",
|
||||
"usage": "Uso",
|
||||
"use_current_connection": "usar conexão atual",
|
||||
"use_custom_date_range": "Usar intervalo de datas personalizado",
|
||||
|
||||
Some files were not shown because too many files have changed in this diff Show More
Reference in New Issue
Block a user