1
0
Fork 0
mirror of https://github.com/jellyfin/jellyfin-web synced 2025-03-30 19:56:21 +00:00

Merge branch 'master' into connection-manager-global

This commit is contained in:
Julien Machiels 2020-09-01 10:16:21 +02:00 committed by GitHub
commit 3cbe0f7264
No known key found for this signature in database
GPG key ID: 4AEE18F83AFDEB23
139 changed files with 1032 additions and 3566 deletions

View file

@ -11,6 +11,8 @@ Source0: jellyfin-web-%{version}.tar.gz
%if 0%{?centos}
BuildRequires: yarn
# sadly the yarn RPM at https://dl.yarnpkg.com/rpm/ uses git but doesn't Requires: it
BuildRequires: git
%else
BuildRequires: nodejs-yarn
%endif

View file

@ -26,7 +26,7 @@
"eslint-plugin-eslint-comments": "^3.2.0",
"eslint-plugin-import": "^2.21.2",
"eslint-plugin-promise": "^4.2.1",
"file-loader": "^6.0.0",
"file-loader": "^6.1.0",
"gulp": "^4.0.2",
"gulp-babel": "^8.0.0",
"gulp-cli": "^2.3.0",
@ -40,26 +40,27 @@
"gulp-sass": "^4.0.2",
"gulp-sourcemaps": "^2.6.5",
"gulp-terser": "^1.4.0",
"html-webpack-plugin": "^4.3.0",
"html-webpack-plugin": "^4.4.1",
"lazypipe": "^1.0.2",
"node-sass": "^4.13.1",
"postcss-loader": "^3.0.0",
"postcss-preset-env": "^6.7.0",
"style-loader": "^1.1.3",
"stylelint": "^13.6.1",
"stylelint": "^13.7.0",
"stylelint-config-rational-order": "^0.1.2",
"stylelint-no-browser-hacks": "^1.2.1",
"stylelint-order": "^4.1.0",
"webpack": "^4.44.1",
"webpack-merge": "^4.2.2",
"webpack-stream": "^5.2.1"
"webpack-stream": "^6.0.0",
"worker-plugin": "^5.0.0"
},
"dependencies": {
"alameda": "^1.4.0",
"blurhash": "^1.1.3",
"classlist.js": "https://github.com/eligrey/classList.js/archive/1.2.20180112.tar.gz",
"core-js": "^3.6.5",
"date-fns": "^2.16.0",
"date-fns": "^2.16.1",
"epubjs": "^0.3.85",
"fast-text-encoding": "^1.0.3",
"flv.js": "^1.5.0",
@ -71,15 +72,16 @@
"jellyfin-noto": "https://github.com/jellyfin/jellyfin-noto",
"jquery": "^3.5.1",
"jstree": "^3.3.10",
"libarchive.js": "^1.3.0",
"libass-wasm": "https://github.com/jellyfin/JavascriptSubtitlesOctopus#4.0.0-jf-smarttv",
"material-design-icons-iconfont": "^5.0.1",
"material-design-icons-iconfont": "^6.0.1",
"native-promise-only": "^0.8.0-a",
"page": "^1.11.6",
"query-string": "^6.13.1",
"resize-observer-polyfill": "^1.5.1",
"screenfull": "^5.0.2",
"sortablejs": "^1.10.2",
"swiper": "^5.4.5",
"swiper": "^6.1.1",
"webcomponents.js": "^0.7.24",
"whatwg-fetch": "^3.4.0"
},
@ -178,6 +180,7 @@
"src/plugins/experimentalWarnings/plugin.js",
"src/plugins/sessionPlayer/plugin.js",
"src/plugins/htmlAudioPlayer/plugin.js",
"src/plugins/comicsPlayer/plugin.js",
"src/plugins/chromecastPlayer/plugin.js",
"src/components/slideshow/slideshow.js",
"src/components/sortmenu/sortmenu.js",

View file

@ -16,7 +16,7 @@ langlst.append('en-us.json')
dep = []
def grep(key):
command = 'grep -r -E "(\(\\\"|\(\'|\{)%s(\\\"|\'|\})" --include=\*.{js,html} --exclude-dir=../src/strings ../src' % key
command = 'grep -r -E "(\\\"|\'|\{)%s(\\\"|\'|\})" --include=\*.{js,html} --exclude-dir=../src/strings ../src' % key
p = subprocess.Popen(command, shell=True, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
output = p.stdout.readlines()
if output:

View file

@ -1,7 +1,5 @@
html {
font-family: "Noto Sans", sans-serif;
font-size: 93%;
-webkit-text-size-adjust: 100%;
text-size-adjust: 100%;
-webkit-font-smoothing: antialiased;
text-rendering: optimizeLegibility;
@ -29,7 +27,9 @@ h3 {
}
.layout-tv {
font-size: 130%;
/* Per WebOS and Tizen guidelines, fonts must be 20px minimum.
This takes the 16px baseline and multiplies it by 1.25 to get 20px. */
font-size: 125%;
}
.layout-mobile {

View file

@ -28,6 +28,10 @@
padding-top: 0 !important;
}
.layout-tv .itemDetailPage {
padding-top: 4.2em !important;
}
.standalonePage {
padding-top: 4.5em !important;
}
@ -163,6 +167,12 @@
transition: background ease-in-out 0.5s;
}
.layout-tv .skinHeader {
/* In TV layout, it makes more sense to keep the top bar at the top of the page
Having it follow the view only makes us lose vertical space, while not being focusable */
position: relative;
}
.hiddenViewMenuBar .skinHeader {
display: none;
}
@ -447,8 +457,7 @@
height: 26.5vh;
}
.layout-desktop .itemBackdrop::after,
.layout-tv .itemBackdrop::after {
.layout-desktop .itemBackdrop::after {
content: "";
width: 100%;
height: 100%;
@ -456,8 +465,8 @@
display: block;
}
.layout-desktop .noBackdrop .itemBackdrop,
.layout-tv .noBackdrop .itemBackdrop {
.layout-tv .itemBackdrop,
.layout-desktop .noBackdrop .itemBackdrop {
display: none;
}
@ -624,6 +633,10 @@
z-index: 2;
}
.layout-tv .detailPagePrimaryContainer {
display: block;
}
.layout-mobile .detailPagePrimaryContainer {
display: block;
position: relative;
@ -637,12 +650,16 @@
padding-left: 32.45vw;
}
.layout-desktop .detailRibbon,
.layout-tv .detailRibbon {
.layout-desktop .detailRibbon {
margin-top: -7.2em;
height: 7.2em;
}
.layout-tv .detailRibbon {
margin-top: 0;
height: inherit;
}
.layout-desktop .noBackdrop .detailRibbon,
.layout-tv .noBackdrop .detailRibbon {
margin-top: 0;
@ -748,8 +765,7 @@ div.itemDetailGalleryLink.defaultCardBackground {
position: relative;
}
.layout-desktop .itemBackdrop,
.layout-tv .itemBackdrop {
.layout-desktop .itemBackdrop {
height: 40vh;
}
@ -775,13 +791,8 @@ div.itemDetailGalleryLink.defaultCardBackground {
}
.emby-button.detailFloatingButton {
position: absolute;
background-color: rgba(0, 0, 0, 0.5);
z-index: 3;
top: 100%;
left: 90%;
margin: -2.2em 0 0 -2.2em;
padding: 0.4em;
font-size: 1.4em;
margin-right: 0.5em !important;
color: rgba(255, 255, 255, 0.76);
}
@ -844,7 +855,7 @@ div.itemDetailGalleryLink.defaultCardBackground {
-webkit-align-items: center;
align-items: center;
margin: 0 !important;
padding: 0.5em 0.7em !important;
padding: 0.7em 0.7em !important;
}
@media all and (min-width: 29em) {
@ -913,10 +924,6 @@ div.itemDetailGalleryLink.defaultCardBackground {
}
@media all and (min-width: 100em) {
.detailFloatingButton {
display: none !important;
}
.personBackdrop {
display: none !important;
}
@ -925,6 +932,11 @@ div.itemDetailGalleryLink.defaultCardBackground {
font-size: 108%;
margin: 1.25em 0;
}
.layout-tv .mainDetailButtons {
font-size: 108%;
margin: 1em 0 1.25em;
}
}
@media all and (max-width: 50em) {
@ -1140,13 +1152,13 @@ div:not(.sectionTitleContainer-cards) > .sectionTitle-cards {
}
.layout-tv .padded-top-focusscale {
padding-top: 1em;
margin-top: -1em;
padding-top: 1.5em;
margin-top: -1.5em;
}
.layout-tv .padded-bottom-focusscale {
padding-bottom: 1em;
margin-bottom: -1em;
padding-bottom: 1.5em;
margin-bottom: -1.5em;
}
@media all and (min-height: 31.25em) {

View file

@ -60,8 +60,8 @@ _define('resize-observer-polyfill', function() {
});
// swiper
const swiper = require('swiper/js/swiper');
require('swiper/css/swiper.min.css');
const swiper = require('swiper/swiper-bundle');
require('swiper/swiper-bundle.css');
_define('swiper', function() {
return swiper;
});
@ -175,3 +175,9 @@ _define('connectionManagerFactory', function () {
_define('appStorage', function () {
return apiclient.AppStorage;
});
// libarchive.js
var libarchive = require('libarchive.js');
_define('libarchive', function () {
return libarchive;
});

View file

@ -209,6 +209,10 @@ button::-moz-focus-inner {
contain: strict;
}
.defaultCardBackground {
display: flex;
}
.cardContent:not(.defaultCardBackground) {
background-color: transparent;
}

View file

@ -23,6 +23,7 @@ export default class channelMapper {
tunerChannelId: channelId,
providerChannelId: providerChannelId
}),
contentType: 'application/json',
dataType: 'json'
}).then(mapping => {
const listItem = dom.parentWithClass(button, 'listItem');

View file

@ -169,7 +169,8 @@ import 'emby-button';
data: JSON.stringify({
ValidateWriteable: validateWriteable,
Path: path
})
}),
contentType: 'application/json'
}).catch(response => {
if (response) {
if (response.status === 404) {

View file

@ -28,21 +28,21 @@ import 'emby-itemscontainer';
function getSections() {
return [{
name: 'HeaderFavoriteMovies',
name: 'Movies',
types: 'Movie',
id: 'favoriteMovies',
shape: getPosterShape(),
showTitle: false,
overlayPlayButton: true
}, {
name: 'HeaderFavoriteShows',
name: 'Shows',
types: 'Series',
id: 'favoriteShows',
shape: getPosterShape(),
showTitle: false,
overlayPlayButton: true
}, {
name: 'HeaderFavoriteEpisodes',
name: 'Episodes',
types: 'Episode',
id: 'favoriteEpisode',
shape: getThumbShape(),
@ -53,7 +53,7 @@ import 'emby-itemscontainer';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoriteVideos',
name: 'Videos',
types: 'Video,MusicVideo',
id: 'favoriteVideos',
shape: getThumbShape(),
@ -63,7 +63,7 @@ import 'emby-itemscontainer';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoriteArtists',
name: 'Artists',
types: 'MusicArtist',
id: 'favoriteArtists',
shape: getSquareShape(),
@ -75,7 +75,7 @@ import 'emby-itemscontainer';
overlayPlayButton: true,
coverImage: true
}, {
name: 'HeaderFavoriteAlbums',
name: 'Albums',
types: 'MusicAlbum',
id: 'favoriteAlbums',
shape: getSquareShape(),
@ -87,7 +87,7 @@ import 'emby-itemscontainer';
overlayPlayButton: true,
coverImage: true
}, {
name: 'HeaderFavoriteSongs',
name: 'Songs',
types: 'Audio',
id: 'favoriteSongs',
shape: getSquareShape(),

View file

@ -6,12 +6,12 @@
<label>
<input type="checkbox" is="emby-checkbox" class="chkStandardFilter videoStandard"
data-filter="IsPlayed" />
<span>${OptionPlayed}</span>
<span>${Played}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkStandardFilter videoStandard"
data-filter="IsUnPlayed" />
<span>${OptionUnplayed}</span>
<span>${Unplayed}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkStandardFilter videoStandard"
@ -21,7 +21,7 @@
<label>
<input type="checkbox" is="emby-checkbox" class="chkStandardFilter chkFavorite"
data-filter="IsFavorite" />
<span>${OptionFavorite}</span>
<span>${Favorites}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkStandardFilter chkLikes" data-filter="Likes" />
@ -53,11 +53,11 @@
<div class="checkboxList">
<label>
<input type="checkbox" is="emby-checkbox" class="chkStatus" data-filter="Continuing" />
<span>${OptionContinuing}</span>
<span>${Continuing}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkStatus" data-filter="Ended" />
<span>${OptionEnded}</span>
<span>${Ended}</span>
</label>
</div>
</div>
@ -68,15 +68,15 @@
<div class="checkboxList">
<label>
<input type="checkbox" is="emby-checkbox" class="chkFeatureFilter" id="chkSubtitle" />
<span>${OptionHasSubtitles}</span>
<span>${Subtitles}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkFeatureFilter" id="chkTrailer" />
<span>${OptionHasTrailer}</span>
<span>${ButtonTrailer}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkFeatureFilter" id="chkSpecialFeature" />
<span>${OptionHasSpecialFeatures}</span>
<span>${SpecialFeatures}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="chkFeatureFilter" id="chkThemeSong" />

View file

@ -15,41 +15,41 @@
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Primary" />
<span>${OptionDownloadPrimaryImage}</span>
<span>${Primary}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Art" />
<span>${OptionDownloadArtImage}</span>
<span>${Art}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="BoxRear" />
<span>${OptionDownloadBackImage}</span>
<span>${Back}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Banner" />
<span>${OptionDownloadBannerImage}</span>
<span>${Banner}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Box" />
<span>${OptionDownloadBoxImage}</span>
<span>${Box}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Disc" />
<span>${OptionDownloadDiscImage}</span>
<span>${Disc}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Logo" />
<span>${OptionDownloadLogoImage}</span>
<span>${Logo}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Menu" />
<span>${OptionDownloadMenuImage}</span>
<span>${Menu}</span>
</label>
<label>
<input type="checkbox" is="emby-checkbox" class="imageType" data-imagetype="Thumb" />
<span>${OptionDownloadThumbImage}</span>
<span>${Thumb}</span>
</label>
</div>
</div>

View file

@ -51,8 +51,22 @@ import 'flexStyles';
if (stream.Type === 'Data') {
continue;
}
html += '<div class="mediaInfoStream">';
const displayType = globalize.translate(`MediaInfoStreamType${stream.Type}`);
let translateString;
switch (stream.Type) {
case 'Audio':
case 'Data':
case 'Subtitle':
case 'Video':
translateString = stream.Type;
break;
case 'EmbeddedImage':
translateString = 'Image';
break;
}
const displayType = globalize.translate(translateString);
html += `<h2 class="mediaInfoStreamType">${displayType}</h2>`;
const attributes = [];
if (stream.DisplayTitle) {

View file

@ -369,18 +369,8 @@ import 'emby-playstatebutton';
}
}
} else {
let showArtist = options.artist === true;
const artistItems = item.ArtistItems;
if (!showArtist && options.artist !== false) {
if (!artistItems || !artistItems.length) {
showArtist = true;
} else if (artistItems.length > 1 || !containerAlbumArtistIds.includes(artistItems[0].Id)) {
showArtist = true;
}
}
if (showArtist) {
if (options.artist) {
const artistItems = item.ArtistItems;
if (artistItems && item.Type !== 'MusicAlbum') {
textlines.push(artistItems.map(a => {
return a.Name;

View file

@ -248,7 +248,7 @@ events.on(serverNotifications, 'RestartRequired', function (e, apiClient) {
[
{
action: 'restart',
title: globalize.translate('ButtonRestart'),
title: globalize.translate('Restart'),
icon: getIconUrl()
}
];

View file

@ -700,7 +700,7 @@ import 'emby-ratingbutton';
const player = this;
currentRuntimeTicks = playbackManager.duration(player);
updateTimeDisplay(playbackManager.currentTime(player), currentRuntimeTicks, playbackManager.getBufferedRanges(player));
updateTimeDisplay(playbackManager.currentTime(player) * 10000, currentRuntimeTicks, playbackManager.getBufferedRanges(player));
}
function releaseCurrentPlayer() {

View file

@ -1617,11 +1617,7 @@ class PlaybackManager {
player = player || self._currentPlayer;
if (player && !enableLocalPlaylistManagement(player)) {
if (player.isLocalPlayer) {
return player.seek((ticks || 0) / 10000);
} else {
return player.seek(ticks);
}
return player.seek(ticks);
}
changeStream(player, ticks);
@ -1630,11 +1626,7 @@ class PlaybackManager {
self.seekRelative = function (offsetTicks, player) {
player = player || self._currentPlayer;
if (player && !enableLocalPlaylistManagement(player) && player.seekRelative) {
if (player.isLocalPlayer) {
return player.seekRelative((ticks || 0) / 10000);
} else {
return player.seekRelative(ticks);
}
return player.seekRelative(ticks);
}
const ticks = getCurrentTicks(player) + offsetTicks;
@ -3218,7 +3210,7 @@ class PlaybackManager {
return player.currentTime();
}
return this.getCurrentTicks(player);
return this.getCurrentTicks(player) / 10000;
}
nextItem(player = this._currentPlayer) {

View file

@ -618,7 +618,7 @@ export default function () {
lastUpdateTime = now;
const player = this;
currentRuntimeTicks = playbackManager.duration(player);
updateTimeDisplay(playbackManager.currentTime(player), currentRuntimeTicks);
updateTimeDisplay(playbackManager.currentTime(player) * 10000, currentRuntimeTicks);
}
}

View file

@ -26,7 +26,8 @@
});
}
window.addEventListener('notificationclick', function (event) {
/* eslint-disable-next-line no-restricted-globals -- self is valid in a serviceworker environment */
self.addEventListener('notificationclick', function (event) {
var notification = event.notification;
notification.close();

View file

@ -255,7 +255,7 @@ export default function (options) {
/**
* Handles zoom changes.
*/
function onZoomChange(scale, imageEl, slideEl) {
function onZoomChange(swiper, scale, imageEl, slideEl) {
const zoomImage = slideEl.querySelector('.swiper-zoom-fakeimg');
if (zoomImage) {

View file

@ -740,7 +740,7 @@ class SyncPlayManager {
const playAtTime = this.lastCommand.When;
const currentPositionTicks = playbackManager.currentTime();
const currentPositionTicks = playbackManager.currentTime() * 10000;
// Estimate PositionTicks on server
const serverPositionTicks = this.lastCommand.PositionTicks + ((currentTime - playAtTime) + this.timeOffsetWithServer) * 10000;
// Measure delay that needs to be recovered

View file

@ -255,7 +255,7 @@ import 'flexStyles';
const runtimeTicks = playbackManager.duration(options.player);
if (runtimeTicks) {
const timeRemainingTicks = runtimeTicks - playbackManager.currentTime(options.player);
const timeRemainingTicks = runtimeTicks - playbackManager.currentTime(options.player) * 10000;
return Math.round(timeRemainingTicks / 10000);
}

View file

@ -28,6 +28,7 @@
"plugins/htmlAudioPlayer/plugin",
"plugins/htmlVideoPlayer/plugin",
"plugins/photoPlayer/plugin",
"plugins/comicsPlayer/plugin",
"plugins/bookPlayer/plugin",
"plugins/youtubePlayer/plugin",
"plugins/backdropScreensaver/plugin",

View file

@ -17,7 +17,7 @@
<div style="margin-top:1em;">
<button is="emby-button" type="button" id="btnRestartServer" class="raised" onclick="DashboardPage.restart(this);" style="margin-left:0;">
<span>${ButtonRestart}</span>
<span>${Restart}</span>
</button>
<button is="emby-button" type="button" id="btnShutdown" class="raised" onclick="DashboardPage.shutdown(this);">
<span>${ButtonShutdown}</span>

View file

@ -721,9 +721,9 @@ import 'emby-itemscontainer';
restart: function (btn) {
import('confirm').then(({default: confirm}) => {
confirm({
title: globalize.translate('HeaderRestart'),
title: globalize.translate('Restart'),
text: globalize.translate('MessageConfirmRestart'),
confirmText: globalize.translate('ButtonRestart'),
confirmText: globalize.translate('Restart'),
primary: 'delete'
}).then(function () {
const page = dom.parentWithClass(btn, 'page');

View file

@ -29,7 +29,7 @@
<div class="checkboxList paperList checkboxList-paperList">
<label>
<input is="emby-checkbox" type="checkbox" id="chkAudio" data-value="Audio" class="chkMediaType" />
<span>${OptionProfileAudio}</span>
<span>${Audio}</span>
</label>
<label>
<input is="emby-checkbox" type="checkbox" id="chkPhoto" data-value="Photo" class="chkMediaType" />
@ -279,7 +279,7 @@
<div data-role="content">
<div class="selectContainer">
<select id="selectDirectPlayProfileType" name="selectDirectPlayProfileType" is="emby-select" label="${LabelType}">
<option value="Audio">${OptionProfileAudio}</option>
<option value="Audio">${Audio}</option>
<option value="Photo">${OptionProfilePhoto}</option>
<option value="Video">${OptionProfileVideo}</option>
</select>
@ -327,7 +327,7 @@
<div class="tabContent tabTranscodingBasics" style="display: none;">
<div class="selectContainer">
<select id="selectTranscodingProfileType" name="selectTranscodingProfileType" is="emby-select" label="${LabelType}">
<option value="Audio">${OptionProfileAudio}</option>
<option value="Audio">${Audio}</option>
<option value="Photo">${OptionProfilePhoto}</option>
<option value="Video">${OptionProfileVideo}</option>
</select>
@ -403,7 +403,7 @@
<div class="tabContent tabContainerBasics">
<div class="selectContainer">
<select id="selectContainerProfileType" name="selectContainerProfileType" is="emby-select" label="${LabelType}">
<option value="Audio">${OptionProfileAudio}</option>
<option value="Audio">${Audio}</option>
<option value="Photo">${OptionProfilePhoto}</option>
<option value="Video">${OptionProfileVideo}</option>
</select>
@ -436,7 +436,7 @@
<select id="selectCodecProfileType" name="selectCodecProfileType" is="emby-select" label="${LabelType}">
<option value="Video">${OptionProfileVideo}</option>
<option value="VideoAudio">${OptionProfileVideoAudio}</option>
<option value="Audio">${OptionProfileAudio}</option>
<option value="Audio">${Audio}</option>
</select>
</div>
<div class="inputContainer">
@ -462,7 +462,7 @@
<div data-role="content">
<div class="selectContainer">
<select id="selectResponseProfileType" name="selectResponseProfileType" is="emby-select" label="${LabelType}">
<option value="Audio">${OptionProfileAudio}</option>
<option value="Audio">${Audio}</option>
<option value="Photo">${OptionProfilePhoto}</option>
<option value="Video">${OptionProfileVideo}</option>
</select>

View file

@ -81,7 +81,7 @@ import 'emby-button';
function getTabs() {
return [{
href: 'dlnasettings.html',
name: globalize.translate('TabSettings')
name: globalize.translate('Settings')
}, {
href: 'dlnaprofiles.html',
name: globalize.translate('TabProfiles')

View file

@ -7,7 +7,7 @@
<div class="verticalSection">
<div class="sectionTitleContainer flex align-items-center">
<h2 class="sectionTitle">${TabSettings}</h2>
<h2 class="sectionTitle">${Settings}</h2>
<a is="emby-linkbutton" rel="noopener noreferrer" class="raised button-alt headerHelpButton" target="_blank" href="https://docs.jellyfin.org/general/networking/dlna.html">${Help}</a>
</div>
</div>

View file

@ -38,7 +38,7 @@ import globalize from 'globalize';
function getTabs() {
return [{
href: 'dlnasettings.html',
name: globalize.translate('TabSettings')
name: globalize.translate('Settings')
}, {
href: 'dlnaprofiles.html',
name: globalize.translate('TabProfiles')

View file

@ -11,7 +11,7 @@
<div class="selectContainer">
<select is="emby-select" id="selectVideoDecoder" label="${LabelHardwareAccelerationType}">
<option value="">${OptionNone}</option>
<option value="">${None}</option>
<option value="amf">AMD AMF</option>
<option value="qsv">Intel Quick Sync</option>
<option value="mediacodec">MediaCodec Android</option>
@ -91,7 +91,7 @@
<div class="selectContainer">
<select is="emby-select" id="selectThreadCount" label="${LabelTranscodingThreadCount}">
<option value="-1">${OptionAuto}</option>
<option value="-1">${Auto}</option>
<option value="1">1</option>
<option value="2">2</option>
<option value="3">3</option>
@ -132,7 +132,7 @@
<div class="selectContainer">
<select is="emby-select" id="selectEncoderPreset" label="${LabelEncoderPreset}">
<option value="">${OptionAuto}</option>
<option value="">${Auto}</option>
<option value="veryslow">veryslow</option>
<option value="slower">slower</option>
<option value="slow">slow</option>

View file

@ -48,7 +48,8 @@ import libraryMenu from 'libraryMenu';
data: JSON.stringify({
Path: form.querySelector('.txtEncoderPath').value,
PathType: 'Custom'
})
}),
contentType: 'application/json'
}).then(Dashboard.processServerConfigurationUpdateResult, onSaveEncodingPathFailure);
});
}

View file

@ -4,7 +4,7 @@
<form class="dashboardGeneralForm">
<div class="verticalSection">
<div class="sectionTitleContainer flex align-items-center">
<h2 class="sectionTitle">${TabSettings}</h2>
<h2 class="sectionTitle">${Settings}</h2>
<a is="emby-linkbutton" rel="noopener noreferrer" class="raised button-alt headerHelpButton" target="_blank" href="https://docs.jellyfin.org/general/server/settings.html">${Help}</a>
</div>
</div>

View file

@ -234,7 +234,7 @@ import 'emby-itemrefreshindicator';
value: 'books',
message: getLink('BookLibraryHelp', 'https://docs.jellyfin.org/general/server/media/books.html')
}, {
name: globalize.translate('OptionHomeVideos'),
name: globalize.translate('Photos'),
value: 'homevideos'
}, {
name: globalize.translate('FolderTypeMusicVideos'),

View file

@ -6,7 +6,7 @@ import globalize from 'globalize';
/* eslint-disable indent */
function loadPage(page, config, users) {
let html = '<option value="" selected="selected">' + globalize.translate('OptionNone') + '</option>';
let html = '<option value="" selected="selected">' + globalize.translate('None') + '</option>';
html += users.map(function (user) {
return '<option value="' + user.Id + '">' + user.Name + '</option>';
}).join('');

View file

@ -118,7 +118,7 @@ function showPluginMenu(page, elem) {
if (configHref) {
menuItems.push({
name: globalize.translate('ButtonSettings'),
name: globalize.translate('Settings'),
id: 'open',
icon: 'mode_edit'
});

View file

@ -11,7 +11,7 @@
</div>
<div data-role="controlgroup" data-type="horizontal" class="localnav" id="userProfileNavigation" data-mini="true">
<a href="#" is="emby-linkbutton" data-role="button" class="ui-btn-active">${TabProfile}</a>
<a href="#" is="emby-linkbutton" data-role="button" class="ui-btn-active">${Profile}</a>
<a href="#" is="emby-linkbutton" data-role="button" onclick="Dashboard.navigate('userlibraryaccess.html', true);">${TabAccess}</a>
<a href="#" is="emby-linkbutton" data-role="button" onclick="Dashboard.navigate('userparentalcontrol.html', true);">${TabParentalControl}</a>
<a href="#" is="emby-linkbutton" data-role="button" onclick="Dashboard.navigate('userpassword.html', true);">${HeaderPassword}</a>

View file

@ -11,7 +11,7 @@
</div>
<div data-role="controlgroup" data-type="horizontal" class="localnav" data-mini="true">
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('useredit.html', true);">${TabProfile}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('useredit.html', true);">${Profile}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userlibraryaccess.html', true);" class="ui-btn-active">${TabAccess}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userparentalcontrol.html', true);">${TabParentalControl}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userpassword.html', true);">${HeaderPassword}</a>

View file

@ -9,7 +9,7 @@
</div>
<div data-role="controlgroup" data-type="horizontal" class="localnav" data-mini="true">
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('useredit.html', true);">${TabProfile}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('useredit.html', true);">${Profile}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userlibraryaccess.html', true);">${TabAccess}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userparentalcontrol.html', true);" class="ui-btn-active">${TabParentalControl}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userpassword.html', true);">${HeaderPassword}</a>

View file

@ -40,25 +40,25 @@ import 'paper-icon-button-light';
function loadUnratedItems(page, user) {
const items = [{
name: globalize.translate('OptionBlockBooks'),
name: globalize.translate('Books'),
value: 'Book'
}, {
name: globalize.translate('OptionBlockChannelContent'),
name: globalize.translate('Channels'),
value: 'ChannelContent'
}, {
name: globalize.translate('OptionBlockLiveTvChannels'),
name: globalize.translate('LiveTV'),
value: 'LiveTvChannel'
}, {
name: globalize.translate('OptionBlockMovies'),
name: globalize.translate('Movies'),
value: 'Movie'
}, {
name: globalize.translate('OptionBlockMusic'),
name: globalize.translate('Music'),
value: 'Music'
}, {
name: globalize.translate('OptionBlockTrailers'),
name: globalize.translate('Trailers'),
value: 'Trailer'
}, {
name: globalize.translate('OptionBlockTvShows'),
name: globalize.translate('Shows'),
value: 'Series'
}];
let html = '';

View file

@ -9,7 +9,7 @@
</div>
<div data-role="controlgroup" data-type="horizontal" class="localnav" data-mini="true">
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('useredit.html', true);">${TabProfile}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('useredit.html', true);">${Profile}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userlibraryaccess.html', true);">${TabAccess}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userparentalcontrol.html', true);">${TabParentalControl}</a>
<a is="emby-linkbutton" href="#" data-role="button" onclick="Dashboard.navigate('userpassword.html', true);" class="ui-btn-active">${HeaderPassword}</a>
@ -31,7 +31,7 @@
<div>
<button is="emby-button" type="submit" class="raised button-submit block"><span>${Save}</span></button>
<button is="emby-button" type="button" id="btnResetPassword" class="raised button-cancel block hide">
<span>${ButtonResetPassword}</span>
<span>${ResetPassword}</span>
</button>
</div>
</div>

View file

@ -145,14 +145,14 @@ import 'emby-button';
function resetPassword() {
const msg = globalize.translate('PasswordResetConfirmation');
import('confirm').then(({default: confirm}) => {
confirm(msg, globalize.translate('HeaderResetPassword')).then(function () {
confirm(msg, globalize.translate('ResetPassword')).then(function () {
const userId = params.userId;
loading.show();
ApiClient.resetUserPassword(userId).then(function () {
loading.hide();
Dashboard.alert({
message: globalize.translate('PasswordResetComplete'),
title: globalize.translate('HeaderResetPassword')
title: globalize.translate('ResetPassword')
});
loadUser(view, params);
});

View file

@ -28,7 +28,7 @@ import 'emby-scroller';
function getSections() {
return [{
name: 'HeaderFavoriteMovies',
name: 'Movies',
types: 'Movie',
shape: getPosterShape(),
showTitle: true,
@ -37,7 +37,7 @@ import 'emby-scroller';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoriteShows',
name: 'Shows',
types: 'Series',
shape: getPosterShape(),
showTitle: true,
@ -46,7 +46,7 @@ import 'emby-scroller';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoriteEpisodes',
name: 'Episodes',
types: 'Episode',
shape: getThumbShape(),
preferThumb: false,
@ -56,7 +56,7 @@ import 'emby-scroller';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoriteVideos',
name: 'Videos',
types: 'Video',
shape: getThumbShape(),
preferThumb: true,
@ -65,7 +65,7 @@ import 'emby-scroller';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoriteCollections',
name: 'Collections',
types: 'BoxSet',
shape: getPosterShape(),
showTitle: true,
@ -73,7 +73,7 @@ import 'emby-scroller';
overlayText: false,
centerText: true
}, {
name: 'HeaderFavoritePlaylists',
name: 'Playlists',
types: 'Playlist',
shape: getSquareShape(),
preferThumb: false,
@ -84,7 +84,7 @@ import 'emby-scroller';
overlayPlayButton: true,
coverImage: true
}, {
name: 'HeaderFavoritePeople',
name: 'People',
types: 'Person',
shape: getPosterShape(),
preferThumb: false,
@ -95,7 +95,7 @@ import 'emby-scroller';
overlayPlayButton: true,
coverImage: true
}, {
name: 'HeaderFavoriteArtists',
name: 'Artists',
types: 'MusicArtist',
shape: getSquareShape(),
preferThumb: false,
@ -106,7 +106,7 @@ import 'emby-scroller';
overlayPlayButton: true,
coverImage: true
}, {
name: 'HeaderFavoriteAlbums',
name: 'Albums',
types: 'MusicAlbum',
shape: getSquareShape(),
preferThumb: false,
@ -117,7 +117,7 @@ import 'emby-scroller';
overlayPlayButton: true,
coverImage: true
}, {
name: 'HeaderFavoriteSongs',
name: 'Songs',
types: 'Audio',
shape: getSquareShape(),
preferThumb: false,
@ -129,7 +129,7 @@ import 'emby-scroller';
action: 'instantmix',
coverImage: true
}, {
name: 'HeaderFavoriteBooks',
name: 'Books',
types: 'Book',
shape: getPosterShape(),
showTitle: true,

View file

@ -7,11 +7,11 @@
<div class="detailPagePrimaryContainer padded-left padded-right">
<div class="infoWrapper infoText">
<div class="nameContainer"></div>
<div class="itemMiscInfo itemMiscInfo-primary" style="margin-bottom: 0.6em"></div>
<div class="itemMiscInfo itemMiscInfo-secondary" style="margin-bottom: 0.6em"></div>
<div class="itemMiscInfo itemMiscInfo-primary" style="margin-bottom: 0.6em;"></div>
<div class="itemMiscInfo itemMiscInfo-secondary" style="margin-bottom: 0.6em;"></div>
</div>
<div class="mainDetailButtons">
<div class="mainDetailButtons focuscontainer-x">
<button is="emby-button" type="button" class="button-flat btnResume hide detailButton" title="${ButtonResume}" data-mode="resume">
<div class="detailButton-content">
<span class="material-icons detailButton-icon play_arrow"></span>
@ -95,17 +95,17 @@
<div class="itemDetailsGroup">
<div class="detailsGroupItem genresGroup hide">
<div class="genresLabel label"></div>
<div class="genres content"></div>
<div class="genres content focuscontainer-x"></div>
</div>
<div class="detailsGroupItem directorsGroup hide">
<div class="directorsLabel label"></div>
<div class="directors content"></div>
<div class="directors content focuscontainer-x"></div>
</div>
<div class="detailsGroupItem writersGroup hide">
<div class="writersLabel label"></div>
<div class="writers content"></div>
<div class="writers content focuscontainer-x"></div>
</div>
</div>
@ -124,7 +124,7 @@
</div>
</form>
<div class="recordingFields hide" style="margin: .5em 0 1.5em;"></div>
<div class="recordingFields hide" style="margin: 0.5em 0 1.5em;"></div>
<div class="detailSectionContent">
<div class="itemLastPlayed hide"></div>
@ -139,14 +139,14 @@
<p id="itemDeathDate"></p>
<p id="seriesAirTime"></p>
<div class="itemTags hide" style="margin: .7em 0;font-size:92%;"></div>
<div class="itemExternalLinks hide" style="margin: .7em 0;font-size:92%;"></div>
<div class="itemTags focuscontainer-x hide" style="margin: 0.7em 0; font-size: 92%;"></div>
<div class="itemExternalLinks focuscontainer-x hide" style="margin: 0.7em 0; font-size: 92%;"></div>
<div class="seriesRecordingEditor"></div>
</div>
</div>
</div>
<div class="seriesTimerScheduleSection verticalSection detailVerticalSection hide" style="margin-top:-3em;">
<div class="seriesTimerScheduleSection verticalSection detailVerticalSection hide" style="margin-top: -3em;">
<h2 class="sectionTitle">${Schedule}</h2>
<div class="seriesTimerSchedule padded-right"></div>
</div>
@ -205,14 +205,14 @@
</div>
<div id="specialsCollapsible" class="verticalSection detailVerticalSection hide">
<h2 class="sectionTitle sectionTitle-cards padded-right">${HeaderSpecialFeatures}</h2>
<h2 class="sectionTitle sectionTitle-cards padded-right">${SpecialFeatures}</h2>
<div is="emby-scroller" class="padded-top-focusscale padded-bottom-focusscale" data-centerfocus="true">
<div id="specialsContent" is="emby-itemscontainer" class="scrollSlider focuscontainer-x itemsContainer"></div>
</div>
</div>
<div id="musicVideosCollapsible" class="verticalSection detailVerticalSection hide">
<h2 class="sectionTitle sectionTitle-cards padded-right">${HeaderMusicVideos}</h2>
<h2 class="sectionTitle sectionTitle-cards padded-right">${MusicVideos}</h2>
<div is="emby-scroller" class="padded-top-focusscale padded-bottom-focusscale" data-centerfocus="true">
<div id="musicVideosContent" is="emby-itemscontainer" class="scrollSlider focuscontainer-x itemsContainer"></div>
</div>

View file

@ -205,7 +205,7 @@ function renderVideoSelections(page, mediaSources) {
});
const select = page.querySelector('.selectVideo');
select.setLabel(globalize.translate('LabelVideo'));
select.setLabel(globalize.translate('Video'));
const selectedId = tracks.length ? tracks[0].Index : -1;
select.innerHTML = tracks.map(function (v) {
const selected = v.Index === selectedId ? ' selected' : '';
@ -413,7 +413,7 @@ function renderName(item, container, context) {
}, {
context: context
});
parentNameHtml.push('<a style="color:inherit;" class="button-link" is="emby-linkbutton" href="' + parentRoute + '">' + item.SeriesName + '</a>');
parentNameHtml.push('<a style="color:inherit;" class="button-link" tabindex="-1" is="emby-linkbutton" href="' + parentRoute + '">' + item.SeriesName + '</a>');
} else if (item.IsSeries || item.EpisodeTitle) {
parentNameHtml.push(item.Name);
}
@ -428,7 +428,7 @@ function renderName(item, container, context) {
}, {
context: context
});
parentNameHtml.push('<a style="color:inherit;" class="button-link" is="emby-linkbutton" href="' + parentRoute + '">' + item.SeriesName + '</a>');
parentNameHtml.push('<a style="color:inherit;" class="button-link" tabindex="-1" is="emby-linkbutton" href="' + parentRoute + '">' + item.SeriesName + '</a>');
} else if (item.ParentIndexNumber != null && item.Type === 'Episode') {
parentRoute = appRouter.getRouteUrl({
Id: item.SeasonId,
@ -439,7 +439,7 @@ function renderName(item, container, context) {
}, {
context: context
});
parentNameHtml.push('<a style="color:inherit;" class="button-link" is="emby-linkbutton" href="' + parentRoute + '">' + item.SeasonName + '</a>');
parentNameHtml.push('<a style="color:inherit;" class="button-link" tabindex="-1" is="emby-linkbutton" href="' + parentRoute + '">' + item.SeasonName + '</a>');
} else if (item.ParentIndexNumber != null && item.IsSeries) {
parentNameHtml.push(item.SeasonName || 'S' + item.ParentIndexNumber);
} else if (item.Album && item.AlbumId && (item.Type === 'MusicVideo' || item.Type === 'Audio')) {
@ -452,7 +452,7 @@ function renderName(item, container, context) {
}, {
context: context
});
parentNameHtml.push('<a style="color:inherit;" class="button-link" is="emby-linkbutton" href="' + parentRoute + '">' + item.Album + '</a>');
parentNameHtml.push('<a style="color:inherit;" class="button-link" tabindex="-1" is="emby-linkbutton" href="' + parentRoute + '">' + item.Album + '</a>');
} else if (item.Album) {
parentNameHtml.push(item.Album);
}
@ -569,9 +569,12 @@ function reloadFromItem(instance, page, params, item, user) {
// Start rendering the artwork first
renderImage(page, item);
renderLogo(page, item, apiClient);
// Save some screen real estate in TV mode
if (!layoutManager.tv) {
renderLogo(page, item, apiClient);
renderDetailPageBackdrop(page, item, apiClient);
}
renderBackdrop(item);
renderDetailPageBackdrop(page, item, apiClient);
// Render the main information for the item
page.querySelector('.detailPagePrimaryContainer').classList.add('detailRibbon');
@ -763,6 +766,9 @@ function renderDetailImage(elem, item, imageLoader) {
elem.innerHTML = cardHtml;
imageLoader.lazyChildren(elem);
// Avoid breaking the design by preventing focus of the poster using the keyboard.
elem.querySelector('button').tabIndex = -1;
}
function renderImage(page, item) {
@ -1058,7 +1064,12 @@ function renderDetails(page, item, apiClient, context, isStatic) {
renderOverview(page, item);
renderMiscInfo(page, item);
reloadUserDataButtons(page, item);
renderLinks(page, item);
// Don't allow redirection to other websites from the TV layout
if (!layoutManager.tv) {
renderLinks(page, item);
}
renderTags(page, item);
renderSeriesAirTime(page, item, isStatic);
}
@ -1336,16 +1347,25 @@ function renderChildren(page, item) {
const childrenItemsContainer = page.querySelector('.childrenItemsContainer');
if (item.Type == 'MusicAlbum') {
const equalSet = (arr1, arr2) => arr1.every(x => arr2.indexOf(x) !== -1) && arr1.length === arr2.length;
let showArtist = false;
for (const track of result.Items) {
if (!equalSet(track.ArtistItems.map(x => x.Id), track.AlbumArtists.map(x => x.Id))) {
showArtist = true;
break;
}
}
const discNumbers = result.Items.map(x => x.ParentIndexNumber);
html = listView.getListViewHtml({
items: result.Items,
smallIcon: true,
showIndex: true,
showIndex: new Set(discNumbers).size > 1 || (discNumbers.length >= 1 && discNumbers[0] > 1),
index: 'disc',
showIndexNumberLeft: true,
playFromHere: true,
action: 'playallfromhere',
image: false,
artist: 'auto',
artist: showArtist,
containerAlbumArtists: item.AlbumArtists
});
isList = true;
@ -1980,6 +2000,17 @@ export default function (view, params) {
let currentItem;
const self = this;
const apiClient = params.serverId ? window.connectionManager.getApiClient(params.serverId) : ApiClient;
const btnResume = view.querySelector('.mainDetailButtons .btnResume');
const btnPlay = view.querySelector('.mainDetailButtons .btnPlay');
if (layoutManager.tv && !btnResume.classList.contains('hide')) {
btnResume.classList.add('fab');
btnResume.classList.add('detailFloatingButton');
} else if (layoutManager.tv && btnResume.classList.contains('hide')) {
btnPlay.classList.add('fab');
btnPlay.classList.add('detailFloatingButton');
}
view.querySelectorAll('.btnPlay');
bindAll(view, '.btnPlay', 'click', onPlayClick);
bindAll(view, '.btnResume', 'click', onPlayClick);

View file

@ -11,7 +11,7 @@
<form class="liveTvSettingsForm">
<div class="selectContainer">
<select is="emby-select" id="selectGuideDays" label="${LabelNumberOfGuideDays}">
<option value="">${OptionAuto}</option>
<option value="">${Auto}</option>
<option value="1">1</option>
<option value="2">2</option>
<option value="3">3</option>

View file

@ -210,7 +210,7 @@ import 'emby-itemscontainer';
tabContent.querySelector('.btnSort').addEventListener('click', function (e) {
libraryBrowser.showSortMenu({
items: [{
name: globalize.translate('OptionNameSort'),
name: globalize.translate('Name'),
id: 'SortName'
}, {
name: globalize.translate('OptionImdbRating'),

View file

@ -195,7 +195,7 @@ import 'emby-itemscontainer';
btnSort.addEventListener('click', function (e) {
libraryBrowser.showSortMenu({
items: [{
name: globalize.translate('OptionNameSort'),
name: globalize.translate('Name'),
id: 'SortName,ProductionYear'
}, {
name: globalize.translate('OptionImdbRating'),
@ -219,7 +219,7 @@ import 'emby-itemscontainer';
name: globalize.translate('OptionReleaseDate'),
id: 'PremiereDate,SortName,ProductionYear'
}, {
name: globalize.translate('OptionRuntime'),
name: globalize.translate('Runtime'),
id: 'Runtime,SortName,ProductionYear'
}],
callback: function () {

View file

@ -235,7 +235,7 @@ import 'emby-itemscontainer';
tabContent.querySelector('.btnSort').addEventListener('click', function (e) {
libraryBrowser.showSortMenu({
items: [{
name: globalize.translate('OptionNameSort'),
name: globalize.translate('Name'),
id: 'SortName'
}, {
name: globalize.translate('OptionImdbRating'),

View file

@ -238,10 +238,10 @@ import 'emby-itemscontainer';
tabContent.querySelector('.btnSort').addEventListener('click', (e) => {
libraryBrowser.showSortMenu({
items: [{
name: globalize.translate('OptionNameSort'),
name: globalize.translate('Name'),
id: 'SortName'
}, {
name: globalize.translate('OptionAlbumArtist'),
name: globalize.translate('AlbumArtist'),
id: 'AlbumArtist,SortName'
}, {
name: globalize.translate('OptionCommunityRating'),

View file

@ -158,13 +158,13 @@ import 'emby-itemscontainer';
name: globalize.translate('OptionTrackName'),
id: 'Name'
}, {
name: globalize.translate('OptionAlbum'),
name: globalize.translate('Album'),
id: 'Album,SortName'
}, {
name: globalize.translate('OptionAlbumArtist'),
name: globalize.translate('AlbumArtist'),
id: 'AlbumArtist,Album,SortName'
}, {
name: globalize.translate('OptionArtist'),
name: globalize.translate('Artist'),
id: 'Artist,Album,SortName'
}, {
name: globalize.translate('OptionDateAdded'),
@ -179,7 +179,7 @@ import 'emby-itemscontainer';
name: globalize.translate('OptionReleaseDate'),
id: 'PremiereDate,AlbumArtist,Album,SortName'
}, {
name: globalize.translate('OptionRuntime'),
name: globalize.translate('Runtime'),
id: 'Runtime,AlbumArtist,Album,SortName'
}],
callback: function () {

View file

@ -135,7 +135,7 @@
<button is="paper-icon-button-light" class="btnShowSearch btnCommand autoSize" title="${Search}" data-command="GoToSearch">
<span class="material-icons search"></span>
</button>
<button is="paper-icon-button-light" class="bthShowSettings btnCommand autoSize" title="${ButtonSettings}" data-command="GoToSettings">
<button is="paper-icon-button-light" class="bthShowSettings btnCommand autoSize" title="${Settings}" data-command="GoToSettings">
<span class="material-icons settings"></span>
</button>
</div>

View file

@ -692,7 +692,7 @@ import 'css!assets/css/videoosd';
lastUpdateTime = now;
const player = this;
currentRuntimeTicks = playbackManager.duration(player);
const currentTime = playbackManager.currentTime(player);
const currentTime = playbackManager.currentTime(player) * 10000;
updateTimeDisplay(currentTime, currentRuntimeTicks, playbackManager.playbackStartTime(player), playbackManager.getBufferedRanges(player));
const item = currentItem;
refreshProgramInfoIfNeeded(player, item);

View file

@ -31,7 +31,8 @@ import globalize from 'globalize';
dataType: 'json',
data: JSON.stringify({
Pin: view.querySelector('#txtPin').value
})
}),
contentType: 'application/json'
}).then(processForgotPasswordResult);
e.preventDefault();
return false;

View file

@ -2,7 +2,7 @@
<div class="margin-auto-y">
<div class="verticalSection flex-shrink-zero w-100 flex flex-direction-column">
<div class="padded-left padded-right flex align-items-center justify-content-center">
<h1 class="sectionTitle sectionTitle-cards">${HeaderSelectServer}</h1>
<h1 class="sectionTitle sectionTitle-cards">${SelectServer}</h1>
</div>
<div class="padded-top padded-bottom-focusscale flex-grow flex" data-horizontal="true" data-centerfocus="card">
<div is="emby-itemscontainer" class="scrollSlider focuscontainer-x servers flex-grow" style="display: block; text-align: center;" data-hovermenu="false" data-multiselect="false"></div>

View file

@ -195,7 +195,7 @@ import 'emby-itemscontainer';
tabContent.querySelector('.btnSort').addEventListener('click', function (e) {
libraryBrowser.showSortMenu({
items: [{
name: globalize.translate('OptionNameSort'),
name: globalize.translate('Name'),
id: 'SeriesSortName,SortName'
}, {
name: globalize.translate('OptionTvdbRating'),
@ -216,7 +216,7 @@ import 'emby-itemscontainer';
name: globalize.translate('OptionPlayCount'),
id: 'PlayCount,SeriesSortName,SortName'
}, {
name: globalize.translate('OptionRuntime'),
name: globalize.translate('Runtime'),
id: 'Runtime,SeriesSortName,SortName'
}],
callback: function () {

View file

@ -250,7 +250,7 @@ import 'emby-itemscontainer';
tabContent.querySelector('.btnSort').addEventListener('click', function (e) {
libraryBrowser.showSortMenu({
items: [{
name: globalize.translate('OptionNameSort'),
name: globalize.translate('Name'),
id: 'SortName'
}, {
name: globalize.translate('OptionImdbRating'),

View file

@ -1,4 +1,4 @@
<div id="myPreferencesMenuPage" data-role="page" class="page libraryPage userPreferencesPage noSecondaryNavPage" data-title="${HeaderSettings}" data-backbutton="true">
<div id="myPreferencesMenuPage" data-role="page" class="page libraryPage userPreferencesPage noSecondaryNavPage" data-title="${Settings}" data-backbutton="true">
<div class="padded-left padded-right padded-bottom-page padded-top">
<div class="readOnlyContent" style="margin: 0 auto;">
<div class="verticalSection verticalSection-extrabottompadding">
@ -7,7 +7,7 @@
<div class="listItem">
<span class="material-icons listItemIcon listItemIcon-transparent person"></span>
<div class="listItemBody">
<div class="listItemBodyText">${ButtonProfile}</div>
<div class="listItemBodyText">${Profile}</div>
</div>
</div>
</a>
@ -57,7 +57,7 @@
</div>
</a>
</div>
<div class="adminSection verticalSection verticalSection-extrabottompadding">
<div class="adminSection verticalSection verticalSection-extrabottompadding hide">
<h2 class="sectionTitle" style="padding-left:.25em;">${HeaderAdmin}</h2>
<a is="emby-linkbutton" href="dashboard.html" style="display:block;padding:0;margin:0;" class="listItem-border">
<div class="listItem">
@ -82,7 +82,7 @@
<div class="listItem">
<span class="material-icons listItemIcon listItemIcon-transparent wifi"></span>
<div class="listItemBody">
<div class="listItemBodyText">${HeaderSelectServer}</div>
<div class="listItemBodyText">${SelectServer}</div>
</div>
</div>
</a>

View file

@ -1,4 +1,5 @@
import appHost from 'apphost';
import layoutManager from 'layoutManager';
import 'listViewStyle';
import 'emby-button';
@ -38,19 +39,19 @@ export default function (view, params) {
page.querySelector('.selectServer').classList.add('hide');
}
// hide the actions if user preferences are being edited for a different user
ApiClient.getUser(userId).then(function (user) {
page.querySelector('.headerUsername').innerHTML = user.Name;
if (user.Policy.IsAdministrator && !layoutManager.tv) {
page.querySelector('.adminSection').classList.remove('hide');
}
});
// Hide the actions if user preferences are being edited for a different user
if (params.userId && params.userId !== Dashboard.getCurrentUserId) {
page.querySelector('.userSection').classList.add('hide');
page.querySelector('.adminSection').classList.add('hide');
}
ApiClient.getUser(userId).then(function (user) {
page.querySelector('.headerUsername').innerHTML = user.Name;
if (!user.Policy.IsAdministrator) {
page.querySelector('.adminSection').classList.add('hide');
}
});
import('autoFocuser').then(({default: autoFocuser}) => {
autoFocuser.autoFocus(view);
});

View file

@ -1,4 +1,4 @@
<div id="userImagePage" data-role="page" class="page libraryPage userPreferencesPage userPasswordPage noSecondaryNavPage" data-title="${HeaderProfile}" data-menubutton="false">
<div id="userImagePage" data-role="page" class="page libraryPage userPreferencesPage userPasswordPage noSecondaryNavPage" data-title="${Profile}" data-menubutton="false">
<div class="padded-left padded-right padded-bottom-page">
<div class="readOnlyContent" style="margin: 0 auto; padding: 0 1em;">
<div style="position:relative;display:inline-block;max-width:200px;">
@ -35,7 +35,7 @@
<span>${Save}</span>
</button>
<button is="emby-button" type="button" id="btnResetPassword" class="raised cancel block hide">
<span>${ButtonResetPassword}</span>
<span>${ResetPassword}</span>
</button>
</div>
</div>

View file

@ -12,7 +12,8 @@ function save(page) {
apiClient.ajax({
type: 'POST',
data: JSON.stringify(config),
url: apiClient.getUrl('Startup/RemoteAccess')
url: apiClient.getUrl('Startup/RemoteAccess'),
contentType: 'application/json'
}).then(function () {
loading.hide();
navigateToNextPage();

View file

@ -12,7 +12,8 @@ function save(page) {
apiClient.ajax({
type: 'POST',
data: JSON.stringify(config),
url: apiClient.getUrl('Startup/Configuration')
url: apiClient.getUrl('Startup/Configuration'),
contentType: 'application/json'
}).then(function () {
loading.hide();
navigateToNextPage();

View file

@ -18,7 +18,8 @@ function save(page) {
apiClient.ajax({
type: 'POST',
data: JSON.stringify(config),
url: apiClient.getUrl('Startup/Configuration')
url: apiClient.getUrl('Startup/Configuration'),
contentType: 'application/json'
}).then(function () {
Dashboard.navigate('wizarduser.html');
});

View file

@ -27,7 +27,8 @@ function submit(form) {
Name: form.querySelector('#txtUsername').value,
Password: form.querySelector('#txtManualPassword').value
}),
url: apiClient.getUrl('Startup/User')
url: apiClient.getUrl('Startup/User'),
contentType: 'application/json'
}).then(onUpdateUserComplete);
}

View file

@ -0,0 +1,34 @@
// Polyfill for vendor prefixed style properties
(function () {
const vendorProperties = {
'transform': ['webkitTransform'],
'transition': ['webkitTransition']
};
const elem = document.createElement('div');
function polyfillProperty(name) {
if (!(name in elem.style)) {
(vendorProperties[name] || []).every((vendorName) => {
if (vendorName in elem.style) {
console.debug(`polyfill '${name}' with '${vendorName}'`);
Object.defineProperty(CSSStyleDeclaration.prototype, name, {
get: function () { return this[vendorName]; },
set: function (val) { this[vendorName] = val; }
});
return false;
}
return true;
});
}
}
if (elem.style instanceof CSSStyleDeclaration) {
polyfillProperty('transform');
polyfillProperty('transition');
}
})();

View file

@ -256,7 +256,11 @@ var scrollerFactory = function (frame, options) {
ensureSizeInfo();
var pos = self._pos;
newPos = within(newPos, pos.start, pos.end);
if (layoutManager.tv) {
newPos = within(newPos, pos.start);
} else {
newPos = within(newPos, pos.start, pos.end);
}
if (!transform) {
nativeScrollTo(nativeScrollElement, newPos, immediate);

View file

@ -949,12 +949,12 @@ class ChromecastPlayer {
currentTime(val) {
if (val != null) {
return this.seek(val);
return this.seek(val * 10000);
}
let state = this.lastPlayerData || {};
state = state.PlayState || {};
return state.PositionTicks;
return state.PositionTicks / 10000;
}
duration() {

View file

@ -0,0 +1,214 @@
import connectionManager from 'connectionManager';
import loading from 'loading';
import dialogHelper from 'dialogHelper';
import keyboardnavigation from 'keyboardnavigation';
import appRouter from 'appRouter';
import * as libarchive from 'libarchive';
export class ComicsPlayer {
constructor() {
this.name = 'Comics Player';
this.type = 'mediaplayer';
this.id = 'comicsplayer';
this.priority = 1;
this.imageMap = new Map();
this.onDialogClosed = this.onDialogClosed.bind(this);
this.onWindowKeyUp = this.onWindowKeyUp.bind(this);
}
play(options) {
this.progress = 0;
let elem = this.createMediaElement();
return this.setCurrentSrc(elem, options);
}
stop() {
this.unbindEvents();
let elem = this.mediaElement;
if (elem) {
dialogHelper.close(elem);
this.mediaElement = null;
}
loading.hide();
}
onDialogClosed() {
this.stop();
}
onWindowKeyUp(e) {
let key = keyboardnavigation.getKeyName(e);
switch (key) {
case 'Escape':
this.stop();
break;
}
}
bindEvents() {
document.addEventListener('keyup', this.onWindowKeyUp);
}
unbindEvents() {
document.removeEventListener('keyup', this.onWindowKeyUp);
}
createMediaElement() {
let elem = this.mediaElement;
if (elem) {
return elem;
}
elem = document.getElementById('comicsPlayer');
if (!elem) {
elem = dialogHelper.createDialog({
exitAnimationDuration: 400,
size: 'fullscreen',
autoFocus: false,
scrollY: false,
exitAnimation: 'fadeout',
removeOnClose: true
});
elem.id = 'comicsPlayer';
elem.classList.add('slideshowDialog');
elem.innerHTML = '<div class="slideshowSwiperContainer"><div class="swiper-wrapper"></div></div>';
this.bindEvents();
dialogHelper.open(elem);
}
this.mediaElement = elem;
return elem;
}
setCurrentSrc(elem, options) {
let item = options.items[0];
this.currentItem = item;
loading.show();
let serverId = item.ServerId;
let apiClient = connectionManager.getApiClient(serverId);
libarchive.Archive.init({
workerUrl: appRouter.baseUrl() + '/libraries/worker-bundle.js'
});
return new Promise((resolve, reject) => {
let downloadUrl = apiClient.getItemDownloadUrl(item.Id);
const archiveSource = new ArchiveSource(downloadUrl);
var instance = this;
import('swiper').then(({default: Swiper}) => {
archiveSource.load().then(() => {
loading.hide();
this.swiperInstance = new Swiper(elem.querySelector('.slideshowSwiperContainer'), {
direction: 'horizontal',
// loop is disabled due to the lack of support in virtual slides
loop: false,
zoom: {
minRatio: 1,
toggle: true,
containerClass: 'slider-zoom-container'
},
autoplay: false,
keyboard: {
enabled: true
},
preloadImages: true,
slidesPerView: 1,
slidesPerColumn: 1,
initialSlide: 0,
// reduces memory consumption for large libraries while allowing preloading of images
virtual: {
slides: archiveSource.urls,
cache: true,
renderSlide: instance.getImgFromUrl,
addSlidesBefore: 1,
addSlidesAfter: 1
}
});
});
});
});
}
getImgFromUrl(url) {
return `<div class="swiper-slide">
<div class="slider-zoom-container">
<img src="${url}" class="swiper-slide-img">
</div>
</div>`;
}
canPlayMediaType(mediaType) {
return (mediaType || '').toLowerCase() === 'book';
}
canPlayItem(item) {
if (item.Path && (item.Path.endsWith('cbz') || item.Path.endsWith('cbr'))) {
return true;
}
return false;
}
}
class ArchiveSource {
constructor(url) {
this.url = url;
this.files = [];
this.urls = [];
this.loadPromise = this.load();
this.itemsLoaded = 0;
}
async load() {
let res = await fetch(this.url);
if (!res.ok) {
return;
}
let blob = await res.blob();
this.archive = await libarchive.Archive.open(blob);
this.raw = await this.archive.getFilesArray();
this.numberOfFiles = this.raw.length;
await this.archive.extractFiles();
let files = await this.archive.getFilesArray();
files.sort((a, b) => {
if (a.file.name < b.file.name) {
return -1;
} else {
return 1;
}
});
for (let file of files) {
/* eslint-disable-next-line compat/compat */
let url = URL.createObjectURL(file.file);
this.urls.push(url);
}
}
getLength() {
return this.raw.length;
}
async item(index) {
if (this.urls[index]) {
return this.urls[index];
}
await this.loadPromise;
return this.urls[index];
}
}
export default ComicsPlayer;

View file

@ -132,10 +132,7 @@ class HtmlAudioPlayer {
return new Promise(function (resolve, reject) {
requireHlsPlayer(function () {
const hls = new Hls({
manifestLoadingTimeOut: 20000,
xhrSetup: function (xhr, url) {
xhr.withCredentials = true;
}
manifestLoadingTimeOut: 20000
});
hls.loadSource(val);
hls.attachMedia(elem);

View file

@ -392,10 +392,7 @@ function tryRemoveElement(elem) {
return new Promise((resolve, reject) => {
requireHlsPlayer(() => {
const hls = new Hls({
manifestLoadingTimeOut: 20000,
xhrSetup(xhr) {
xhr.withCredentials = true;
}
manifestLoadingTimeOut: 20000
});
hls.loadSource(url);
hls.attachMedia(elem);
@ -1392,7 +1389,12 @@ function tryRemoveElement(elem) {
const list = [];
const video = document.createElement('video');
if (video.webkitSupportsPresentationMode && typeof video.webkitSetPresentationMode === 'function' || document.pictureInPictureEnabled) {
if (
// Check non-standard Safari PiP support
typeof video.webkitSupportsPresentationMode === 'function' && video.webkitSupportsPresentationMode('picture-in-picture') && typeof video.webkitSetPresentationMode === 'function'
// Check standard PiP support
|| document.pictureInPictureEnabled
) {
list.push('PictureInPicture');
} else if (window.Windows) {
if (Windows.UI.ViewManagement.ApplicationView.getForCurrentView().isViewModeSupported(Windows.UI.ViewManagement.ApplicationViewMode.compactOverlay)) {

View file

@ -321,12 +321,12 @@ class SessionPlayer {
currentTime(val) {
if (val != null) {
return this.seek(val);
return this.seek(val * 10000);
}
let state = this.lastPlayerData || {};
state = state.PlayState || {};
return state.PositionTicks;
return state.PositionTicks / 10000;
}
duration() {

View file

@ -35,7 +35,8 @@
// Promise() being missing on some legacy browser, and a funky one
// is Promise() present but buggy on WebOS 2
window.Promise = undefined;
window.Promise = undefined;
/* eslint-disable-next-line no-restricted-globals -- Explicit check on self needed */
self.Promise = undefined;
}
if (!window.Promise) {

View file

@ -75,10 +75,24 @@ function hasKeyboard(browser) {
function iOSversion() {
// MacIntel: Apple iPad Pro 11 iOS 13.1
if (/iP(hone|od|ad)|MacIntel/.test(navigator.platform)) {
// supports iOS 2.0 and later: <http://bit.ly/TJjs1V>
const v = (navigator.appVersion).match(/OS (\d+)_(\d+)_?(\d+)?/);
return [parseInt(v[1], 10), parseInt(v[2], 10), parseInt(v[3] || 0, 10)];
const tests = [
// Original test for getting full iOS version number in iOS 2.0+
/OS (\d+)_(\d+)_?(\d+)?/,
// Test for iPads running iOS 13+ that can only get the major OS version
/Version\/(\d+)/
];
for (const test of tests) {
const matches = (navigator.appVersion).match(test);
if (matches) {
return [
parseInt(matches[1], 10),
parseInt(matches[2] || 0, 10),
parseInt(matches[3] || 0, 10)
];
}
}
}
return [];
}
let _supportsCssAnimation;
@ -196,6 +210,15 @@ if (!browser.chrome && !browser.edgeChromium && !browser.edge && !browser.opera
browser.safari = true;
}
browser.osx = userAgent.toLowerCase().indexOf('os x') !== -1;
// This is a workaround to detect iPads on iOS 13+ that report as desktop Safari
// This may break in the future if Apple releases a touchscreen Mac
// https://forums.developer.apple.com/thread/119186
if (browser.osx && !browser.iphone && !browser.ipod && !browser.ipad && navigator.maxTouchPoints > 1) {
browser.ipad = true;
}
if (userAgent.toLowerCase().indexOf('playstation 4') !== -1) {
browser.ps4 = true;
browser.tv = true;
@ -242,7 +265,6 @@ if (typeof document !== 'undefined') {
browser.keyboard = hasKeyboard(browser);
browser.supportsCssAnimation = supportsCssAnimation;
browser.osx = userAgent.toLowerCase().indexOf('os x') !== -1;
browser.iOS = browser.ipad || browser.iphone || browser.ipod;
if (browser.iOS) {

View file

@ -59,7 +59,7 @@ function renderItems(page, item) {
if (item.MusicVideoCount) {
sections.push({
name: globalize.translate('HeaderMusicVideos'),
name: globalize.translate('MusicVideos'),
type: 'MusicVideo'
});
}

View file

@ -49,7 +49,7 @@ export function showLayoutMenu (button, currentLayout, views) {
var menuItems = views.map(function (v) {
return {
name: globalize.translate('Option' + v),
name: globalize.translate(v),
id: v,
selected: currentLayout == v
};
@ -182,9 +182,9 @@ export function showSortMenu (options) {
html += '</h2>';
html += '<div>';
isChecked = options.query.SortOrder == 'Ascending' ? ' checked' : '';
html += '<label class="radio-label-block"><input type="radio" is="emby-radio" name="SortOrder" value="Ascending" class="menuSortOrder" ' + isChecked + ' /><span>' + globalize.translate('OptionAscending') + '</span></label>';
html += '<label class="radio-label-block"><input type="radio" is="emby-radio" name="SortOrder" value="Ascending" class="menuSortOrder" ' + isChecked + ' /><span>' + globalize.translate('Ascending') + '</span></label>';
isChecked = options.query.SortOrder == 'Descending' ? ' checked' : '';
html += '<label class="radio-label-block"><input type="radio" is="emby-radio" name="SortOrder" value="Descending" class="menuSortOrder" ' + isChecked + ' /><span>' + globalize.translate('OptionDescending') + '</span></label>';
html += '<label class="radio-label-block"><input type="radio" is="emby-radio" name="SortOrder" value="Descending" class="menuSortOrder" ' + isChecked + ' /><span>' + globalize.translate('Descending') + '</span></label>';
html += '</div>';
html += '</div>';
dlg.innerHTML = html;

View file

@ -73,6 +73,8 @@ import 'flexStyles';
}
function updateUserInHeader(user) {
renderHeader();
let hasImage;
if (user && user.name) {
@ -292,10 +294,10 @@ import 'flexStyles';
html += '</h3>';
if (appHost.supports('multiserver')) {
html += '<a is="emby-linkbutton" class="navMenuOption lnkMediaFolder" data-itemid="selectserver" href="selectserver.html?showuser=1"><span class="material-icons navMenuOptionIcon wifi"></span><span class="navMenuOptionText">' + globalize.translate('ButtonSelectServer') + '</span></a>';
html += '<a is="emby-linkbutton" class="navMenuOption lnkMediaFolder" data-itemid="selectserver" href="selectserver.html?showuser=1"><span class="material-icons navMenuOptionIcon wifi"></span><span class="navMenuOptionText">' + globalize.translate('SelectServer') + '</span></a>';
}
html += '<a is="emby-linkbutton" class="navMenuOption lnkMediaFolder btnSettings" data-itemid="settings" href="#"><span class="material-icons navMenuOptionIcon settings"></span><span class="navMenuOptionText">' + globalize.translate('ButtonSettings') + '</span></a>';
html += '<a is="emby-linkbutton" class="navMenuOption lnkMediaFolder btnSettings" data-itemid="settings" href="#"><span class="material-icons navMenuOptionIcon settings"></span><span class="navMenuOptionText">' + globalize.translate('Settings') + '</span></a>';
html += '<a is="emby-linkbutton" class="navMenuOption lnkMediaFolder btnLogout" data-itemid="logout" href="#"><span class="material-icons navMenuOptionIcon exit_to_app"></span><span class="navMenuOptionText">' + globalize.translate('ButtonSignOut') + '</span></a>';
html += '</div>';
}
@ -954,8 +956,6 @@ import 'flexStyles';
updateLibraryNavLinks(page);
});
renderHeader();
events.on(window.connectionManager, 'localusersignedin', function (e, user) {
const currentApiClient = window.connectionManager.getApiClient(user.ServerId);

View file

@ -214,6 +214,7 @@ function initClient() {
});
require(['mouseManager']);
require(['focusPreventScroll']);
require(['vendorStyles']);
require(['autoFocuser'], function(autoFocuser) {
autoFocuser.enable();
});
@ -517,7 +518,8 @@ function initClient() {
'events',
'credentialprovider',
'connectionManagerFactory',
'appStorage'
'appStorage',
'comicReader'
]
},
urlArgs: urlArgs,
@ -647,6 +649,7 @@ function initClient() {
});
define('slideshow', [componentsPath + '/slideshow/slideshow'], returnFirstDependency);
define('focusPreventScroll', ['legacy/focusPreventScroll'], returnFirstDependency);
define('vendorStyles', ['legacy/vendorStyles'], returnFirstDependency);
define('userdataButtons', [componentsPath + '/userdatabuttons/userdatabuttons'], returnFirstDependency);
define('listView', [componentsPath + '/listview/listview'], returnFirstDependency);
define('indicators', [componentsPath + '/indicators/indicators'], returnFirstDependency);

View file

@ -109,7 +109,6 @@
"Transcoding": "Trankodering",
"Trailers": "Voorprente",
"TrackCount": "{0} nommers",
"Track": "Nommer",
"TitlePlayback": "Terugspeel",
"TitleHostingSettings": "Hosting Instellings",
"TitleHardwareAcceleration": "Hardeware Versnelling",
@ -122,12 +121,10 @@
"TellUsAboutYourself": "Vertel ons van jouself",
"TabUpcoming": "Komende",
"TabStreaming": "Stroom",
"TabSettings": "Instellings",
"TabServer": "Bediener",
"TabScheduledTasks": "Geskeduleerde Take",
"TabResponses": "Reaksies",
"TabProfiles": "Profiele",
"TabProfile": "Profiel",
"TabParentalControl": "Ouer Beheer",
"TabOther": "Ander",
"TabNotifications": "Kennisgewings",

View file

@ -24,7 +24,6 @@
"ButtonEditOtherUserPreferences": "اضبط إعدادات حساب المستخدم هذا، وصورته وتفضيلاته الشخصية.",
"ButtonForgotPassword": "نسيت كلمة السر",
"ButtonFullscreen": "ملء الشاشة",
"ButtonGuide": "الدليل",
"ButtonInfo": "معلومات",
"ButtonLibraryAccess": "صلاحيات المكتبة",
"ButtonManualLogin": "الدخول اليدوي",
@ -36,21 +35,16 @@
"ButtonParentalControl": "التحكم الأبوي",
"ButtonPause": "توقف مؤقت",
"ButtonPreviousTrack": "المقطوعة السابقة",
"ButtonProfile": "حساب",
"ButtonQuickStartGuide": "دليل بدء الاستخدام السريع",
"ButtonRefreshGuideData": "إعادة تنشيط بيانات الدليل",
"ButtonRemove": "إزالة",
"ButtonRename": "إعادة التسمية",
"ButtonResetEasyPassword": "إعادة تهيئة الرمز الشخصي الميسر",
"ButtonResetPassword": "إعادة تهيئة كلمة السر",
"ButtonRestart": "إعادة التشغيل",
"ButtonResume": "استأنف",
"ButtonRevoke": "أرفض",
"ButtonSelectDirectory": "إختر الدليلة",
"ButtonSelectServer": "إختر الخادم",
"ButtonSelectView": "إختر طريقة عرض",
"ButtonSend": "إرسال",
"ButtonSettings": "الإعدادات",
"ButtonShutdown": "إنهاء التشغيل",
"ButtonSignIn": "تسجيل الدخول",
"ButtonSignOut": "تسجيل الخروج",
@ -173,7 +167,6 @@
"HeaderMedia": "الوسائط",
"HeaderMediaFolders": "مجلدات الوسائط",
"HeaderMoreLikeThis": "المزيد من الروابط لهذا",
"HeaderMusicVideos": "الفيديوهات الموسيقية",
"HeaderMyMedia": "وسائطي",
"HeaderNewApiKey": "مفتاح API جديد",
"HeaderOtherItems": "عناصر أخرى",
@ -187,7 +180,6 @@
"HeaderPleaseSignIn": "الرجاء تسجيل الدخول",
"HeaderPluginInstallation": "تثبيت الملحفات",
"HeaderPreferredMetadataLanguage": "اللغة المفضلة لواصفات البيانات",
"HeaderProfile": "الحساب",
"HeaderProfileInformation": "معلومات العريضة",
"HeaderProfileServerSettingsHelp": "هذه القيم ستتحكم في كيفية تقديم شكل الخادم في للعملاء.",
"HeaderRecentlyPlayed": "تم تشغيله مؤخراً",
@ -197,7 +189,6 @@
"HeaderRemoveMediaLocation": "إحذف مكان الوسائط",
"HeaderResponseProfile": "عريضة الرد",
"HeaderResponseProfileHelp": "عرائض الرد تتيح طريقة لتخصيص المعلومات المرسلة إلى جهاز ما عند تشغيل نوع من أنواع الوسائط.",
"HeaderRestart": "إعادة التشغيل",
"HeaderRevisionHistory": "تاريخ المراجعات",
"HeaderRunningTasks": "المهام المشغّلة",
"HeaderScenes": "المشاهد",
@ -206,19 +197,16 @@
"HeaderSelectMetadataPath": "إختر مسار واصفات البيانات",
"HeaderSelectMetadataPathHelp": "تصفح أو أدخل المسار الذي ترغب أن يُستخدم لحفظ واصفات البيانات. يجب أن يكون هذا المجلد قابل للكتابة فيه.",
"HeaderSelectPath": "إختر المسار",
"HeaderSelectServer": "إختر الخادم",
"HeaderSelectServerCachePath": "إختر مسار كاشة الخادم",
"HeaderSelectServerCachePathHelp": "تصفح أو أدخل المسار الذي ترغب أن يُستخدم كاشة لملفات الخادم. يجب أن يكون هذا المجلد قابل للكتابة فيه.",
"HeaderSelectTranscodingPath": "إختر المسار المؤقت للتشفير البيني",
"HeaderSelectTranscodingPathHelp": "تصفح أو أدخل المسار الذي ترغب أن يُستخدم لملفات التشفير البيني. يجب أن يكون هذا المجلد قابل للكتابة فيه.",
"HeaderSendMessage": "أرسل رسالة",
"HeaderServerSettings": "إعدادات الخادم",
"HeaderSettings": "الإعدادات",
"HeaderSetupLibrary": "ضبط مكتبة المحتوى الخاصة بك",
"HeaderSortBy": "ترتيب حسب",
"HeaderSortOrder": "تسلسل الترتيب",
"HeaderSpecialEpisodeInfo": "معلومات الحلقة الخاصة",
"HeaderSpecialFeatures": "المحتويات الخاصة",
"HeaderStatus": "الوضعية",
"HeaderSubtitleProfile": "عريضة الترجمة",
"HeaderSubtitleProfiles": "عرائض الترجمة",
@ -570,8 +558,6 @@
"NumLocationsValue": "{0} مجلد(ات)",
"Option3D": "ثلاثي أبعاد",
"OptionAdminUsers": "المدراء",
"OptionAlbum": "الألبوم",
"OptionAlbumArtist": "ألبوم الفنان",
"OptionAllUsers": "جميع المستخدمين",
"OptionAllowAudioPlaybackTranscoding": "تمكين تشغيل الصوت الذي يحتاج تشفيراً بينياً",
"OptionAllowBrowsingLiveTv": "السماح للوصول إلى قنوات التلفزة الحية",
@ -586,21 +572,10 @@
"OptionAllowUserToManageServer": "إسمح لهذا المستخدم بالتحكم بالخادم",
"OptionAllowVideoPlaybackRemuxing": "تمكين تشغيل الفيديو الذي يحتاج إلى التحويل من غير تشفير",
"OptionAllowVideoPlaybackTranscoding": "تمكين تشغيل الفيديو الذي يحتاج تشفيراً بينياً",
"OptionArtist": "الفنان",
"OptionAscending": "تصاعدي",
"OptionAuto": "آلي",
"OptionAutomaticallyGroupSeries": "إدمج الحلقات الموزعة بين عدة مجلدات إلى مجلد واحد تلقائياً.",
"OptionAutomaticallyGroupSeriesHelp": "في حال التفعيل فإن الحلقات الموزعة بين عدة مجلدات ستدمج تلقائياً في مجلد مسلسل واحد.",
"OptionBlockBooks": "الكتب",
"OptionBlockChannelContent": "محتوى قنوات الإنترنت",
"OptionBlockLiveTvChannels": "قنوات التلفاز المباشر",
"OptionBlockMovies": "الأفلام",
"OptionBlockMusic": "الموسيقى",
"OptionBlockTrailers": "العروض الإعلانية",
"OptionBlockTvShows": "المسلسلات التلفزيونية",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (أجهزة سامسونج)",
"OptionCommunityRating": "تقييم المجتمع",
"OptionContinuing": "متابعة",
"OptionCriticRating": "تقييم النقاد",
"OptionCustomUsers": "مخصوص",
"OptionDaily": "يومي",
@ -608,22 +583,12 @@
"OptionDateAddedFileTime": "استخدم تاريخ إنشاء الملف",
"OptionDateAddedImportTime": "استخدم تاريخ التمشيط في المكتبة",
"OptionDatePlayed": "تاريخ التشغيل",
"OptionDescending": "تنازلي",
"OptionDisableUser": "تعطيل هذا المستخدم",
"OptionDisableUserHelp": "عند التعطيل، فلن يسمح الخادم لهذا المستخدم بالاتصال. وسيتم قطع الاتصالات الموجودة بشكل فوري.",
"OptionDislikes": "المنكورات",
"OptionDisplayFolderView": "استعراض المجلد كمجلد وسائط بسيطة",
"OptionDisplayFolderViewHelp": "عند التفعيل، فإن تطبيقات أمبي ستعرض تصنيفات المجلدات إلى جانب إظهار مكتبة وسائطك. سيكون ذلك مفيد إن كنت تحب أن تستعرض المجلدات كمجلدات عرض بسيطة",
"OptionDownloadArtImage": "فنيات",
"OptionDownloadBackImage": "للخلف",
"OptionDownloadBannerImage": "اليافطة",
"OptionDownloadBoxImage": "الصندوق",
"OptionDownloadDiscImage": "القرص",
"OptionDownloadImagesInAdvance": "أنزل الصور مسبقاً",
"OptionDownloadLogoImage": "اللوغو",
"OptionDownloadMenuImage": "القائمة",
"OptionDownloadPrimaryImage": "أولي",
"OptionDownloadThumbImage": "القصاصة",
"OptionEmbedSubtitles": "ضمّن داخل الحاوية",
"OptionEnableAccessFromAllDevices": "تفعيل الدخول على كافة الأجهزة",
"OptionEnableAccessToAllChannels": "تفعيل الدخول على كافة القنوات",
@ -633,22 +598,16 @@
"OptionEnableForAllTuners": "تمكين كل أجهزة المولفات",
"OptionEnableM2tsMode": "تفعيل طور M2ts",
"OptionEnableM2tsModeHelp": "تفعيل طور M2ts عند التشفير إلى صيغة mpegts.",
"OptionEnded": "إنتهى",
"OptionEquals": "تساوي",
"OptionEstimateContentLength": "توقّع طور المحتوى حال التشفير",
"OptionEveryday": "كل يوم",
"OptionExternallyDownloaded": "الإنزال من الخارج",
"OptionExtractChapterImage": "تفعيل استخلاص صور الأبواب",
"OptionFavorite": "المفضلات",
"OptionHasSpecialFeatures": "المحتويات الخاصة",
"OptionHasSubtitles": "الترجمة",
"OptionHasThemeSong": "أغنية الشارة",
"OptionHasThemeVideo": "فيديو الشارة",
"OptionHasTrailer": "العرض الإعلاني",
"OptionHideUser": "أخفي هذا المستخدم من شاشة الدخول",
"OptionHideUserFromLoginHelp": "هذه مفيدة لحسابات المدراء المتخفّين أو الخصوصيين. على المستخدم في هذه الحالة أن يدخل بياناته يدوياً عبر إدخال اسم المستخدم وكلمة السر.",
"OptionHlsSegmentedSubtitles": "ترجمات hsl مقطّعة",
"OptionHomeVideos": "الفيديوهات والصور المنزلية",
"OptionIgnoreTranscodeByteRangeRequests": "تجاهل طلبات مديات البايتات أثناء التشفير البيني",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "عند التفعيل، فسيلتزم بهذه الطلبات ولكن سيتم تجاهل رؤوس مديات البايتات.",
"OptionImdbRating": "تقييم IMDb",
@ -657,8 +616,6 @@
"OptionLikes": "المحببات",
"OptionMax": "الحد الأقصى",
"OptionMissingEpisode": "حلفة مفقودة",
"OptionNameSort": "الاسم",
"OptionNone": "لا شيء",
"OptionOnInterval": "بناء على فترة",
"OptionParentalRating": "التصنيف الأبوي",
"OptionPlainStorageFolders": "غرض جميع المجلدات كمجلدات تخزين بسيطة",
@ -666,9 +623,7 @@
"OptionPlainVideoItems": "إظهار جميع الفيديوهات كعناصر فيديو بسيطة",
"OptionPlainVideoItemsHelp": "عند التفعيل، فإن جميع الفيديوهات ستُمثّل في مخطط DIDL كالتالي: \"كائن.عنصر.عنصر_فيديو\" بدلاً من النوع الأكثر تخصيصاً كما يلي \"كائن.عنصر.عنصر_فيديو.فيلم\".",
"OptionPlayCount": "مرات التشغيل",
"OptionPlayed": "معزوف",
"OptionPremiereDate": "تاريخ العرض",
"OptionProfileAudio": "الصوتيات",
"OptionProfilePhoto": "صور",
"OptionProfileVideo": "الفيديو",
"OptionProfileVideoAudio": "صوتي مرئي",
@ -679,14 +634,12 @@
"OptionRequirePerfectSubtitleMatch": "نزّل فقط الترجمات التي توافق بدقة ملفات الفيديو الخاصة بي",
"OptionResElement": "عناصر res",
"OptionResumable": "إمكانية التكملة",
"OptionRuntime": "زمن التشغيل",
"OptionSaveMetadataAsHidden": "حفظ واصفات البيانات والصور كملفات مخفية",
"OptionSaveMetadataAsHiddenHelp": "إن تغيير هذه سيطبق على واصفات البيانات الجديدة من الآن. أما واصفات البيانات الموجودة مسبقاً، فهي ستحدث من قبل الخادم في المرة القادمة التي يتم حفظها.",
"OptionSpecialEpisode": "حصريات",
"OptionTrackName": "اسم المقطوعة",
"OptionTvdbRating": "تقييم Tvdb",
"OptionUnairedEpisode": "حلفة لم تبثّ",
"OptionUnplayed": "غير معزوف",
"OptionWakeFromSleep": "استيقظ من السبات",
"OptionWeekdays": "أيام الأسبوع",
"OptionWeekends": "أيام العطلة",
@ -696,7 +649,6 @@
"PasswordMatchError": "كلمة السر وتاكيدها يجب ان يتطابقان.",
"PasswordResetComplete": "لقد تم اعادة تعيين كلمة السر.",
"PasswordResetConfirmation": "هل انت متاكد من انك تريد اعادة تعيين كلمة السر؟",
"HeaderResetPassword": "إعادة تهيئة كلمة السر",
"PasswordSaved": "تم حفظ كلمة السر.",
"PictureInPicture": "صورة داخل صورة",
"PinCodeResetComplete": "تمت إعادة تهيئة الرمز الشخصي",
@ -741,12 +693,10 @@
"TabOther": "أخرى",
"TabParentalControl": "التحكم الأبوي",
"TabPlugins": "الملحقات",
"TabProfile": "عريضة",
"TabProfiles": "الحسابات",
"TabResponses": "الردود",
"TabScheduledTasks": "المهام المجدولة",
"TabServer": "الخادم",
"TabSettings": "الإعدادات",
"TabStreaming": "التشغيل التدفقي",
"TabUpcoming": "القادم",
"TellUsAboutYourself": "اخبرنا عن نفسك",
@ -805,14 +755,9 @@
"Playlists": "قوائم التشغيل",
"Photos": "الصور",
"Movies": "الأفلام",
"HeaderFavoriteSongs": "الأغاني المفضلة",
"HeaderFavoriteShows": "المسلسلات المفضلة",
"HeaderFavoriteEpisodes": "الحلقات المفضلة",
"HeaderFavoriteArtists": "الفنانون المفضلون",
"Shows": "الحلقات",
"Books": "الكتب",
"ValueSpecialEpisodeName": "خاص - {0}",
"HeaderFavoriteAlbums": "الألبومات المفضلة",
"HeaderAlbumArtists": "فناني الألبومات",
"Genres": "التضنيفات",
"Folders": "المجلدات",
@ -886,12 +831,7 @@
"MessageConfirmRecordingCancellation": "الغاء التسجيل؟",
"MessageAreYouSureDeleteSubtitles": "هل انت متأكد انك تريد حذف ملف الترجمة هذا؟",
"Menu": "القائمة",
"MediaInfoStreamTypeSubtitle": "الترجمة",
"MediaInfoStreamTypeEmbeddedImage": "الصورة المضمنة",
"MediaInfoStreamTypeData": "البيانات",
"MediaInfoStreamTypeAudio": "الصوت",
"MediaIsBeingConverted": "يتم تحويل الوسط الى صيغة متوافقة مع الحهاز الذي يشغل الوسط.",
"MediaInfoStreamTypeVideo": "فيديو",
"ContinueWatching": "اكمل المشاهدة",
"Horizontal": "عرضي",
"Home": "الصفحة الرئيسية",
@ -936,7 +876,6 @@
"Album": "الألبوم",
"Disconnect": "قطع الاتصال",
"Disc": "القرص",
"Disabled": "تعطيل",
"Directors": "المخرجون",
"Director": "المخرج",
"DirectPlaying": "بث بدون تحويل الصيغة",
@ -973,11 +912,6 @@
"HeaderIdentifyItemHelp": "أدخل معيار بحث واحد أو أكثر. إزالة المعايير لزيادة نتائج البحث.",
"HeaderHttpsSettings": "إعدادات HTTPS",
"HeaderFetcherSettings": "إعدادات الجلب",
"HeaderFavoritePlaylists": "قوائم التشغيل المفضلة",
"HeaderFavoriteVideos": "مقاطع الفيديو المفضلة",
"HeaderFavoritePeople": "أناس مفضلين",
"HeaderFavoriteMovies": "الأفلام المفضلة",
"HeaderFavoriteBooks": "الكتب المفضلة",
"HeaderExternalIds": "المعرفات الخارجية:",
"HeaderEnabledFieldsHelp": "قم بإلغاء تحديد حقل لقفله ومنع تغيير بياناته.",
"HeaderEnabledFields": "الحقول الممكّنة",
@ -1034,7 +968,6 @@
"DisplayInOtherHomeScreenSections": "عرض في أقسام الشاشة الرئيسية مثل أحدث الوسائط واستمر في المشاهدة",
"DisplayInMyMedia": "عرض على الشاشة الرئيسية",
"Display": "عرض",
"Dislike": "لم يعجبنى",
"ButtonSyncPlay": "SyncPlay",
"ExtraLarge": "كبير جدا",
"EnableNextVideoInfoOverlayHelp": "في نهاية الفيديو, عرض معلومات عن الفيديو القادم في قائمة التشغيل.",

View file

@ -30,7 +30,6 @@
"ButtonCancel": "Отмяна",
"ButtonForgotPassword": "Забравена парола",
"ButtonGotIt": "Добре",
"ButtonGuide": "Справочник",
"ButtonInfo": "Сведения",
"ButtonLibraryAccess": "Достъп до библиотеката",
"ButtonManualLogin": "Вход с име и парола",
@ -41,18 +40,14 @@
"ButtonParentalControl": "Родителски контрол",
"ButtonPause": "Пауза",
"ButtonPreviousTrack": "Предишна пътека",
"ButtonProfile": "Профил",
"ButtonQuickStartGuide": "Първи стъпки",
"ButtonRefreshGuideData": "Обновяване на данните в справочника",
"ButtonRemove": "Премахване",
"ButtonRename": "Преименуване",
"ButtonResetPassword": "Зануляване на паролата",
"ButtonRestart": "Повторно пускане",
"ButtonResume": "Продължаване",
"ButtonScanAllLibraries": "Сканиране на всички библиотеки",
"ButtonSelectDirectory": "Изберете папка",
"ButtonSend": "Изпращане",
"ButtonSettings": "Настройки",
"ButtonShutdown": "Загасяне",
"ButtonSignIn": "Вписване",
"ButtonSignOut": "Отписване",
@ -80,7 +75,6 @@
"Director": "Режисьор",
"Directors": "Режисьори",
"Disc": "Диск",
"Dislike": "Нехаресване",
"Display": "Показване",
"Download": "Изтегляне",
"DownloadsValue": "{0} изтегляния",
@ -171,7 +165,6 @@
"HeaderMetadataSettings": "Настройки на метаданните",
"HeaderMoreLikeThis": "Подобни",
"HeaderMusicQuality": "Качество на музиката",
"HeaderMusicVideos": "Музикални клипове",
"HeaderMyDevice": "Моето устройство",
"HeaderMyMedia": "Моята медия",
"HeaderMyMediaSmall": "Моята медия (малък)",
@ -186,14 +179,12 @@
"HeaderPlayOn": "Пускане на",
"HeaderPleaseSignIn": "Моля, влезте",
"HeaderPreferredMetadataLanguage": "Предпочитан език на метаданните",
"HeaderProfile": "Профил",
"HeaderProfileInformation": "Профил",
"HeaderProfileServerSettingsHelp": "Тези величини определят как Джелифин сървърът ще се представя на устройствата.",
"HeaderRecentlyPlayed": "Скоро пускани",
"HeaderRemoteControl": "Отдалечен контрол",
"HeaderRemoveMediaFolder": "Премахване на медийна папка",
"HeaderResponseProfile": "Профил на отговора",
"HeaderRestart": "Повторно пускане",
"HeaderRevisionHistory": "Списък с промени",
"HeaderRunningTasks": "Изпълняващи се задачи",
"HeaderScenes": "Сцени",
@ -202,11 +193,9 @@
"HeaderSelectPath": "Изберете път",
"HeaderSendMessage": "Изпращане на съобщение",
"HeaderServerSettings": "Настройки на сървъра",
"HeaderSettings": "Настройки",
"HeaderSetupLibrary": "Настройте своите медийни библиотеки",
"HeaderSortBy": "Подреждане по",
"HeaderSortOrder": "Ред на подреждане",
"HeaderSpecialFeatures": "Специални функции",
"HeaderStartNow": "Пускане веднага",
"HeaderStatus": "Състояние",
"HeaderSubtitleAppearance": "Облик на субтитрите",
@ -397,7 +386,6 @@
"Large": "Голям",
"LatestFromLibrary": "Последни {0}",
"LibraryAccessHelp": "Изберете библиотеките, които да споделите с потребителя. Администраторите ще могат да редактират всички папки, използвайки управлението на метаданни.",
"Like": "Харесване",
"List": "Списък",
"Live": "На живо",
"LiveTV": "Телевизия на живо",
@ -454,8 +442,6 @@
"Off": "Изключено",
"Option3D": "Триизмерни",
"OptionAdminUsers": "Администратори",
"OptionAlbum": "Албум",
"OptionAlbumArtist": "Изпълнител на албума",
"OptionAllUsers": "Всички потребители",
"OptionAllowBrowsingLiveTv": "Разрешаване на телевизия на живо",
"OptionAllowLinkSharing": "Разрешаване на споделяне в социалните медии",
@ -465,83 +451,53 @@
"OptionAllowRemoteSharedDevices": "Разрешаване на отдалечен контрол на споделени устройства",
"OptionAllowRemoteSharedDevicesHelp": "DLNA устройства се считат за споделени докато някой потребител не започне да ги контролира.",
"OptionAllowUserToManageServer": "Разрешаване на този потребител да управлява сървъра",
"OptionArtist": "Изпълнител",
"OptionAscending": "Възходящо",
"OptionAuto": "Автоматично",
"OptionBlockBooks": "Книги",
"OptionBlockMovies": "Филми",
"OptionBlockTvShows": "Телевизионни сериали",
"OptionCommunityRating": "Обществена ощенка",
"OptionContinuing": "Продължаващо",
"OptionCriticRating": "Оценка на критиците",
"OptionCustomUsers": "По избор",
"OptionDaily": "Ежедневно",
"OptionDateAdded": "Дата на добавяне",
"OptionDatePlayed": "Дата на пускане",
"OptionDescending": "Низходящо",
"OptionDisableUser": "Дезактивирайте този потребител",
"OptionDisableUserHelp": "Сървърът няма да позволи каквито и да било връзки от този потребител. Съществуващите връзки ще бъдат внезапно прекратени.",
"OptionDislikes": "Нехаресвания",
"OptionDisplayFolderView": "Показване на изглед в папки",
"OptionDownloadArtImage": "Картина",
"OptionDownloadBackImage": "Задна част",
"OptionDownloadBannerImage": "Банер",
"OptionDownloadBoxImage": "Кутия",
"OptionDownloadDiscImage": "Диск",
"OptionDownloadImagesInAdvance": "Предварително изтегляне на изображения",
"OptionDownloadLogoImage": "Логотип",
"OptionDownloadMenuImage": "Меню",
"OptionDownloadPrimaryImage": "Главно",
"OptionDownloadThumbImage": "Миниатюра",
"OptionDvd": "ДВД",
"OptionEnableAccessFromAllDevices": "Позволяване на достъпа от всички устройства",
"OptionEnableAccessToAllChannels": "Позволяване на достъпа до всички канали",
"OptionEnableAccessToAllLibraries": "Позволяване на достъпа до всички библиотеки",
"OptionEnded": "Приключило",
"OptionEveryday": "Всеки ден",
"OptionExternallyDownloaded": "Външно сваляне",
"OptionFavorite": "Любими",
"OptionHasSpecialFeatures": "Специални функции",
"OptionHasSubtitles": "Субтитри",
"OptionHasThemeSong": "Фонова песен",
"OptionHasThemeVideo": "Фоново видео",
"OptionHasTrailer": "Трейлър",
"OptionHideUser": "Скриване на потребителя от страниците за вход",
"OptionHideUserFromLoginHelp": "Полезно за частни или скрити администраторски профили. Потребителят ще трябва да влезе ръчно чрез въвеждане на потребителско име и парола.",
"OptionHomeVideos": "Снимки",
"OptionImdbRating": "Оценка в IMDb",
"OptionIsHD": "ВК",
"OptionIsSD": "СК",
"OptionLikes": "Харесвания",
"OptionMissingEpisode": "Липсващи епизоди",
"OptionNameSort": "Име",
"OptionNew": "Нов…",
"OptionNone": "Нищо",
"OptionOnInterval": "През интервал",
"OptionParentalRating": "Родителска оценка",
"OptionPlainStorageFolders": "Показвай всички папки като папки за обикновено съхранение",
"OptionPlainVideoItems": "Показвай всички видео клипове като обикновени",
"OptionPlayCount": "Брой пускания",
"OptionPlayed": "Пускани",
"OptionPremiereDate": "Дата на премиера",
"OptionProfileAudio": "Звук",
"OptionProfilePhoto": "Снимка",
"OptionProfileVideo": "Видео",
"OptionProfileVideoAudio": "Видео Аудио",
"OptionReleaseDate": "Дата на издаване",
"OptionRequirePerfectSubtitleMatch": "Да се изтеглят само субтитри, които пасват идеално на файловете ми",
"OptionResumable": "Възобновляемост",
"OptionRuntime": "Времетраене",
"OptionSpecialEpisode": "Специални",
"OptionTrackName": "Име на песента",
"OptionUnairedEpisode": "Неизлъчени епизоди",
"OptionUnplayed": "Непускано",
"OptionWakeFromSleep": "Събуждане от сън",
"OptionWeekly": "Ежеседмично",
"OriginalAirDateValue": "Дата на първоначално излъчване: {0}",
"Overview": "Обобщение",
"ParentalRating": "Родителска оценка",
"HeaderResetPassword": "Зануляване на паролата",
"People": "Хора",
"Photos": "Снимки",
"PictureInPicture": "Картина в картина",
@ -626,12 +582,10 @@
"TabOther": "Други",
"TabParentalControl": "Родителски контрол",
"TabPlugins": "Приставки",
"TabProfile": "Профил",
"TabProfiles": "Профили",
"TabResponses": "Отговори",
"TabScheduledTasks": "Планирани задачи",
"TabServer": "Сървър",
"TabSettings": "Настройки",
"TabStreaming": "Излъчване",
"TabUpcoming": "Предстоящи",
"Tags": "Етикети",
@ -688,25 +642,14 @@
"AdditionalNotificationServices": "Разгледайте каталога с добавки за допълнителни услуги за известяване.",
"AddToPlayQueue": "Добавяне към опашка",
"AccessRestrictedTryAgainLater": "Достъпът е временно ограничен. Моля, опитайте отново по-късно.",
"HeaderFavoriteSongs": "Любими песни",
"HeaderFavoriteShows": "Любими сериали",
"HeaderFavoriteEpisodes": "Любими епизоди",
"HeaderFavoriteArtists": "Любими изпълнители",
"HeaderFavoriteAlbums": "Любими албуми",
"Folders": "Папки",
"No": "Не",
"Yes": "Да",
"MediaInfoStreamTypeSubtitle": "Субтитри",
"MediaInfoStreamTypeEmbeddedImage": "Вградено изображение",
"MediaInfoStreamTypeData": "Данни",
"MediaInfoStreamTypeAudio": "Звук",
"MediaInfoContainer": "Контейнер",
"MediaInfoInterlaced": "Презредово",
"MediaInfoForced": "Принудително",
"MediaInfoLayout": "Подредба",
"MusicVideo": "Музикален клип",
"MediaInfoStreamTypeVideo": "Видео",
"LabelVideo": "Видео",
"HeaderVideoTypes": "Видове видеа",
"HeaderVideoType": "Вид на видеото",
"EnableExternalVideoPlayers": "Външни възпроизводители",
@ -719,7 +662,6 @@
"ButtonTrailer": "Предварителен откъс",
"ButtonStart": "Пускане",
"ButtonSelectView": "Изберете изглед",
"ButtonSelectServer": "Изберете сървър",
"ButtonNetwork": "Мрежа",
"ButtonFullscreen": "На цял екран",
"AllowOnTheFlySubtitleExtraction": "Позволява моментално извличане на поднадписи",
@ -825,7 +767,6 @@
"DisplayInOtherHomeScreenSections": "Покажи на главната страница (като \"последно добавени\" и \"продължи да гледаш\")",
"DisplayInMyMedia": "Покажи на главната страница",
"Disconnect": "Прекъсване",
"Disabled": "Изключено",
"DirectStreaming": "Директно възпроизвеждане",
"DirectStreamHelp2": "Директното възпроизвеждане на файла използва минимална процесорна мощност без загуба на качество.",
"DirectStreamHelp1": "Файлът е съвместим с устройството по отношение на резолюция и тип (H.264, AC3 и т.н.), но контейнера е несъвместим (mkv, avi, wmv, т.н.).Файлът ще бъде \"препакетиран\" преди да се възпроизведе от устройството.",
@ -836,10 +777,6 @@
"DeleteDeviceConfirmation": "Сигурни ли сте ,че искате да изтриете устройството? Ще се появи отново ,когато потребителят се впише с него.",
"DeinterlaceMethodHelp": "Избери типа деинтерлейсинг ,когато е необходимо транскодиране на подобно съдържание.",
"DefaultSubtitlesHelp": "Субтитрите са заредени според настройките зададени в метадатата на видеофайла.Когато има повече от едни субтитри се зарежда първо зададените в настройките.",
"HeaderFavoriteVideos": "Любими видеа",
"HeaderFavoritePeople": "Любими хора",
"HeaderFavoriteMovies": "Любими филми",
"HeaderFavoriteBooks": "Любими книги",
"HeaderExternalIds": "Външни идентификатори:",
"HeaderEnabledFieldsHelp": "Махни отметката ,за да го заключиш и да предотвратиш неговата промяна.",
"HeaderDVR": "DVR (Цифрово записващо устройство)",
@ -911,7 +848,6 @@
"HeaderSelectTranscodingPath": "Избери папка за временното транскодиране на файлове",
"HeaderSelectServerCachePathHelp": "Търси или въведи ръчно пътя до временните файлове на сървъра.Папката трябва да има права за запис.",
"HeaderSelectServerCachePath": "Избери папка за временните файлове на сървъра",
"HeaderSelectServer": "Избери сървър",
"HeaderSelectMetadataPathHelp": "Търси или въведи ръчно пътя ,където искаш да се съхраняват метаданните.Папката трябва да има права за запис.",
"HeaderSelectMetadataPath": "Избери папка със метаданни",
"HeaderSelectCertificatePath": "Избери папка със сертификат",
@ -940,7 +876,6 @@
"HeaderHttpsSettings": "HTTPS настройки",
"HeaderHttpHeaders": "HTTP Хедъри",
"HeaderFetcherSettings": "Настройки на програмата за изтегляне",
"HeaderFavoritePlaylists": "Любими списъци",
"LabelDeathDate": "Дата на смърт:",
"LabelDateAddedBehaviorHelp": "Ако е взета стойност от метаданните, тя винаги ще бъде използвана преди някоя от тези опции.",
"LabelDateAddedBehavior": "за ново съдържание се приема дата на добавяне:",
@ -1116,7 +1051,6 @@
"Uniform": "Еднороден",
"TvLibraryHelp": "Прегледайте {0}ръководството за именуване на ТВ{1}.",
"Transcoding": "Транскодиране",
"Track": "Пътека",
"TitleHostingSettings": "Настройки за хостинг",
"TitleHardwareAcceleration": "Хардуерно ускорение",
"TabNetworking": "Работа в мрежа",
@ -1330,8 +1264,6 @@
"OptionWeekends": "Почивни дни",
"OptionWeekdays": "Делници",
"OptionTvdbRating": "Рейтинг според ТВДБ",
"OptionThumbCard": "Икона карта",
"OptionThumb": "Икона",
"OptionSubstring": "Подниз",
"OptionSaveMetadataAsHiddenHelp": "Промяната на това ще се прилага за нови метаданни, запазени занапред. Съществуващите файлове с метаданни ще бъдат актуализирани следващия път, когато бъдат запазени на сървъра.",
"OptionSaveMetadataAsHidden": "Запишете метаданните и изображенията като скрити файлове",
@ -1342,14 +1274,11 @@
"OptionRandom": "Случаен",
"OptionProtocolHttp": "HTTP",
"OptionProtocolHls": "Директно предаване по HTTP",
"OptionPosterCard": "Плакат карта",
"OptionPoster": "Плакат",
"OptionPlainVideoItemsHelp": "Всички видеофайлове са представени в DIDL като \"object.item.videoItem\" вместо по-конкретен тип, като например \"object.item.videoItem.movie\".",
"OptionPlainStorageFoldersHelp": "Всички папки са представени в DIDL като \"object.container.storageFolder\" вместо по-конкретен тип, като например \"object.container.person.musicArtist\".",
"OptionMax": "Максимално",
"OptionLoginAttemptsBeforeLockoutHelp": "Стойност нула означава наследяване по подразбиране на три опита за нормални потребители и пет за администратори. Задаването на това на -1 ще деактивира функцията.",
"OptionLoginAttemptsBeforeLockout": "Определя колко неправилни опита за влизане могат да бъдат направени, преди да бъде блокиран.",
"OptionList": "Списък",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Тези заявки ще бъдат удовлетворени, но ще се пренебрегне заглавната част от обхвата на байтовете.",
"OptionIgnoreTranscodeByteRangeRequests": "Игнорирайте заявките за обхват на байтове при прекодиране",
"OptionHlsSegmentedSubtitles": "HLS сегментирани субтитри",
@ -1368,11 +1297,6 @@
"OptionDateAddedFileTime": "Използвай датата на създаване на файла",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionBluray": "Блу-рей",
"OptionBlockTrailers": "Трейлъри",
"OptionBlockMusic": "Музика",
"OptionBlockLiveTvChannels": "Телевизионни канали на живо",
"OptionBlockChannelContent": "Съдържание на интернет канала",
"OptionBanner": "Банер",
"OptionAutomaticallyGroupSeriesHelp": "Сеезоните, които се намират в различни папки, ще бъдат автоматично обединени в един сериал.",
"OptionAutomaticallyGroupSeries": "Автоматично обединява сезони, които са разпределени в множество папки",
"OptionAllowVideoPlaybackTranscoding": "Разреши възпроизвеждане на видео, което изисква транскодиране",

View file

@ -26,7 +26,6 @@
"ButtonMore": "আরও",
"ButtonLibraryAccess": "লাইব্রেরি অ্যাক্সেস",
"ButtonInfo": "তথ্য",
"ButtonGuide": "গাইড",
"ButtonGotIt": "বুঝেছি",
"ButtonFullscreen": "ফুলস্ক্রিন",
"ButtonForgotPassword": "পাসওয়ার্ড ভুলে গেছি",
@ -77,10 +76,7 @@
"Aired": "উন্মুক্ত করন",
"Add": "যোগ",
"ButtonPreviousTrack": "পূর্ববর্তী ট্র্যাক",
"ButtonProfile": "প্রোফাইল",
"ButtonResume": "রিসিউম",
"ButtonRestart": "রিস্টার্ট",
"ButtonResetPassword": "পাসওয়ার্ড রিসেট করুন",
"ButtonResetEasyPassword": "সহজ পিন কোডটি রিসেট করুন",
"ButtonRename": "নামান্তর",
"ButtonRemove": "সরান",
@ -123,7 +119,6 @@
"DisplayInOtherHomeScreenSections": "সর্বশেষ মিডিয়া হিসাবে হোম স্ক্রিন বিভাগে প্রদর্শন করুন এবং দেখা চালিয়ে যান",
"DisplayInMyMedia": "হোম স্ক্রিনে প্রদর্শন করুন",
"Display": "ডিসপ্লে",
"Dislike": "ডিসলাইক",
"Disconnect": "ডিসকানেক্ট",
"Disc": "ডিস্ক",
"Directors": "পরিচালকবৃন্দ",

View file

@ -26,7 +26,6 @@
"ButtonEditOtherUserPreferences": "Edita el perfil, la imatge i les preferències d'aquest usuari.",
"ButtonForgotPassword": "He oblidat la contrasenya",
"ButtonGotIt": "Entesos",
"ButtonGuide": "Guia",
"ButtonLibraryAccess": "Accés a la biblioteca",
"ButtonManualLogin": "Inici de sessió manual",
"ButtonMore": "Més",
@ -36,18 +35,13 @@
"ButtonParentalControl": "Control parental",
"ButtonPause": "Pausa",
"ButtonPreviousTrack": "Pista anterior",
"ButtonProfile": "Perfil",
"ButtonQuickStartGuide": "Guia d'inici ràpid",
"ButtonRefreshGuideData": "Refresca les Dades de la Guia",
"ButtonRemove": "Elimina",
"ButtonResetEasyPassword": "Reinicia el codi pin senzill",
"ButtonResetPassword": "Reiniciar Contrasenya",
"ButtonRestart": "Reiniciar",
"ButtonResume": "Reprèn",
"ButtonSelectDirectory": "Selecciona Directori",
"ButtonSelectServer": "Seleccionar servidor",
"ButtonSend": "Envia",
"ButtonSettings": "Preferències",
"ButtonShutdown": "Atura",
"ButtonSignIn": "Inicia Sessió",
"ButtonSignOut": "Tanca sessió",
@ -71,7 +65,6 @@
"Desktop": "Escriptori",
"DeviceAccessHelp": "Això només s'aplica a dispositius que poden ser identificats i no previndrà l'accés des del navegador. Filtrant l'accés de dispositius a l'usuari previndrà l'ús de nous dispositius fins que hagin estat aprovats aquí.",
"Disconnect": "Desconnecta",
"Dislike": "No m'agrada",
"DisplayMissingEpisodesWithinSeasons": "Mostra també els episodis que no tingui a les temporades",
"DisplayModeHelp": "Selecciona el tipus de pantalla en el que tens Jellyfin funcionant.",
"DoNotRecord": "No enregistris",
@ -162,7 +155,6 @@
"HeaderLibrarySettings": "Preferències de la Biblioteca",
"HeaderMediaFolders": "Directoris Multimèdia",
"HeaderMetadataSettings": "Preferències de Metadades",
"HeaderMusicVideos": "Vídeos Musicals",
"HeaderMyDevice": "El meu dispositiu",
"HeaderMyMedia": "Els meus mitjans",
"HeaderMyMediaSmall": "Els meus mitjans (petit)",
@ -178,26 +170,21 @@
"HeaderPlaybackError": "Error de Reproducció",
"HeaderPleaseSignIn": "Si et plau, inicia sessió",
"HeaderPreferredMetadataLanguage": "Idioma de Metadades Preferit",
"HeaderProfile": "Perfil",
"HeaderProfileInformation": "Informació del perfil",
"HeaderProfileServerSettingsHelp": "Aquests valors controlen com el servidor d'Jellyfin es presenta a si mateix al dispositiu.",
"HeaderRecentlyPlayed": "Reproduït Recentment",
"HeaderRecordingOptions": "Opcions d'Enregistrament",
"HeaderRemoteControl": "Control Remot",
"HeaderRestart": "Reiniciar",
"HeaderRunningTasks": "Tasques Corrent",
"HeaderScenes": "Escenes",
"HeaderSeasons": "Temporades",
"HeaderSecondsValue": "{0} segons",
"HeaderSelectServer": "Seleccionar Servidor",
"HeaderSendMessage": "Enviar Missatge",
"HeaderSeriesOptions": "Opcions de Sèries",
"HeaderServerSettings": "Preferències del Servidor",
"HeaderSettings": "Preferències",
"HeaderSetupLibrary": "Configura les teves biblioteques multimèdia",
"HeaderSortBy": "Ordena per",
"HeaderSortOrder": "Ordre de Classificació",
"HeaderSpecialFeatures": "Característiques Especials",
"HeaderStartNow": "Començar Ara",
"HeaderStatus": "Estat",
"HeaderSubtitleAppearance": "Apariència de subtítols",
@ -386,7 +373,6 @@
"LabelYoureDone": "Ja està!",
"LatestFromLibrary": "Novetats a {0}",
"LibraryAccessHelp": "Selecciona els directoris dels multimèdia a compartir amb aquest usuari. Els administradors podran editar tots els directoris emprant el gestor de metadades.",
"Like": "M'agrada",
"Live": "Directe",
"MarkPlayed": "Marca com a reproduït",
"MarkUnplayed": "Marca com a no reproduït",
@ -440,7 +426,6 @@
"OnlyForcedSubtitles": "Només subtítols forçats",
"OnlyForcedSubtitlesHelp": "Només es carregaran aquells subtítols marcats com a forçats.",
"OptionAdminUsers": "Administradors",
"OptionAlbum": "Àlbum",
"OptionAllUsers": "Tots els usuaris",
"OptionAllowBrowsingLiveTv": "Permetre accés a TV en directe",
"OptionAllowContentDownloading": "Permetre descàrrega de mitjans",
@ -452,69 +437,43 @@
"OptionAllowRemoteSharedDevices": "Permetre el control remot de dispositius compartits",
"OptionAllowRemoteSharedDevicesHelp": "Els dispositius dlna es consideren compartits fins que un usuari comença a controlar-los.",
"OptionAllowUserToManageServer": "Permet aquest usuari gestionar el servidor",
"OptionArtist": "Artista",
"OptionAscending": "Ascendent",
"OptionAuto": "Automàtc",
"OptionBlockBooks": "Llibres",
"OptionBlockMovies": "Pel·lícules",
"OptionBlockMusic": "Música",
"OptionBlockTrailers": "Tràilers",
"OptionCommunityRating": "Valoració de la Comunitat",
"OptionContinuing": "Continuant",
"OptionCriticRating": "Valoració dels Crítics",
"OptionDaily": "Diari",
"OptionDateAdded": "Data Afegida",
"OptionDateAddedImportTime": "Empra la data d'escaneig",
"OptionDatePlayed": "Data de Reproducció",
"OptionDescending": "Descendent",
"OptionDisableUser": "Desactiva aquest usuari",
"OptionDisableUserHelp": "Si es desactiva el servidor no permetrà cap connexió des d'aquest usuari. Les connexions existents seran interrompudes abruptament.",
"OptionDislikes": "No m'agrada",
"OptionDownloadBackImage": "Contra",
"OptionDownloadBoxImage": "Capsa",
"OptionDownloadMenuImage": "Menú",
"OptionDownloadPrimaryImage": "Primària",
"OptionDownloadThumbImage": "Miniatura",
"OptionEmbedSubtitles": "Incrusta dins el contenidor",
"OptionEnableAccessFromAllDevices": "Habilita l'accés des de tots els dispositius",
"OptionEnableAccessToAllChannels": "Habilita l'accés a tots els canals",
"OptionEnableAccessToAllLibraries": "Habilita l'accés a totes les biblioteques",
"OptionEnableExternalContentInSuggestionsHelp": "Permet incloure tràilers d'internet i programes de TV en directe amb el continguts suggerits.",
"OptionEnded": "Acabades",
"OptionEquals": "Equival",
"OptionEveryday": "Cada dia",
"OptionExternallyDownloaded": "Descàrrega externa",
"OptionFavorite": "Preferits",
"OptionHasSpecialFeatures": "Característiques Especials",
"OptionHasSubtitles": "Subtítols",
"OptionHasThemeSong": "Cançó Temàtica",
"OptionHasThemeVideo": "Vídeo Temàtic",
"OptionHasTrailer": "Tràiler",
"OptionHideUser": "Oculta aquest usuari de les pantalles de login",
"OptionHideUserFromLoginHelp": "Pràctic per a comptes d'administrador ocults o privats. L'usuari necessitarà accedir manualment introduint el seu nom d'usuari i contrasenya.",
"OptionHomeVideos": "Fotos i vídeos domèstics",
"OptionImdbRating": "Qualificació IMDb",
"OptionLikes": "M'agrada",
"OptionMissingEpisode": "Episodis Perduts",
"OptionNameSort": "Nom",
"OptionNew": "Nou...",
"OptionNone": "Cap",
"OptionOnInterval": "En un interval",
"OptionParentalRating": "Classificació Parental",
"OptionPlayCount": "Nombre de Reproduccions",
"OptionPlayed": "Reproduït",
"OptionProfileAudio": "Àudio",
"OptionProfilePhoto": "Foto",
"OptionProfileVideo": "Vídeo",
"OptionReleaseDate": "Data de Publicació",
"OptionResumable": "Continuable",
"OptionRuntime": "Temps d'exec.",
"OptionSaveMetadataAsHidden": "Desa les metadades i les imatges com a fitxers ocults",
"OptionSpecialEpisode": "Especials",
"OptionSubstring": "Subcadena",
"OptionTvdbRating": "Valoració TVDB",
"OptionUnairedEpisode": "Episodis No Emesos",
"OptionUnplayed": "No reproduït",
"OptionWakeFromSleep": "Despertar",
"OptionWeekdays": "Entre setmana",
"OptionWeekends": "Cap de setmana",
@ -596,12 +555,10 @@
"TabOther": "Altres",
"TabParentalControl": "Control Parental",
"TabPlugins": "Complements",
"TabProfile": "Perfil",
"TabProfiles": "Perfils",
"TabResponses": "Respostes",
"TabScheduledTasks": "Tasques Programades",
"TabServer": "Servidor",
"TabSettings": "Preferències",
"TabUpcoming": "Properament",
"Tags": "Etiquetes",
"TellUsAboutYourself": "Explica'ns sobre tu",
@ -643,11 +600,6 @@
"Collections": "Col·leccions",
"Favorites": "Preferits",
"HeaderAlbumArtists": "Artistes del Àlbum",
"HeaderFavoriteAlbums": "Àlbums Preferits",
"HeaderFavoriteArtists": "Artistes Preferits",
"HeaderFavoriteEpisodes": "Episodis Preferits",
"HeaderFavoriteShows": "Programes Preferits",
"HeaderFavoriteSongs": "Cançons Preferides",
"ChannelNumber": "Número de canal",
"Categories": "Categories",
"ButtonWebsite": "Lloc web",

View file

@ -47,7 +47,6 @@
"ButtonForgotPassword": "Zapomenuté heslo",
"ButtonFullscreen": "Celá obrazovka",
"ButtonGotIt": "Mám to",
"ButtonGuide": "Programový průvodce",
"ButtonLibraryAccess": "Přístup ke knihovně",
"ButtonManualLogin": "Manuální přihlášení",
"ButtonMore": "Více",
@ -57,20 +56,16 @@
"ButtonParentalControl": "Rodičovská kontrola",
"ButtonPause": "Pozastavit",
"ButtonPreviousTrack": "Předchozí stopa",
"ButtonProfile": "Profil",
"ButtonQuickStartGuide": "Rychlý průvodce",
"ButtonRefreshGuideData": "Obnovit data programového průvodce",
"ButtonRemove": "Odstranit",
"ButtonRename": "Přejmenovat",
"ButtonResetEasyPassword": "Obnovit easy pin kód",
"ButtonResetPassword": "Obnovit heslo",
"ButtonResume": "Pokračovat",
"ButtonRevoke": "Odvolat",
"ButtonSelectDirectory": "Vybrat složku",
"ButtonSelectServer": "Výběr serveru",
"ButtonSelectView": "Výběr zobrazení",
"ButtonSend": "Odeslat",
"ButtonSettings": "Nastavení",
"ButtonShutdown": "Vypnout",
"ButtonSignIn": "Přihlásit se",
"ButtonSignOut": "Odhlásit se",
@ -121,7 +116,6 @@
"Director": "Režisér",
"Disc": "Disk",
"Disconnect": "Odpojit",
"Dislike": "Nemám rád",
"Display": "Zobrazení",
"DisplayMissingEpisodesWithinSeasons": "Zobrazit chybějící epizody",
"DisplayMissingEpisodesWithinSeasonsHelp": "Toto musí být zapnuto pro knihovny TV v nastavení serveru.",
@ -270,7 +264,6 @@
"HeaderMetadataSettings": "Nastavení metadat",
"HeaderMoreLikeThis": "Podobné položky",
"HeaderMusicQuality": "Kvalita hudby",
"HeaderMusicVideos": "Hudební videa",
"HeaderMyDevice": "Moje zařízení",
"HeaderMyMedia": "Moje média",
"HeaderMyMediaSmall": "Moje média (malé)",
@ -290,7 +283,6 @@
"HeaderPleaseSignIn": "Prosíme, přihlaste se",
"HeaderPluginInstallation": "Instalace zásuvných modulů",
"HeaderPreferredMetadataLanguage": "Preferovaný jazyk metadat",
"HeaderProfile": "Profil",
"HeaderProfileInformation": "Informace o profilu",
"HeaderProfileServerSettingsHelp": "Tyto hodnoty určují, jak se server bude zobrazovat klientům.",
"HeaderRecentlyPlayed": "Naposledy přehráváno",
@ -310,7 +302,6 @@
"HeaderSelectMetadataPath": "Vyberte cestu k metadatům",
"HeaderSelectMetadataPathHelp": "Procházejte nebo zadejte cestu, kde chcete uložit metadata. Složka musí být zapisovatelná.",
"HeaderSelectPath": "Vybrat složku",
"HeaderSelectServer": "Vyber Server",
"HeaderSelectServerCachePath": "Vyber složku pro vyrovnávací paměť serveru",
"HeaderSelectServerCachePathHelp": "Vyberte nebo zadejte složku vyrovnávací paměti souborů. Složka musí být zapisovatelná.",
"HeaderSelectTranscodingPath": "Zvolte dočasnou složku pro překódovávání médií",
@ -318,12 +309,10 @@
"HeaderSendMessage": "Poslat zprávu",
"HeaderSeriesOptions": "Nastavení seriálu",
"HeaderServerSettings": "Nastavení serveru",
"HeaderSettings": "Nastavení",
"HeaderSetupLibrary": "Nastavení Vašich knihoven médií",
"HeaderSortBy": "Třídit dle",
"HeaderSortOrder": "Pořadí třídění",
"HeaderSpecialEpisodeInfo": "Infromace o speciální epizodě",
"HeaderSpecialFeatures": "Speciální funkce",
"HeaderStartNow": "Začít teď",
"HeaderStatus": "Stav",
"HeaderSubtitleAppearance": "Vzhled titulků",
@ -651,7 +640,6 @@
"LatestFromLibrary": "Nejnovější {0}",
"LearnHowYouCanContribute": "Zjistěte, jak můžete přispět.",
"LibraryAccessHelp": "Vyberte knihovny, které chcete sdílet s tímto uživatelem. Administrátoři budou moci editovat všechny složky pomocí správce metadat.",
"Like": "Mám rád",
"List": "Seznam",
"Live": "Živě",
"LiveBroadcasts": "Přímé přenosy",
@ -758,7 +746,6 @@
"OnlyForcedSubtitles": "Pouze vynucené",
"OnlyForcedSubtitlesHelp": "Jen vynucené titulky budou nahrány.",
"OptionAdminUsers": "Administrátoři",
"OptionAlbumArtist": "Umělec Alba",
"OptionAllUsers": "Všichni uživatelé",
"OptionAllowAudioPlaybackTranscoding": "Povolit přehrávání audia, které vyžaduje překódování",
"OptionAllowBrowsingLiveTv": "Povolit přístup k televiznímu vysílání",
@ -773,20 +760,9 @@
"OptionAllowUserToManageServer": "Povolit tomuto uživateli správu serveru",
"OptionAllowVideoPlaybackRemuxing": "Umožní přehrávání videa, která vyžaduje konverzi bez opětovného překódování",
"OptionAllowVideoPlaybackTranscoding": "Povolit přehrávání videa, které vyžaduje překódování",
"OptionArtist": "Umělec",
"OptionAscending": "Vzestupně",
"OptionAuto": "Automaticky",
"OptionAutomaticallyGroupSeries": "Automatické sloučení k seriálu, které jsou ve více složkách",
"OptionAutomaticallyGroupSeriesHelp": "Seriály uložené ve více složkách v této knihovně budou automaticky sloučeny do jednoho seriálu.",
"OptionBlockBooks": "Knihy",
"OptionBlockChannelContent": "Obsah internetového kanálu",
"OptionBlockLiveTvChannels": "Televizní kanály",
"OptionBlockMovies": "Filmy",
"OptionBlockMusic": "Hudba",
"OptionBlockTrailers": "Upoutávky",
"OptionBlockTvShows": "Televizní pořady",
"OptionCommunityRating": "Hodnocení komunity",
"OptionContinuing": "Pokračování",
"OptionCriticRating": "Hodnocení kritiků",
"OptionCustomUsers": "Vlastní",
"OptionDaily": "Denní",
@ -794,20 +770,13 @@
"OptionDateAddedFileTime": "Dle data vytvoření souboru",
"OptionDateAddedImportTime": "Dle data přidání do knihovny",
"OptionDatePlayed": "Datum přehrání",
"OptionDescending": "Sestupně",
"OptionDisableUser": "Zablokovat tohoto uživatele",
"OptionDisableUserHelp": "Server nedovolí tomuto uživateli žádné připojení. Existující připojení bude okamžitě přerušeno.",
"OptionDislikes": "Nelíbí se",
"OptionDisplayFolderView": "Zobrazit složku s originálním zobrazením složek médií",
"OptionDisplayFolderViewHelp": "Zobrazte složky vedle vašich ostatních knihoven médií. To může být užitečné, pokud si přejete mít prosté zobrazení složky.",
"OptionDownloadArtImage": "Obal",
"OptionDownloadBackImage": "Zadek",
"OptionDownloadDiscImage": "Disk",
"OptionDownloadImagesInAdvance": "Stáhnout obrázky pokročilejším způsobem",
"OptionDownloadImagesInAdvanceHelp": "Ve výchozím nastavení se většina obrázků stahuje pouze na žádost klienta. Povolením této možnosti dojde ke stažení všech obrázků předem současně s importem nových médií. Může způsobit výrazně delší skenování knihoven.",
"OptionDownloadMenuImage": "Nabídka",
"OptionDownloadPrimaryImage": "Primární",
"OptionDownloadThumbImage": "Miniatura",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "Svázáno s kontejnerem",
"OptionEnableAccessFromAllDevices": "Povolit přístup ze všech zařízení",
@ -818,30 +787,22 @@
"OptionEnableForAllTuners": "Povolit pro všechna zařízení tunerů",
"OptionEnableM2tsMode": "Povolit M2ts mód",
"OptionEnableM2tsModeHelp": "Povolit režim M2TS při kódování do MPEGTS.",
"OptionEnded": "Ukončeno",
"OptionEquals": "Je rovno",
"OptionEstimateContentLength": "Odhadnout délku obsahu při překódování",
"OptionEveryday": "Každý den",
"OptionExternallyDownloaded": "Externí stažení",
"OptionExtractChapterImage": "Povolit extrakci obrázků z videa",
"OptionFavorite": "Oblíbené",
"OptionHasSpecialFeatures": "Speciální funkce",
"OptionHasSubtitles": "Titulky",
"OptionHasThemeSong": "Tematická hudba",
"OptionHasThemeVideo": "Tematické video",
"OptionHasTrailer": "Upoutávka",
"OptionHideUser": "Skrýt tohoto uživatele z přihlašovacích obrazovek",
"OptionHideUserFromLoginHelp": "Vhodné pro soukromé a administrátorské účty. Pro přihlášení musí uživatel manuálně zadat uživatelské jméno a heslo.",
"OptionHlsSegmentedSubtitles": "Segmentované titulky HLS",
"OptionHomeVideos": "Fotky",
"OptionIgnoreTranscodeByteRangeRequests": "Ignorovat požadavky na překódování rozsahy bajtů",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Tyto žádosti budou nadále plněny, ale budou ignorovány hlavičky bajtových rozsahů.",
"OptionImdbRating": "Hodnocení IMDb",
"OptionLikes": "Líbí se",
"OptionMissingEpisode": "Chybějící episody",
"OptionNameSort": "Název",
"OptionNew": "Nový…",
"OptionNone": "Žádný",
"OptionOnInterval": "V intervalu",
"OptionParentalRating": "Rodičovské hodnocení",
"OptionPlainStorageFolders": "Zobrazit všechny složky jako obyčejné složky pro ukládání",
@ -849,7 +810,6 @@
"OptionPlainVideoItems": "Zobrazit všechna videa jako s obyčejné video položky",
"OptionPlainVideoItemsHelp": "Všechna videa jsou prezentována v DIDL jako \"object.item.videoItem\" místo konkrétnějšího typu, například \"object.item.videoItem.movie\".",
"OptionPlayCount": "Počet přehrání",
"OptionPlayed": "Shlédnuto",
"OptionPremiereDate": "Datum premiéry",
"OptionProfilePhoto": "Fotografie",
"OptionRegex": "Regexp",
@ -859,7 +819,6 @@
"OptionRequirePerfectSubtitleMatch": "Stahovat jen titulky, které perfektně sedí k mým video souborům",
"OptionResElement": "Prvek \"res\"",
"OptionResumable": "Pozastavavitelný",
"OptionRuntime": "Délka",
"OptionSaveMetadataAsHidden": "Ukládat metadata a obrázky jako skryté soubory",
"OptionSaveMetadataAsHiddenHelp": "Změna se projeví u všech nově uložených metadat. Existující soubory metadat se aktualizují při příštím uložení serverem.",
"OptionSpecialEpisode": "Speciální",
@ -867,7 +826,6 @@
"OptionTrackName": "Název skladby",
"OptionTvdbRating": "Tvdb hodnocení",
"OptionUnairedEpisode": "Neodvysílané epizody",
"OptionUnplayed": "Neshlédnuto",
"OptionWakeFromSleep": "Probuzení ze spánku",
"OptionWeekdays": "Pracovní dny",
"OptionWeekends": "Víkendy",
@ -881,7 +839,6 @@
"PasswordMatchError": "Heslo a potvrzení hesla musí souhlasit.",
"PasswordResetComplete": "Heslo bylo obnoveno.",
"PasswordResetConfirmation": "Jste si jisti, že chcete obnovit heslo?",
"HeaderResetPassword": "Obnovit heslo",
"PasswordSaved": "Heslo uloženo.",
"People": "Lidé",
"PerfectMatch": "Přesná shoda",
@ -1001,11 +958,9 @@
"TabOther": "Další",
"TabParentalControl": "Rodičovská kontrola",
"TabPlugins": "Zásuvné moduly",
"TabProfile": "Profil",
"TabProfiles": "Profily",
"TabResponses": "Odpovědi",
"TabScheduledTasks": "Naplánované úlohy",
"TabSettings": "Nastavení",
"TabStreaming": "Streamování",
"TabUpcoming": "Nadcházející",
"Tags": "Tagy",
@ -1082,7 +1037,6 @@
"BurnSubtitlesHelp": "Určuje, zda má server při překódování videa vypálit titulky do obrazu. Tato funkce má velký negativní vliv na výkon. Chcete-li vypálit grafické formáty titulků (VOBSUB, PGS, SUB, IDX, atd.) a některé titulky ASS nebo SSA, vyberte možnost Automaticky.",
"ButtonInfo": "Info",
"ButtonOk": "Ok",
"ButtonRestart": "Restart",
"ButtonScanAllLibraries": "Skenovat všechny knihovny",
"ButtonStart": "Start",
"ChangingMetadataImageSettingsNewContent": "Změny nastavení metadat nebo stahování médií se budou týkat pouze nového obsahu přidaného do vaší knihovny. Chcete-li aplikovat změny na existující položky, musíte je aktualizovat ručně.",
@ -1096,7 +1050,6 @@
"DetectingDevices": "Hledání zařízení",
"DirectStreamHelp2": "Přímé streamování souboru vyžaduje velmi malý výkon téměř bez ztráty kvality videa.",
"Directors": "Režiséři",
"Disabled": "Vypnuto",
"DisplayInMyMedia": "Zobrazit na domovské obrazovce",
"DisplayInOtherHomeScreenSections": "Zobrazení v sekcích domovské obrazovky, jako jsou nejnovější média, a pokračování ve sledování",
"DownloadsValue": "{0} ke stažení",
@ -1122,8 +1075,6 @@
"HeaderDetectMyDevices": "Najít moje zařízení",
"HeaderDownloadSync": "Stahování a synchronizace",
"HeaderExternalIds": "Externí Id:",
"HeaderFavoritePlaylists": "Oblíbené playlisty",
"HeaderFavoriteVideos": "Oblíbená videa",
"HeaderFetcherSettings": "Nastavení načítání",
"HeaderImageOptions": "Volby obrázku",
"HeaderKodiMetadataHelp": "Chcete-li povolit nebo zakázat metadata v souborech NFO, upravte nastavení knihovny v sekci ukládání metadat.",
@ -1131,7 +1082,6 @@
"HeaderNewDevices": "Nové zařízení",
"HeaderPhotoAlbums": "Fotoalba",
"HeaderPlayOn": "Přehrát",
"HeaderRestart": "Restart",
"HeaderSeriesStatus": "Stav seriálu",
"HeaderStopRecording": "Zastavit nahrávání",
"HeaderSubtitleDownloads": "Stahování titulků",
@ -1179,23 +1129,13 @@
"LabelTypeText": "Text",
"LabelUserAgent": "User agent:",
"LabelUserRemoteClientBitrateLimitHelp": "Přepíše výchozí globální hodnotu nastavenou v nastavení přehrávání serveru.",
"LabelVideo": "Video",
"LabelVideoCodec": "Video kodek:",
"LeaveBlankToNotSetAPassword": "Můžete ponechat prázdné pro nastavení bez hesla.",
"LiveTV": "Televize",
"Logo": "Logo",
"ManageLibrary": "Spravovat knihovnu",
"MediaInfoDefault": "Výchozí",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Data",
"MediaInfoStreamTypeVideo": "Video",
"AuthProviderHelp": "Vyberte poskytovatele ověření, který bude použit k ověření hesla tohoto uživatele.",
"HeaderFavoriteMovies": "Oblíbená videa",
"HeaderFavoriteShows": "Oblíbené seriály",
"HeaderFavoriteEpisodes": "Oblíbené epizody",
"HeaderFavoriteAlbums": "Oblíbená alba",
"HeaderFavoriteArtists": "Oblíbení interpreti",
"HeaderFavoriteSongs": "Oblíbená hudba",
"LabelAuthProvider": "Poskytovatel ověření:",
"LabelServerNameHelp": "Tento název bude použit k identifikaci serveru a ve výchozím nastavení bude použit název hostitele serveru.",
"LabelPasswordResetProvider": "Poskytovatel obnovy hesla:",
@ -1206,8 +1146,6 @@
"DashboardVersionNumber": "Verze: {0}",
"DashboardServerName": "Server: {0}",
"LabelWeb": "Web:",
"MediaInfoStreamTypeEmbeddedImage": "Vložený obrázek",
"MediaInfoStreamTypeSubtitle": "Titulky",
"MediaIsBeingConverted": "Média se konvertují do formátu kompatibilního se zařízením, které médium přehrává.",
"MessageEnablingOptionLongerScans": "Povolení této možnosti může mít za následek podstatně delší skenování knihoven.",
"MessageImageFileTypeAllowed": "Podporovány jsou pouze soubory JPEG a PNG.",
@ -1222,20 +1160,15 @@
"NoNewDevicesFound": "Nebyla nalezena žádná nová zařízení. Chcete-li přidat nový tuner, zavřete tento dialog a zadejte informace o zařízení ručně.",
"OnlyImageFormats": "Pouze obrazové formáty (VOBSUB, PGS, SUB, atd.)",
"Option3D": "3D",
"OptionAlbum": "Album",
"OptionAllowMediaPlaybackTranscodingHelp": "Omezení přístupu k překódování může způsobit selhání přehrávání v klientech kvůli nepodporovaným formátům médií.",
"OptionAllowSyncTranscoding": "Povolit stahování a synchronizaci médií, které vyžaduje překódování",
"OptionBluray": "Blu-ray",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadBoxImage": "Krabice",
"OptionDownloadLogoImage": "Logo",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionLoginAttemptsBeforeLockout": "Určuje, kolik chybných pokusů o přihlášení lze provést před zablokováním.",
"OptionLoginAttemptsBeforeLockoutHelp": "0 znamená zdědění výchozí hodnoty 3 pokusů pro běžné uživatele a 5 pro administrátory. Nastavení na -1 deaktivuje funkci.",
"OptionMax": "Max",
"OptionProfileAudio": "Audio",
"OptionProfileVideo": "Video",
"OptionProfileVideoAudio": "Video Audio",
"OptionProtocolHls": "Přímý přenos z internetu",
@ -1282,12 +1215,6 @@
"DashboardOperatingSystem": "Operační systém: {0}",
"DashboardArchitecture": "Architektura: {0}",
"MessageNoServersAvailable": "Pomocí automatického zjišťování nebyly nalezeny žádné servery.",
"OptionBanner": "Banner",
"OptionList": "Seznam",
"OptionPoster": "Plakát",
"OptionPosterCard": "Filmový pás",
"OptionThumb": "Náhled",
"OptionThumbCard": "Panel náhledů",
"PlaybackData": "Data přehrávání",
"MusicAlbum": "Hudební album",
"MusicArtist": "Interpret",
@ -1311,12 +1238,10 @@
"LabelAudioChannels": "Počet kanálů zvuku:",
"LabelAudioBitrate": "Datový tok zvuku:",
"LabelAudioBitDepth": "Bitová hloubka zvuku:",
"HeaderFavoriteBooks": "Oblíbené knihy",
"FetchingData": "Načítání dalších dat",
"CopyStreamURLSuccess": "Úspěšně zkopírovaná URL.",
"CopyStreamURL": "Kopírovat URL adresu streamu",
"ButtonAddImage": "Přidat obrázek",
"HeaderFavoritePeople": "Oblíbení lidé",
"OptionRandom": "Náhodně",
"SelectAdminUsername": "Vyberte uživatelské jméno pro účet správce.",
"HeaderNavigation": "Navigace",
@ -1333,7 +1258,6 @@
"AllowFfmpegThrottlingHelp": "Pozastaví proces překódování či remuxování, pokud je dostatečně napřed, aby se spotřebovalo méně zdrojů. Nejvhodnější, pokud příliš nepřeskakujete. Pokud máte problémy s přehráváním, tuto funkci vypněte.",
"AllowFfmpegThrottling": "Omezit překódování",
"BoxSet": "Sbírka",
"Track": "Stopa",
"Season": "Sezóna",
"PreferEmbeddedEpisodeInfosOverFileNames": "Preferovat vloženou informaci o epizodě před názvem souboru",
"PreferEmbeddedEpisodeInfosOverFileNamesHelp": "Používat informaci o epizodě z vložených metadat, pokud jsou k dispozici.",
@ -1442,5 +1366,18 @@
"LabelSubtitleVerticalPosition": "Svislé umístění:",
"MessageGetInstalledPluginsError": "Při načítání seznamu nainstalovaných zásuvných modulů došlo k chybě.",
"MessagePluginInstallError": "Při instalaci zásuvného modulu došlo k chybě.",
"PlaybackRate": "Rychlost přehrávání"
"PlaybackRate": "Rychlost přehrávání",
"Video": "Video",
"ThumbCard": "Karta náhledu",
"Subtitle": "Titulky",
"SpecialFeatures": "Zvláštní funkce",
"SelectServer": "Vybrat server",
"Restart": "Restartovat",
"ResetPassword": "Obnovit heslo",
"Profile": "Profil",
"PosterCard": "Karta plakátu",
"Poster": "Plakát",
"MusicVideos": "Hudební videa",
"Image": "Obrázek",
"Data": "Datumy"
}

View file

@ -52,21 +52,16 @@
"ButtonOpen": "Åben",
"ButtonParentalControl": "Forældrekontrol",
"ButtonPreviousTrack": "Forrige spor",
"ButtonProfile": "Profil",
"ButtonQuickStartGuide": "Hurtig-start guide",
"ButtonRefreshGuideData": "Opdater Guide data",
"ButtonRemove": "Fjern",
"ButtonRename": "Omdøb",
"ButtonResetEasyPassword": "Nulstil pinkode",
"ButtonResetPassword": "Nulstil adgangskode",
"ButtonRestart": "Genstart",
"ButtonResume": "Genoptag",
"ButtonRevoke": "Invalider",
"ButtonScanAllLibraries": "Skan Alle Biblioteker",
"ButtonSelectDirectory": "Vælg mappe",
"ButtonSelectServer": "Vælg server",
"ButtonSelectView": "Vælg visning",
"ButtonSettings": "Indstillinger",
"ButtonShutdown": "Luk",
"ButtonSignIn": "Log Ind",
"ButtonSignOut": "Log ud",
@ -104,7 +99,6 @@
"DetectingDevices": "Finder enheder",
"DeviceAccessHelp": "Dette gælder kun for enheder, der kan identificeres unikt, og vil ikke forhindre adgang fra en browser. Ved at filtrere brugeres adgang fra enheder, kan du forhindre dem i at bruge nye enheder før de er blevet godkendt her.",
"Director": "Instruktør",
"Disabled": "Deaktiveret",
"Disconnect": "Afbryd",
"DoNotRecord": "Optag ikke",
"Download": "Hent",
@ -242,7 +236,6 @@
"HeaderMediaFolders": "Mediemapper",
"HeaderMetadataSettings": "Indstillinger for metadata",
"HeaderMoreLikeThis": "Mere Som Denne",
"HeaderMusicVideos": "Musikvideoer",
"HeaderMyDevice": "Min Enhed",
"HeaderMyMedia": "Mine medier",
"HeaderNewApiKey": "Ny API Nøgle",
@ -260,7 +253,6 @@
"HeaderPleaseSignIn": "Log venligst ind",
"HeaderPluginInstallation": "Plugin installation",
"HeaderPreferredMetadataLanguage": "Foretrukket sprog for metadata",
"HeaderProfile": "Profil",
"HeaderProfileInformation": "Profilinformation",
"HeaderProfileServerSettingsHelp": "Disse værdier kontrollerer hvordan Jellyfin præsenterer sig til enheden.",
"HeaderRecentlyPlayed": "Afspillet for nyligt",
@ -271,7 +263,6 @@
"HeaderRemoveMediaLocation": "Fjern medielokalisation",
"HeaderResponseProfile": "Svarprofil",
"HeaderResponseProfileHelp": "Svarprofiler giver en metode til at tilpasse hvilken information der sendes til enheden når der afspilles visse typer medier.",
"HeaderRestart": "Genstart",
"HeaderRevisionHistory": "Revisionshistorik",
"HeaderRunningTasks": "Kørende opgaver",
"HeaderScenes": "Scener",
@ -280,7 +271,6 @@
"HeaderSelectMetadataPath": "Vælg Metadata Path",
"HeaderSelectMetadataPathHelp": "Vælg eller indtast stien for hvor du ønsker at gemme din metadata. Mappen må ikke være skrivebeskyttet.",
"HeaderSelectPath": "Vælg sti",
"HeaderSelectServer": "Vælg server",
"HeaderSelectServerCachePath": "Vælg \"Server Cache Path\"",
"HeaderSelectServerCachePathHelp": "Vælg eller indtast stien som skal benyttes til serverens cache filer. Mappen må ikke være skrivebeskyttet.",
"HeaderSelectTranscodingPath": "Vælg \"Transcoding Temporary Path\"",
@ -288,12 +278,10 @@
"HeaderSendMessage": "Send besked",
"HeaderSeriesOptions": "Serieindstillinger",
"HeaderServerSettings": "Serverindstillinger",
"HeaderSettings": "Indstillinger",
"HeaderSetupLibrary": "Opsæt dine mediebiblioteker",
"HeaderSortBy": "Sorter Efter",
"HeaderSortOrder": "Sorteringsorden",
"HeaderSpecialEpisodeInfo": "Information om specialepisoder",
"HeaderSpecialFeatures": "Specielle egenskaber",
"HeaderSubtitleDownloads": "Undertekst Downloads",
"HeaderSubtitleProfile": "Undertekstprofil",
"HeaderSubtitleProfiles": "Undertekstprofiler",
@ -699,7 +687,6 @@
"NumLocationsValue": "{0} mapper",
"OneChannel": "En kanal",
"OptionAdminUsers": "Administratore",
"OptionAlbumArtist": "Album-artist",
"OptionAllUsers": "Alle brugere",
"OptionAllowAudioPlaybackTranscoding": "Tillad lydafspilning der kræver transkodning",
"OptionAllowBrowsingLiveTv": "Tillad adgang til live TV",
@ -716,18 +703,9 @@
"OptionAllowUserToManageServer": "Tillad denne bruger at administrere serveren",
"OptionAllowVideoPlaybackRemuxing": "Tillad videoafspilning som kræver konvertering uden omkodning",
"OptionAllowVideoPlaybackTranscoding": "Tillad videoafspilning der kræver transkodning",
"OptionAscending": "Stigende",
"OptionAutomaticallyGroupSeries": "Flet automatisk serier der er spredt over adskillige mapper",
"OptionAutomaticallyGroupSeriesHelp": "Hvis aktiveret, vil serier der er spredt over adskillige mapper i dette bibliotek blive samlet i én enkelt serie.",
"OptionBlockBooks": "Bøger",
"OptionBlockChannelContent": "Internet kanalindhold",
"OptionBlockLiveTvChannels": "Live TV-kanaler",
"OptionBlockMovies": "Film",
"OptionBlockMusic": "Musik",
"OptionBlockTrailers": "Trailere",
"OptionBlockTvShows": "TV serier",
"OptionCommunityRating": "Fællesskabsvurdering",
"OptionContinuing": "Forsættes",
"OptionCriticRating": "Kritikervurdering",
"OptionCustomUsers": "Brugerdefineret",
"OptionDaily": "Daglig",
@ -735,20 +713,13 @@
"OptionDateAddedFileTime": "Brug filen oprettelsesdato",
"OptionDateAddedImportTime": "Brug datoen for indskanning",
"OptionDatePlayed": "Dato for afspilning",
"OptionDescending": "Faldende",
"OptionDisableUser": "Deaktiver denne bruger",
"OptionDisableUserHelp": "Hvis deaktiveret vil serveren ikke tillade forbindelser fra denne bruger. Eksisterende forbindelser vil blive afbrudt øjeblikkeligt.",
"OptionDislikes": "Ikke-Lide",
"OptionDisplayFolderView": "Få vist en mappevisning til at se enkle mediemapper",
"OptionDisplayFolderViewHelp": "Vis mapper sammen med dine andre mediebiblioteker. Dette kan være nyttigt, hvis du gerne vil have en almindelig mappevisning.",
"OptionDownloadArtImage": "Billede",
"OptionDownloadBackImage": "Bagside",
"OptionDownloadBoxImage": "Boks",
"OptionDownloadDiscImage": "Disk",
"OptionDownloadImagesInAdvance": "Download billeder på forhånd",
"OptionDownloadImagesInAdvanceHelp": "Som standard downloades de fleste billeder kun, når de anmodes fra en Jellyfin-app. Aktivér denne mulighed for at downloade alle billeder på forhånd, da nye medier importeres. Dette kan forårsage betydeligt længere biblioteksscanninger.",
"OptionDownloadPrimaryImage": "Primær",
"OptionDownloadThumbImage": "Miniature",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "Inlejr i containeren",
"OptionEnableAccessFromAllDevices": "Tillad adgang fra alle enheder",
@ -759,29 +730,22 @@
"OptionEnableForAllTuners": "Aktiver for alle tuner-enheder",
"OptionEnableM2tsMode": "Aktiver M2ts tilstand",
"OptionEnableM2tsModeHelp": "Aktiver M2ts tilstand når der omkodes til mpegts.",
"OptionEnded": "Færdig",
"OptionEquals": "Lig med",
"OptionEstimateContentLength": "Estimer længden af indholdet når der transkodes",
"OptionEveryday": "Hver dag",
"OptionExternallyDownloaded": "Ekstern hentning",
"OptionExtractChapterImage": "Aktiver udvinding af kapitelbillede",
"OptionFavorite": "Favoritter",
"OptionHasSpecialFeatures": "Specielle egenskaber",
"OptionHasSubtitles": "Undertekster",
"OptionHasThemeSong": "Temasang",
"OptionHasThemeVideo": "Temavideo",
"OptionHideUser": "Vis ikke denne bruger på loginsiden",
"OptionHideUserFromLoginHelp": "Nyttigt for private kontoer eller skjulte administratorkontoer. Brugeren skal logge ind ved at skive sit brugernavn og adgangskode.",
"OptionHlsSegmentedSubtitles": "HLS segmenterede undertekster",
"OptionHomeVideos": "Billeder",
"OptionIgnoreTranscodeByteRangeRequests": "Ignorer forespørgsler vedrørende transcode byte interval",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Hvis aktiveret vil disse forespørgsler blive efterkommet, men byte range headeren ignoreret.",
"OptionImdbRating": "IMDB bedømmelse",
"OptionMax": "Maks",
"OptionMissingEpisode": "Manglende episoder",
"OptionNameSort": "Navn",
"OptionNew": "Ny...",
"OptionNone": "Ingen",
"OptionOnInterval": "Interval",
"OptionParentalRating": "Aldersgrænse",
"OptionPlainStorageFolders": "Vis alle mapper som standardmapper",
@ -789,9 +753,7 @@
"OptionPlainVideoItems": "Vis alle videoer som standardvideo",
"OptionPlainVideoItemsHelp": "Når dette er aktiveret, bliver alle videoer vist i DIDL som \"object.item.videoItem\" i stedet for mere specifikke typer, som f. eks. \"object.item.videoItem.movie\".",
"OptionPlayCount": "Gange afspillet",
"OptionPlayed": "Afspillet",
"OptionPremiereDate": "Præmieredato",
"OptionProfileAudio": "Lyd",
"OptionProfilePhoto": "Foto",
"OptionProfileVideoAudio": "Video lyd",
"OptionReleaseDate": "Udgivelsesdato",
@ -799,7 +761,6 @@
"OptionReportByteRangeSeekingWhenTranscodingHelp": "Dette er krævet for nogle enheder der ikke er særligt gode til tidssøgning.",
"OptionRequirePerfectSubtitleMatch": "Download kun undertekster der er perfekte matches for mine videofiler",
"OptionResumable": "Kan genoptages",
"OptionRuntime": "Varighed",
"OptionSaveMetadataAsHidden": "Gem metadata og billeder som skjulte filer",
"OptionSaveMetadataAsHiddenHelp": "Ændring af dette vil blive anvendt på nyt metadata gemt fremadrettet. Allerede eksisterende metadata-filer opdateres næste gang de gemmes af Jellyfin Server.",
"OptionSpecialEpisode": "Særudsendelser",
@ -807,7 +768,6 @@
"OptionTrackName": "Nummerets navn",
"OptionTvdbRating": "TVDB bedømmelse",
"OptionUnairedEpisode": "Ikke sendte episoder",
"OptionUnplayed": "Ikke afspillet",
"OptionWakeFromSleep": "Vågner fra dvale",
"OptionWeekdays": "Hverdage",
"OptionWeekends": "Weekender",
@ -821,7 +781,6 @@
"PasswordMatchError": "Adgangskode og bekræft adgangskode skal være ens.",
"PasswordResetComplete": "Adgangskoden er blevet nulstillet.",
"PasswordResetConfirmation": "Er du sikker på at adgangskoden skal nulstilles?",
"HeaderResetPassword": "Nulstil adgangskode",
"PasswordSaved": "Adgangskoden er gemt.",
"People": "Personer",
"PictureInPicture": "Billede i billede",
@ -925,11 +884,9 @@
"TabOther": "Andet",
"TabParentalControl": "Forældrekontrol",
"TabPlugins": "Tilføjelser",
"TabProfile": "Profil",
"TabProfiles": "Profiler",
"TabResponses": "Svar",
"TabScheduledTasks": "Planlagte opgaver",
"TabSettings": "Indstillinger",
"TabUpcoming": "Kommende",
"TellUsAboutYourself": "Fortæl os lidt om dig selv",
"ThisWizardWillGuideYou": "Denne guide vil hjælpe dig igennem opsætningen. For at begynde, vælg venligst dit fortrukne sprog.",
@ -1003,7 +960,6 @@
"Box": "Boks",
"BoxRear": "Boks (bagside)",
"BurnSubtitlesHelp": "Bestemmer om serveren skal brænde undertekster, når der afspilles transcoding videoer. Undgå dette vil forbedre ydelsen meget. Vælg Auto for at brænde billedbaserede formater (VOBSUB, PGS, SUB, IDX) og bestemte ASS- eller SSA-undertekster.",
"ButtonGuide": "Vejledning",
"ButtonInfo": "Information",
"ButtonOk": "Ok",
"ButtonPause": "Pause",
@ -1031,7 +987,6 @@
"DirectStreaming": "Direkte streaming",
"Directors": "Instruktører",
"Disc": "Disk",
"Dislike": "Kan ikke lide",
"Display": "Visning",
"DisplayInMyMedia": "Visning på hjemmeskærm",
"DisplayInOtherHomeScreenSections": "Visning på hjemmeskærm sektioner som seneste medier og se videre",
@ -1068,7 +1023,6 @@
"HeaderBranding": "Mærkning",
"HeaderContinueListening": "Fortsæt med At Høre",
"HeaderDownloadSync": "Hentning Og Sync",
"HeaderFavoritePlaylists": "Favorit Afspilningslister",
"HeaderLibraryOrder": "Bibliotektsorden",
"HeaderMusicQuality": "Musik Kvalitet",
"HeaderMyMediaSmall": "Mine Medier (lille)",
@ -1135,7 +1089,6 @@
"LabelTextSize": "Tekststørrelse:",
"LabelType": "Type:",
"LabelVersion": "Version:",
"LabelVideo": "Video",
"LabelVideoCodec": "Video codec:",
"LabelXDlnaCap": "X-DLNA begrænsning:",
"LabelXDlnaDoc": "X-DLNA dokumentation:",
@ -1143,7 +1096,6 @@
"Large": "Stor",
"LearnHowYouCanContribute": "Lær hvordan du kan bidrage.",
"LeaveBlankToNotSetAPassword": "Du kan lade dette felt være tomt hvis du ikke ønsker adgangskode.",
"Like": "Favorit",
"List": "Liste",
"Live": "Live",
"LiveTV": "Se Live TV",
@ -1156,8 +1108,6 @@
"MediaInfoLayout": "Udlæg",
"MediaInfoRefFrames": "Ref billeder",
"MediaInfoSampleRate": "Sample rate",
"MediaInfoStreamTypeData": "Data",
"MediaInfoStreamTypeVideo": "Video",
"MediaIsBeingConverted": "Mediet bliver konverteret til et format der er kompatibel med enheden der afspiller mediet.",
"Menu": "Menu",
"MessageImageFileTypeAllowed": "Kun JPEG og PNG filer er understøttet.",
@ -1175,16 +1125,8 @@
"OnlyForcedSubtitlesHelp": "Kun undertekster markeret som tvungne vil blive indlæst.",
"OnlyImageFormats": "Kun billedformater (VOBSUB, PGS, SUB)",
"Option3D": "3D",
"OptionAlbum": "Album",
"OptionArtist": "Kunstner",
"OptionAuto": "Automatisk",
"OptionBanner": "Banner",
"OptionBluray": "Blu-Ray",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionDownloadBannerImage": "Bannere",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadMenuImage": "Menu",
"OptionHasTrailer": "Forfilm",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionLikes": "Favoritter",
@ -1254,13 +1196,6 @@
"Watched": "Set",
"Whitelist": "Hvidliste",
"Yes": "Ja",
"HeaderFavoriteMovies": "Favoritfilm",
"HeaderFavoriteShows": "Favoritserier",
"HeaderFavoriteEpisodes": "Favoritepisoder",
"HeaderFavoriteAlbums": "Favoritalbummer",
"HeaderFavoriteArtists": "Favoritkunstnere",
"HeaderFavoriteSongs": "Favoritsange",
"HeaderFavoriteVideos": "Favoritvideoer",
"LabelServerName": "Server navn:",
"LabelUserLoginAttemptsBeforeLockout": "Fejlede loginforsøg før bruger lukkes ude:",
"ButtonAddImage": "Tilføj billede",
@ -1280,7 +1215,6 @@
"PathNotFound": "Stien blev ikke fundet. Sørg for, at stien er gyldig, og prøv igen.",
"YadifBob": "YADIF Bob",
"Yadif": "YADIF",
"Track": "Spor",
"TabNetworking": "Netværk",
"SubtitleOffset": "Undertekst Offset",
"SelectAdminUsername": "Vælg et brugernavn til administrator kontoen.",
@ -1291,14 +1225,9 @@
"PlaybackData": "Afspilningsdata",
"Person": "Person",
"PasswordResetProviderHelp": "Vælg en leverandør af nulstil adgangskode, der skal bruges, når denne bruger anmoder om en nulstilling af adgangskode",
"OptionThumbCard": "Thumb card",
"OptionThumb": "Thumb",
"OptionRandom": "Tilfældig",
"OptionPosterCard": "Plakatkort",
"OptionPoster": "Plakat",
"OptionLoginAttemptsBeforeLockoutHelp": "En værdi på nul betyder at arve standard for tre forsøg for normale brugere og fem for administratorer. Indstilling af dette til -1 vil deaktivere funktionen.",
"OptionLoginAttemptsBeforeLockout": "Bestemmer, hvor mange forkerte loginforsøg, der kan gøres, før lockout finder sted.",
"OptionList": "Liste",
"OptionForceRemoteSourceTranscoding": "Tving transcoding af eksterne mediekilder (som LiveTV)",
"NoCreatedLibraries": "Det ser ud til, at du ikke har oprettet nogen biblioteker endnu. {0} Vil du oprette en nu? {1}",
"MusicVideo": "Musik Video",
@ -1310,9 +1239,6 @@
"MessageNoServersAvailable": "Der er ikke fundet nogen servere ved hjælp af den automatiske serveropdagelse.",
"MessageNoCollectionsAvailable": "Samlinger tillader dig at nyde personlige grupperinger af Film, Serier og Albums. Klik på + knappen for at skabe en samling.",
"MessageConfirmAppExit": "Vil du afslutte?",
"MediaInfoStreamTypeSubtitle": "Undertekst",
"MediaInfoStreamTypeEmbeddedImage": "Indlejret billede",
"MediaInfoStreamTypeAudio": "Lyd",
"LabelWeb": "Web:",
"LabelVideoResolution": "Videoopløsning:",
"LabelVideoBitrate": "Video bitrate:",
@ -1347,8 +1273,6 @@
"LabelAudioChannels": "Lyd kanaler:",
"LabelAudioBitrate": "Lyd bitrate:",
"LabelAudioBitDepth": "Lyd bitdybde:",
"HeaderFavoritePeople": "Foretrukne Personer",
"HeaderFavoriteBooks": "Foretrukne Bøger",
"FetchingData": "Henter yderligere data",
"Episode": "Afsnit",
"DeinterlaceMethodHelp": "Vælg hvilken konverteringsmulighed der skal bruges til transkodning af indhold.",

View file

@ -59,7 +59,6 @@
"ButtonForgotPassword": "Passwort vergessen",
"ButtonFullscreen": "Vollbild",
"ButtonGotIt": "Verstanden",
"ButtonGuide": "TV Guide",
"ButtonLibraryAccess": "Bibliothekszugang",
"ButtonManualLogin": "Manuelle Anmeldung",
"ButtonMore": "Mehr",
@ -68,22 +67,17 @@
"ButtonOpen": "Öffnen",
"ButtonParentalControl": "Kindersicherung",
"ButtonPreviousTrack": "Vorheriges Stück",
"ButtonProfile": "Profil",
"ButtonQuickStartGuide": "Schnellstart Anleitung",
"ButtonRefreshGuideData": "Aktualisiere TV-Programmdaten",
"ButtonRemove": "Entfernen",
"ButtonRename": "Umbenennen",
"ButtonResetEasyPassword": "Einfachen PIN zurücksetzen",
"ButtonResetPassword": "Passwort zurücksetzten",
"ButtonRestart": "Neustart",
"ButtonResume": "Fortsetzen",
"ButtonRevoke": "Zurücknehmen",
"ButtonScanAllLibraries": "Scanne alle Bibliotheken",
"ButtonSelectDirectory": "Wähle Verzeichnis",
"ButtonSelectServer": "Wähle Server",
"ButtonSelectView": "Ansicht wählen",
"ButtonSend": "senden",
"ButtonSettings": "Einstellungen",
"ButtonShutdown": "Herunterfahren",
"ButtonSignIn": "Einloggen",
"ButtonSignOut": "Abmelden",
@ -137,10 +131,8 @@
"DirectStreaming": "Direktes Streaming",
"Director": "Regisseur",
"Directors": "Regisseure",
"Disabled": "Abgeschaltet",
"Disc": "Disk",
"Disconnect": "Verbindung trennen",
"Dislike": "Mag ich nicht",
"Display": "Anzeige",
"DisplayInMyMedia": "Zeige auf Homescreen",
"DisplayInOtherHomeScreenSections": "Zeige auf dem Homescreen Bereiche wie 'Neueste Medien' oder 'Weiterschauen'",
@ -309,7 +301,6 @@
"HeaderMetadataSettings": "Metadaten Einstellungen",
"HeaderMoreLikeThis": "Mehr wie dieses",
"HeaderMusicQuality": "Musikqualität",
"HeaderMusicVideos": "Musikvideos",
"HeaderMyDevice": "Mein Gerät",
"HeaderMyMedia": "Meine Medien",
"HeaderMyMediaSmall": "Meine Medien (Klein)",
@ -331,7 +322,6 @@
"HeaderPlaybackError": "Wiedergabefehler",
"HeaderPleaseSignIn": "Bitte einloggen",
"HeaderPreferredMetadataLanguage": "Bevorzugte Sprache der Metadaten",
"HeaderProfile": "Profil",
"HeaderProfileInformation": "Profil Infomationen",
"HeaderProfileServerSettingsHelp": "Diese Werte geben an, wie der Server sich Ihren Clients präsentiert.",
"HeaderRecentlyPlayed": "Zuletzt gesehen",
@ -342,7 +332,6 @@
"HeaderRemoveMediaLocation": "Entferne Medienquelle",
"HeaderResponseProfile": "Antwort Profil",
"HeaderResponseProfileHelp": "Antwortprofile bieten eine Möglichkeit die Informationen, die während dem abspielen diverser Medientypen an die Abspielgeräte gesendet werden, zu personalisieren.",
"HeaderRestart": "Neustart",
"HeaderRevisionHistory": "Versionsverlauf",
"HeaderRunningTasks": "Laufende Aufgaben",
"HeaderScenes": "Szenen",
@ -352,7 +341,6 @@
"HeaderSelectMetadataPath": "Wähle Metadaten Pfad",
"HeaderSelectMetadataPathHelp": "Suche oder gib den Pfad für Metadaten an. Das Verzeichnis muss beschreibbar sein.",
"HeaderSelectPath": "Verzeichnis Wählen",
"HeaderSelectServer": "Wähle Server",
"HeaderSelectServerCachePath": "Wähle Server Cache Pfad",
"HeaderSelectServerCachePathHelp": "Suche oder gib den Pfad für die Speicherung von Server Cache Dateien an. Das Verzeichnis muss beschreibbar sein.",
"HeaderSelectTranscodingPath": "Wähle Pfad für temporäre Transkodierdateien",
@ -361,12 +349,10 @@
"HeaderSeriesOptions": "Serienoptionen",
"HeaderSeriesStatus": "Serienstatus",
"HeaderServerSettings": "Server Einstellungen",
"HeaderSettings": "Einstellungen",
"HeaderSetupLibrary": "Medienbibliotheken einrichten",
"HeaderSortBy": "Sortiert nach",
"HeaderSortOrder": "Sortierreihenfolge",
"HeaderSpecialEpisodeInfo": "Spezialepisoden Information",
"HeaderSpecialFeatures": "Extras",
"HeaderStartNow": "Starte jetzt",
"HeaderStopRecording": "Aufnahme stoppen",
"HeaderSubtitleAppearance": "Untertiteldarstellung",
@ -722,7 +708,6 @@
"LatestFromLibrary": "Neueste {0}",
"LearnHowYouCanContribute": "Erfahre, wie du unterstützen kannst.",
"LibraryAccessHelp": "Wähle die Bibliotheken aus, die du mit diesem Benutzer teilen möchtest. Administratoren können den Metadaten-Manager verwenden um alle Ordner zu bearbeiten.",
"Like": "Mag ich",
"List": "Liste",
"LiveBroadcasts": "Liveübertragungen",
"ManageLibrary": "Bibliothek verwalten",
@ -831,7 +816,6 @@
"OnlyForcedSubtitlesHelp": "Nur Untertitel, die als erzwungen markiert wurden, werden geladen.",
"OnlyImageFormats": "Nur Bildformate (VOBSUB, PGS, SUB)",
"OptionAdminUsers": "Administratoren",
"OptionAlbumArtist": "Album-Interpret",
"OptionAllUsers": "Alle Benutzer",
"OptionAllowAudioPlaybackTranscoding": "Erlaube Audio-Wiedergabe die Transkodierung benötigt",
"OptionAllowBrowsingLiveTv": "Erlaube Live TV Zugriff",
@ -848,19 +832,9 @@
"OptionAllowUserToManageServer": "Dieser Benutzer kann den Server managen",
"OptionAllowVideoPlaybackRemuxing": "Erlaube Video-Wiedergabe mittels Konvertierung ohne Neu-Enkodierung",
"OptionAllowVideoPlaybackTranscoding": "Erlaube Video-Wiedergabe die Transkodierung benötigt",
"OptionArtist": "Interpret",
"OptionAscending": "Aufsteigend",
"OptionAutomaticallyGroupSeries": "Vermische Serieninhalte, die in verschiedenen Ordnern abgelegt sind",
"OptionAutomaticallyGroupSeriesHelp": "Inhalte einer Serie in verschiedenen Ordnern werden innerhalb einer Bibliothek als eine Serie angezeigt.",
"OptionBlockBooks": "Bücher",
"OptionBlockChannelContent": "Internet Channelinhalte",
"OptionBlockLiveTvChannels": "Live-TV Kanäle",
"OptionBlockMovies": "Filme",
"OptionBlockMusic": "Musik",
"OptionBlockTrailers": "Trailer",
"OptionBlockTvShows": "TV Serien",
"OptionCommunityRating": "Community Bewertung",
"OptionContinuing": "Fortlaufend",
"OptionCriticRating": "Kritiker Bewertung",
"OptionCustomUsers": "Benutzer",
"OptionDaily": "Täglich",
@ -868,19 +842,13 @@
"OptionDateAddedFileTime": "Benutze das Erstellungsdatum der Datei",
"OptionDateAddedImportTime": "Benutze das Scandatum vom Hinzufügen in die Bibliothek",
"OptionDatePlayed": "Gesehen am",
"OptionDescending": "Absteigend",
"OptionDisableUser": "Sperre diesen Benutzer",
"OptionDisableUserHelp": "Der Server keine Verbindung von diesem Benutzer erlauben. Bestehende Verbindungen werden sofort beendet.",
"OptionDislikes": "Mag ich nicht",
"OptionDisplayFolderView": "Darstellung in Verzeichnisansicht zeigt Medien Verzechnisse",
"OptionDisplayFolderViewHelp": "Zeige eine Verzeichnisansicht neben deinen Bibliotheken an. Dies kann praktisch sein, wenn man nur Verzeichnisansichten verwendet.",
"OptionDownloadArtImage": "Kunst",
"OptionDownloadBackImage": "Zurück",
"OptionDownloadDiscImage": "Disk",
"OptionDownloadImagesInAdvance": "Bilder vorab herunterladen",
"OptionDownloadImagesInAdvanceHelp": "Standardmäßig werden die meisten Bilder erst dann heruntergeladen, wenn ein Client diese anfragt. Schalten Sie diese Option ein um alle Bilder im Voraus herunterzuladen, wenn neue Medien importiert werden. Diese Einstellung kann zu signifikant längeren Bibliothekscans führen.",
"OptionDownloadMenuImage": "Menü",
"OptionDownloadPrimaryImage": "Primär",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "In Container eingebettet",
"OptionEnableAccessFromAllDevices": "Erlaube Zugriff von allen Geräten",
@ -891,28 +859,22 @@
"OptionEnableForAllTuners": "Aktiviere für alle Tuner",
"OptionEnableM2tsMode": "Aktiviere M2TS Modus",
"OptionEnableM2tsModeHelp": "Aktiviere M2TS Modus beim Encodieren nach MPEGTS.",
"OptionEnded": "Beendent",
"OptionEquals": "Gleiche",
"OptionEstimateContentLength": "Voraussichtliche Inhaltslänge beim Transkodieren",
"OptionEveryday": "Täglich",
"OptionExternallyDownloaded": "Externer Download",
"OptionExtractChapterImage": "Aktiviere Kapitelbild-Extrahierung",
"OptionFavorite": "Favoriten",
"OptionHasSpecialFeatures": "Besonderes Merkmal",
"OptionHasSubtitles": "Untertitel",
"OptionHasThemeSong": "Titellied",
"OptionHasThemeVideo": "Titelvideo",
"OptionHideUser": "Verberge diesen Benutzer in den Anmeldebildschirmen",
"OptionHideUserFromLoginHelp": "Hilfreich für private oder versteckte Administrator-Konten. Der Benutzer muss sich manuell mit der Eingabe des Benutzernamens und Passworts anmelden.",
"OptionHlsSegmentedSubtitles": "HLS segmentierte Untertitel",
"OptionHomeVideos": "Fotos",
"OptionIgnoreTranscodeByteRangeRequests": "Ignoriere Anfragen für Transkodierbytebereiche",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Diese Anfragen werden berücksichtigt, aber den Byte-Range-Header ignorieren.",
"OptionImdbRating": "IMDb Bewertung",
"OptionLikes": "Mag ich",
"OptionMissingEpisode": "Fehlende Episoden",
"OptionNew": "Neu…",
"OptionNone": "Keines",
"OptionOnInterval": "Nach einem Intervall",
"OptionParentalRating": "Altersfreigabe",
"OptionPlainStorageFolders": "Zeige alle Verzeichnisse als reine Speicherorte an",
@ -920,7 +882,6 @@
"OptionPlainVideoItems": "Zeige alle Videos als reine Videodateien an",
"OptionPlainVideoItemsHelp": "Alle Videos werden in DIDL als \"object.item.videoItem\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.item.videoItem.movie\".",
"OptionPlayCount": "Zähler",
"OptionPlayed": "Gesehen",
"OptionPremiereDate": "Premiere",
"OptionReleaseDate": "Veröffentlichungsdatum",
"OptionReportByteRangeSeekingWhenTranscoding": "Teilt die Unterstützung der Bytesuche während des transkodierens auf dem Server mit",
@ -929,12 +890,10 @@
"OptionRequirePerfectSubtitleMatchHelp": "Perfektes Ergebnis wählt beim Filtern nur Untertitel, welche getestet und für deine exakte Videodatei verifiziert wurden. Die Abwahl dieser Option erhöht die Chance, dass Untertitel heruntergeladen werden, die Möglichkeit falscher Untertitel oder dass Text an falschen Positionen angezeigt wird ist aber ebenfalls größer.",
"OptionResElement": "Res Element",
"OptionResumable": "Fortsetzen",
"OptionRuntime": "Dauer",
"OptionSaveMetadataAsHidden": "Speichere Metadaten und Bilder als versteckte Dateien",
"OptionSaveMetadataAsHiddenHelp": "Änderungen werden sich auf neue Metadaten angewendet. Bereits existierende Metadaten werden bei der nächsten Speicherung des Servers auf den neusten Stand gebracht.",
"OptionTvdbRating": "TVDB Bewertung",
"OptionUnairedEpisode": "Nicht ausgestrahlte Episoden",
"OptionUnplayed": "Ungesehen",
"OptionWakeFromSleep": "Aufwachen nach dem Schlafen",
"OptionWeekdays": "Wöchentlich",
"OptionWeekends": "An Wochenenden",
@ -948,7 +907,6 @@
"PasswordMatchError": "Die Passwörter müssen übereinstimmen.",
"PasswordResetComplete": "Das Passwort wurde zurückgesetzt.",
"PasswordResetConfirmation": "Möchtest du das Passwort wirklich zurücksetzen?",
"HeaderResetPassword": "Passwort zurücksetzen",
"PasswordSaved": "Passwort gespeichert.",
"People": "Personen",
"PerfectMatch": "Perfektes Ergbnis",
@ -1082,11 +1040,9 @@
"TabNotifications": "Benachrichtigungen",
"TabOther": "Andere",
"TabParentalControl": "Kindersicherung",
"TabProfile": "Profil",
"TabProfiles": "Profile",
"TabResponses": "Antworten",
"TabScheduledTasks": "Geplante Aufgaben",
"TabSettings": "Einstellungen",
"TabUpcoming": "Bevorstehend",
"TellUsAboutYourself": "Sagen Sie uns etwas über sich selbst",
"ThemeSongs": "Titelsongs",
@ -1189,7 +1145,6 @@
"ColorTransfer": "Farbtransfer",
"LabelTypeText": "Text",
"LabelVersion": "Version:",
"LabelVideo": "Video",
"LeaveBlankToNotSetAPassword": "Dieses Feld frei lassen, um kein Passwort zu setzen.",
"MessageImageFileTypeAllowed": "Nur JPEG- und PNG-Dateien werden unterstützt.",
"MessageImageTypeNotSelected": "Bitte wähle einen Bildtyp aus dem Drop-Down Menü aus.",
@ -1205,17 +1160,10 @@
"MediaInfoInterlaced": "Interlaced/Zeilensprungverfahren",
"MediaInfoLevel": "Level",
"Option3D": "3D",
"OptionAlbum": "Album",
"OptionAuto": "Auto",
"OptionBluray": "Blu-ray",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadLogoImage": "Logo",
"OptionHasTrailer": "Trailer",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionNameSort": "Name",
"OptionProfileAudio": "Audio",
"OptionProfilePhoto": "Foto",
"OptionProfileVideo": "Video",
"OptionProtocolHls": "HTTP-Live-Streaming",
@ -1239,11 +1187,9 @@
"ValueVideoCodec": "Videocodec: {0}",
"LabelTag": "Tag:",
"LabelTagline": "Markierungen:",
"OptionDownloadThumbImage": "Vorschau",
"OptionMax": "Maximum",
"OptionProfileVideoAudio": "Video Audio",
"OptionSubstring": "Teilzeichenfolge",
"OptionThumb": "Miniaturansicht",
"Premiere": "Premiere",
"Smart": "Schlau",
"Tags": "Markierungen",
@ -1252,14 +1198,6 @@
"Whitelist": "Erlaubt",
"AuthProviderHelp": "Wähle einen Authentifizierungsanbieter, der zur Authentifizierung des Passworts dieses Benutzers verwendet werden soll.",
"Features": "Funktionen",
"HeaderFavoriteBooks": "Lieblingsbücher",
"HeaderFavoriteMovies": "Lieblingsfilme",
"HeaderFavoriteShows": "Lieblingsserien",
"HeaderFavoriteEpisodes": "Lieblingsepisoden",
"HeaderFavoriteAlbums": "Lieblingsalben",
"HeaderFavoriteArtists": "Lieblings-Interpreten",
"HeaderFavoriteSongs": "Lieblingslieder",
"HeaderFavoriteVideos": "Lieblingsvideos",
"LabelAuthProvider": "Authentifizierungsanbieter:",
"LabelServerName": "Servername:",
"LabelTranscodePath": "Transkodierungspfad:",
@ -1267,13 +1205,7 @@
"DashboardVersionNumber": "Version: {0}",
"DashboardServerName": "Server: {0}",
"LabelWeb": "Web:",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Daten",
"MediaInfoStreamTypeEmbeddedImage": "Eingebettetes Bild",
"MediaInfoStreamTypeSubtitle": "Untertitel",
"MediaInfoStreamTypeVideo": "Video",
"MessageNoCollectionsAvailable": "Sammlungen ermöglichen es, personalisierte Gruppierungen von Filmen, Serien und Alben zu genießen. Klicken Sie auf die Schaltfläche +, um mit der Erstellung von Sammlungen zu beginnen.",
"OptionDownloadBoxImage": "Box",
"OptionLoginAttemptsBeforeLockout": "Legt fest, wie viele falsche Anmeldeversuche durchgeführt werden können, bevor es zur Sperrung kommt.",
"OptionLoginAttemptsBeforeLockoutHelp": "Null (0) bedeutet den Standardwert von drei Versuchen für normale, sowie fünf für Administrator-Benutzer zu übernehmen. Ein Wert von -1 deaktiviert die Funktion.",
"PasswordResetProviderHelp": "Wählen Sie einen Password Reset Provider, der verwendet werden soll, wenn dieser Benutzer ein Passwort zurücksetzen möchte.",
@ -1308,13 +1240,7 @@
"MediaInfoCodecTag": "Codec Tag",
"SubtitleOffset": "Untertitel-Synchronisierung",
"PlaybackData": "Wiedergabeinformationen",
"OptionThumbCard": "Vorschaukarte",
"OptionPosterCard": "Posterkarte",
"OptionPoster": "Poster",
"OptionList": "Liste",
"OptionBanner": "Banner",
"MusicVideo": "Musikvideo",
"HeaderFavoritePeople": "Lieblingskünstler",
"MusicLibraryHelp": "Überprüfe den {0}Musikbenennungsguide{1}.",
"OptionRandom": "Zufällig",
"TabNetworking": "Netzwerk",
@ -1346,7 +1272,6 @@
"ListPaging": "{0}-{1} von {2}",
"WriteAccessRequired": "Jellyfin benötigt Schreibrechte auf diesem Ordner. Bitte prüfe die Schreibrechte und versuche es erneut.",
"PathNotFound": "Der Pfad konnte nicht gefunden werden. Bitte versichere dich dass der Pfad korrekt ist und versuche es erneut.",
"Track": "Track",
"Season": "Staffel",
"Person": "Person",
"Movie": "Film",
@ -1364,7 +1289,6 @@
"UnsupportedPlayback": "Jellyfin kann keine DRM-geschützten Inhalte entschlüsseln, aber es wird versucht, alle Inhalte unabhängig davon zu entschlüsseln, einschließlich geschützter Titel. Einige Dateien können aufgrund der Verschlüsselung oder anderer nicht unterstützter Funktionen, wie z.B. interaktive Titel, komplett schwarz erscheinen.",
"Filter": "Filter",
"New": "Neu",
"HeaderFavoritePlaylists": "Lieblings-Wiedergabeliste",
"ButtonTogglePlaylist": "Wiedergabeliste",
"ApiKeysCaption": "Liste der aktuell aktivierten API-Schlüssel",
"LabelStable": "Stable",
@ -1442,5 +1366,14 @@
"LabelSubtitleVerticalPosition": "Vertikale Position:",
"MessageGetInstalledPluginsError": "Beim Abrufen der Liste der derzeit installierten Plugins ist ein Fehler aufgetreten.",
"MessagePluginInstallError": "Bei der Installation des Plugins ist ein Fehler aufgetreten.",
"PlaybackRate": "Wiedergabegeschwindigkeit"
"PlaybackRate": "Wiedergabegeschwindigkeit",
"Video": "Video",
"Subtitle": "Untertitel",
"SelectServer": "Server auswählen",
"Restart": "Neustarten",
"ResetPassword": "Passwort zurücksetzten",
"Profile": "Profil",
"MusicVideos": "Musikvideos",
"Image": "Bild",
"Data": "Daten"
}

View file

@ -57,7 +57,6 @@
"ButtonForgotPassword": "Ξέχασα τον κωδικό",
"ButtonFullscreen": "Πλήρης οθόνη",
"ButtonGotIt": "Το κατάλαβα",
"ButtonGuide": "Οδηγός",
"ButtonInfo": "Πληροφορία",
"ButtonLibraryAccess": "Πρόσβαση στη βιβλιοθήκη",
"ButtonManualLogin": "Χειροκίνητη Είσοδος",
@ -67,22 +66,17 @@
"ButtonParentalControl": "Γονικός έλεγχος",
"ButtonPause": "Παύση",
"ButtonPreviousTrack": "Προηγουμενο",
"ButtonProfile": "Προφίλ",
"ButtonQuickStartGuide": "Οδηγός Γρήγορης Εκκίνησης",
"ButtonRefreshGuideData": "Ανανέωση Δεδομένων Οδηγού",
"ButtonRemove": "Κατάργηση",
"ButtonRename": "Μετονομασία",
"ButtonResetEasyPassword": "Επαναφορά εύκολου κωδικού PIN",
"ButtonResetPassword": "Επαναφορά του κωδικού πρόσβασης",
"ButtonRestart": "Επανεκκίνηση",
"ButtonResume": "Συνέχιση",
"ButtonRevoke": "Ανακαλώ",
"ButtonScanAllLibraries": "Σάρωση όλων των βιβλιοθηκών",
"ButtonSelectDirectory": "Επιλογή Φακέλου",
"ButtonSelectServer": "Επιλογή Διακομιστή",
"ButtonSelectView": "Επιλέξτε Προβολή",
"ButtonSend": "Αποστολή",
"ButtonSettings": "Ρυθμίσεις",
"ButtonShutdown": "Απενεργοποίηση",
"ButtonSignIn": "Είσοδος",
"ButtonSignOut": "Έξοδος",
@ -141,10 +135,8 @@
"DirectStreaming": "Απευθείας Αναμετάδοση",
"Director": "Σκηνοθέτης",
"Directors": "Σκηνοθέτες",
"Disabled": "Απενεργοποιημένο",
"Disc": "Δίσκος",
"Disconnect": "Αποσύνδεση",
"Dislike": "Δεν μου αρέσει",
"Display": "Εμφάνιση",
"DisplayInMyMedia": "Εμφάνιση στην αρχική οθόνη",
"DisplayInOtherHomeScreenSections": "Εμφάνιση στα τμήματα της αρχικής οθόνης, όπως τα πιο πρόσφατα πολυμέσα και συνεχίστε να παρακολουθείτε",
@ -289,7 +281,6 @@
"HeaderMetadataSettings": "Ρυθμίσεις μεταδεδομένων",
"HeaderMoreLikeThis": "Περισσότερα Σαν Αυτό",
"HeaderMusicQuality": "Ποιότητα Μουσικής",
"HeaderMusicVideos": "Βίντεο Μουσικής",
"HeaderMyDevice": "Η Συσκευή μου",
"HeaderMyMedia": "Τα Πολυμέσα μου",
"HeaderMyMediaSmall": "Τα Πολυμέσα μου (μικρά)",
@ -312,7 +303,6 @@
"HeaderPleaseSignIn": "Παρακαλώ εισέλθετε",
"HeaderPluginInstallation": "Εγκατάσταση προσθέτου",
"HeaderPreferredMetadataLanguage": "Προτιμώμενη Γλώσσα Πληροφοριών",
"HeaderProfile": "Προφίλ",
"HeaderProfileInformation": "Πληροφορίες Προφίλ",
"HeaderProfileServerSettingsHelp": "Αυτές οι τιμές ελέγχουν τον τρόπο εμφάνισης του Jellyfin Server στη συσκευή.",
"HeaderRecentlyPlayed": "Έγινε πρόσφατα Αναπαραγωγή",
@ -320,23 +310,19 @@
"HeaderRemoteControl": "Τηλεχειριστήριο",
"HeaderRemoveMediaLocation": "Κατάργηση θέσης πολυμέσων",
"HeaderResponseProfileHelp": "Τα προφίλ απόκρισης παρέχουν έναν τρόπο προσαρμογής των πληροφοριών που αποστέλλονται στη συσκευή κατά την αναπαραγωγή συγκεκριμένων μέσων.",
"HeaderRestart": "Επανεκκίνηση",
"HeaderRevisionHistory": "Ιστορικό αναθεωρήσεων",
"HeaderRunningTasks": "Προγραμματισμένες Εργασίες",
"HeaderScenes": "Σκηνές",
"HeaderSeasons": "Κύκλοι",
"HeaderSecondsValue": "{0} δευτερόλεπτα",
"HeaderSelectServer": "Επιλογή Διακομιστή",
"HeaderSendMessage": "Αποστολή Μηνύματος",
"HeaderSeriesOptions": "Επιλογές Σειρών",
"HeaderSeriesStatus": "Κατάσταση Σειράς",
"HeaderServerSettings": "Ρυθμίσεις διακομιστή",
"HeaderSettings": "Ρυθμίσεις",
"HeaderSetupLibrary": "Ρυθμίστε τις βιβλιοθήκες πολυμέσων σας",
"HeaderSortBy": "Ταξινόμηση κατά",
"HeaderSortOrder": "Σειρά ταξινόμησης",
"HeaderSpecialEpisodeInfo": "Ειδικές πληροφορίες επεισοδίου",
"HeaderSpecialFeatures": "Πρόσθετες Σκηνές",
"HeaderStartNow": "Ξεκίνα τώρα",
"HeaderStatus": "Κατάσταση",
"HeaderStopRecording": "Διακοπή Εγγραφής",
@ -627,7 +613,6 @@
"LabelValue": "Τιμή:",
"LabelVersion": "Έκδοση:",
"LabelVersionInstalled": "{0} εγκαταστήθηκε",
"LabelVideo": "Βίντεο",
"LabelXDlnaCapHelp": "Καθορίζει το περιεχόμενο του στοιχείου X_DLNACAP στο urn:schemas-dlna-org:device-1-0 namespace.",
"LabelXDlnaDocHelp": "Καθορίζει το περιεχόμενο του στοιχείου X_DLNACAP στο urn:schemas-dlna-org:device-1-0 namespace.",
"LabelYear": "Έτος:",
@ -637,7 +622,6 @@
"LatestFromLibrary": "Τελευταία {0}",
"LearnHowYouCanContribute": "Μάθετε πώς μπορείτε να συμβάλλετε.",
"LibraryAccessHelp": "Επιλέξτε τους φακέλους μέσων για να το μοιραστείτε με αυτόν το χρήστη. Οι διαχειριστές θα έχουν τη δυνατότητα να επεξεργάζεστε όλα φακέλους χρησιμοποιώντας τα μεταδεδομένα manager.",
"Like": "Μου αρέσει",
"List": "Λίστα",
"Live": "Ζωντανά",
"LiveBroadcasts": "Ζωντανές εκπομπές",
@ -738,8 +722,6 @@
"OnlyForcedSubtitlesHelp": "Μόνο οι υπότιτλοι που έχουν επισημανθεί ως αναγκασμένοι θα φορτωθούν.",
"OnlyImageFormats": "Μόνο μορφές εικόνων (VOBSUB, PGS, SUB / IDX κ.λπ.)",
"OptionAdminUsers": "Διαχειριστές",
"OptionAlbum": "Άλμπουμ",
"OptionAlbumArtist": "άλμπουμ Καλλιτέχνες",
"OptionAllUsers": "Ολοι οι χρήστες",
"OptionAllowAudioPlaybackTranscoding": "Επέτρεψε την αναπαραγωγή μουσικής που χρειάζεται αναπροσαρμογή",
"OptionAllowBrowsingLiveTv": "ΖΩΝΤΑΝΗ ΤΗΛΕΩΡΑΣΗ",
@ -756,64 +738,38 @@
"OptionAllowUserToManageServer": "Επιτρέψτε σε αυτόν τον χρήστη να διαχειρίζεται το διακομιστή",
"OptionAllowVideoPlaybackRemuxing": "Επέτρεψε την αναπαραγωγή βίντεο που χρειάζεται αναπροσαρμογή",
"OptionAllowVideoPlaybackTranscoding": "Επέτρεψε την αναπαραγωγή βίντεο που χρειάζεται αναπροσαρμογή",
"OptionArtist": "Καλλιτέχνες",
"OptionAscending": "Αύξουσα",
"OptionAuto": "Αυτόματο",
"OptionBlockBooks": "Βιβλία",
"OptionBlockChannelContent": "Περιεχόμενο Διαδικτυακών Καναλιών",
"OptionBlockLiveTvChannels": "ΚΑΝΑΛΙΑ ΖΩΝΤΑΝΗΣ ΤΗΛΕΟΡΑΣΗΣ",
"OptionBlockMovies": "Ταινίες",
"OptionBlockMusic": "Μουσική",
"OptionBlockTvShows": "Τηλεοπτικά προγράμματα",
"OptionCommunityRating": "Βαθμολογία Κοινότητας",
"OptionContinuing": "Συνέχιση",
"OptionCriticRating": "Βαθμολογία κριτικών",
"OptionCustomUsers": "Προσαρμοσμένο",
"OptionDaily": "Καθημερινά",
"OptionDateAdded": "Ημερομηνία Προσθήκης",
"OptionDateAddedFileTime": "Χρήση της ημερομηνίας δημιουργίας αρχείου",
"OptionDatePlayed": "Ημερομηνία Αναπαραγωγής",
"OptionDescending": "Φθίνουσα",
"OptionDisableUser": "Απενεργοποιήση Χρήστη",
"OptionDisableUserHelp": "Αν απενεργοποιηθεί, ο διακομιστής δεν θα επιτρέψει οποιεσδήποτε συνδέσεις από αυτόν τον χρήστη. Οι υπάρχουσες συνδέσεις τερματίζονται απότομα.",
"OptionDislikes": "Αντιπαθεί",
"OptionDisplayFolderView": "Εμφάνιση μιας προβολής φακέλου για την εμφάνιση φακέλων απλού μέσου",
"OptionDisplayFolderViewHelp": "Εάν ενεργοποιηθεί, οι εφαρμογές Jellyfin θα εμφανίζουν μια κατηγορία φακέλων παράλληλα με τη βιβλιοθήκη πολυμέσων. Αυτό είναι χρήσιμο αν θέλετε να έχετε προβολές απλού φακέλου.",
"OptionDownloadArtImage": "Τέχνη",
"OptionDownloadBackImage": "Πίσω",
"OptionDownloadBannerImage": "Πανό",
"OptionDownloadBoxImage": "Κουτί",
"OptionDownloadDiscImage": "Δίσκος",
"OptionDownloadImagesInAdvance": "Κατεβάστε εικόνες εκ των προτέρων",
"OptionDownloadImagesInAdvanceHelp": "Από προεπιλογή, οι περισσότερες εικόνες μεταφορτώνονται μόνο όταν ζητούνται από μια εφαρμογή Jellyfin. Ενεργοποιήστε αυτήν την επιλογή για να κάνετε λήψη όλων των εικόνων εκ των προτέρων, καθώς εισάγονται νέα μέσα. Αυτό μπορεί να προκαλέσει σημαντικά μεγαλύτερες σαρώσεις βιβλιοθήκης.",
"OptionDownloadMenuImage": "Μενού",
"OptionDownloadPrimaryImage": "Πρώτο",
"OptionEmbedSubtitles": "Ενσωματωμένο στο container",
"OptionEnableAccessFromAllDevices": "Πρόσβαση από όλες τις συσκευές",
"OptionEnableAccessToAllChannels": "Ενεργοποιήστε την πρόσβαση σε όλα τα κανάλια",
"OptionEnableAccessToAllLibraries": "Πρόσβαση σε όλες τις Βιβλιοθήκες",
"OptionEnableExternalContentInSuggestionsHelp": "Να επιτρέπεται η συμπερίληψη internet trailers και προγράμματα live tv στο προτεινόμενο περιεχόμενο.",
"OptionEnableM2tsMode": "Ενεργοποίηση λειτουργίας M2ts",
"OptionEnded": "Τέλος",
"OptionEquals": "Ίσα",
"OptionEveryday": "Κάθε μέρα",
"OptionExternallyDownloaded": "Εξωτερική λήψη",
"OptionFavorite": "Αγαπημένα",
"OptionHasSpecialFeatures": "Ειδικά Χαρακτηριστικά",
"OptionHasSubtitles": "Υπότιτλοι",
"OptionHasThemeSong": "Θεματικό Τραγούδι",
"OptionHasThemeVideo": "Θεματικό Βίντεο",
"OptionHasTrailer": "Τρέϊλερ",
"OptionHideUser": "Απόκρυψη αυτού του χρήστη από τις οθόνες σύνδεσης",
"OptionHideUserFromLoginHelp": "Χρήσιμο για ιδιωτικούς ή κρυφό λογαριασμούς διαχειριστή. Ο χρήστης θα πρέπει να συνδεθεί χειροκίνητα εισάγοντας το όνομα χρήστη και τον κωδικό πρόσβασής του.",
"OptionHomeVideos": "Προσωπικά βίντεο & φωτογραφίες",
"OptionImdbRating": "Βαθμολογία IMDb",
"OptionLikes": "Συμπαθεί",
"OptionMax": "Μέγιστο",
"OptionMissingEpisode": "Ελλειπή Επεισόδια",
"OptionNameSort": "Όνομα",
"OptionNew": "Νέο...",
"OptionNone": "Κανένα",
"OptionOnInterval": "Σε ένα διάστημα",
"OptionParentalRating": "Αξιολόγηση γονέων",
"OptionPlainStorageFolders": "Εμφάνιση όλων των φακέλων ως φακέλων απλού χώρου αποθήκευσης",
@ -821,9 +777,7 @@
"OptionPlainVideoItems": "Εμφάνιση όλων των βίντεο ως στοιχείων απλού βίντεο",
"OptionPlainVideoItemsHelp": "Εάν ενεργοποιηθεί, όλα τα βίντεο αντιπροσωπεύονται στο DIDL ως \"object.item.videoItem\" αντί για έναν πιο συγκεκριμένο τύπο, όπως \"object.item.videoItem.movie\".",
"OptionPlayCount": "Φορές Αναπαραγωγής",
"OptionPlayed": "Αναπαράχθηκε",
"OptionPremiereDate": "Ημερομηνία πρεμιέρας",
"OptionProfileAudio": "Ήχος",
"OptionProfileVideo": "Βίντεο",
"OptionReleaseDate": "Ημερομηνία Προβολής",
"OptionResumable": "Αναληπτέος",
@ -832,7 +786,6 @@
"OptionTrackName": "Όνομα Αρχείου",
"OptionTvdbRating": "Tvdb Βαθμολογία",
"OptionUnairedEpisode": "Επεισόδια που δεν προβλήθηκαν",
"OptionUnplayed": "Δεν παίχθηκε",
"OptionWakeFromSleep": "Επανεργοποιήση",
"OptionWeekdays": "Καθημερινές",
"OptionWeekends": "Σαββατοκύριακα",
@ -846,7 +799,6 @@
"PasswordMatchError": "Ο κωδικός πρόσβασης και ο κωδικός επιβεβαίωσης πρέπει να είναι ίδιοι.",
"PasswordResetComplete": "Ο κωδικός πρόσβασης επαναφέρθηκε.",
"PasswordResetConfirmation": "Είστε σίγουροι ότι θέλετε να επαναφέρετε τον κωδικό πρόσβασης;",
"HeaderResetPassword": "Επαναφορά του κωδικού πρόσβασης",
"PasswordSaved": "Ο κωδικός πρόσβασης αποθηκεύτηκε.",
"People": "Πρόσωπα",
"PerfectMatch": "Τέλεια αντιστοίχιση",
@ -971,12 +923,10 @@
"TabOther": "Άλλα",
"TabParentalControl": "Γονικός έλεγχος",
"TabPlugins": "Πρόσθετα",
"TabProfile": "Προφίλ",
"TabProfiles": "Προφίλ",
"TabResponses": "Απαντήσεις",
"TabScheduledTasks": "Προγραμματισμένες Εργασίες",
"TabServer": "Διακομιστής",
"TabSettings": "Ρυθμισεις",
"TabStreaming": "Ροή",
"TabUpcoming": "Επερχόμενα",
"Tags": "Ετικέτες",
@ -1054,8 +1004,6 @@
"HeaderRemoveMediaFolder": "Αφαίρεση Φακέλου Μέσων",
"HeaderIdentification": "Ταυτοποίηση",
"HeaderGuideProviders": "Πάροχοι Δεδομένων Προγράμματος Τηλεόρασης",
"HeaderFavoriteVideos": "Αγαπημένα Βίντεο",
"HeaderFavoriteMovies": "Αγαπημένες Ταινίες",
"HeaderDownloadSync": "Κατέβασμα & Συγχρονισμός",
"HeaderDeleteProvider": "Διαγραφή Παρόχου",
"HeaderConnectToServer": "Σύνδεση στον Διακομιστή",
@ -1068,11 +1016,6 @@
"LabelTranscodePath": "Διαδρομή μετατροπών:",
"ColorPrimaries": "Πρωταρχικά χρώματα",
"ErrorGettingTvLineups": "Υπήρξε σφάλμα κατά την μεταφόρτωση του προγράμματος τηλεόρασης. Βεβαιωθείτε ότι οι πληροφορίες είναι σωστές και ξαναπροσπαθήστε.",
"HeaderFavoriteSongs": "Αγαπημένα Τραγούδια",
"HeaderFavoriteArtists": "Αγαπημένοι Καλλιτέχνες",
"HeaderFavoriteAlbums": "Αγαπημένα Άλμπουμ",
"HeaderFavoriteEpisodes": "Αγαπημένα Επεισόδια",
"HeaderFavoriteShows": "Αγαπημένες Σειρές",
"AllowMediaConversion": "Να επιτρέπονται οι μετατροπές μέσων",
"EncoderPresetHelp": "Επιλέξτε γρηγορότερη επιλογή για να βελτιώσετε την επίδοση, ή πιο αργή για να βελτιώσετε την ποιότητα.",
"ErrorAddingXmlTvFile": "Υπήρξε σφάλμα κατά την πρόσβαση του αρχείου XmlTV. Βεβαιωθείτε ότι το αρχείο υπάρχει και ξαναπροσπαθήστε.",
@ -1088,9 +1031,6 @@
"AllowMediaConversionHelp": "Παραχώρηση ή στέρηση πρόσβασης στην λειτουργία μετατροπής μέσων.",
"AllowHWTranscodingHelp": "Επιτρέπει τον δέκτη να επανακωδικοποιεί τις ροές σε πραγματικό χρόνο. Αυτό μπορεί να μειώσει τον φόρτο κωδικοποίησης τον σέρβερ.",
"Alerts": "Προειδοποίηση",
"MediaInfoStreamTypeVideo": "Βίντεο",
"MediaInfoStreamTypeSubtitle": "Υπότιτλος",
"MediaInfoStreamTypeData": "Δεδομένα",
"LeaveBlankToNotSetAPassword": "Μπορείτε να αφήσετε αυτό το πεδίο άδειο για να μην έχετε κωδικό.",
"DashboardArchitecture": "Αρχιτεκτονική:{0}",
"DashboardOperatingSystem": "Λειτουργικό Σύστημα:{0}",

View file

@ -21,8 +21,7 @@
"NewCollectionHelp": "Collections allow you to create personalized groupings of movies and other library content.",
"NoNewDevicesFound": "No new devices found. To add a new tuner, close this dialogueand enter the device information manually.",
"OptionEnableExternalContentInSuggestionsHelp": "Allow internet trailers and live TV programs to be included within suggested content.",
"OptionFavorite": "Favourites",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honoured but will ignore the byte range header.",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "These requests will be honored but will ignore the byte range header.",
"PlaceFavoriteChannelsAtBeginning": "Place favourite channels at the beginning",
"Programs": "Programs",
"TabCatalog": "Catalogue",
@ -68,7 +67,7 @@
"AllowMediaConversionHelp": "Grant or deny access to the convert media feature.",
"AllowOnTheFlySubtitleExtraction": "Allow subtitle extraction on the fly",
"AllowOnTheFlySubtitleExtractionHelp": "Embedded subtitles can be extracted from videos and delivered to clients in plain text, in order to help prevent video transcoding. On some systems this can take a long time and cause video playback to stall during the extraction process. Disable this to have embedded subtitles burned in with video transcoding when they are not natively supported by the client device.",
"AllowRemoteAccess": "Allow remote connections to this Jellyfin Server.",
"AllowRemoteAccess": "Allow remote connections to this server.",
"AllowRemoteAccessHelp": "If unchecked, all remote connections will be blocked.",
"AllowedRemoteAddressesHelp": "Comma separated list of IP addresses or IP/netmask entries for networks that will be allowed to connect remotely. If left blank, all remote addresses will be allowed.",
"AlwaysPlaySubtitles": "Always Play",
@ -81,7 +80,7 @@
"Ascending": "Ascending",
"AspectRatio": "Aspect Ratio",
"Audio": "Audio",
"AuthProviderHelp": "Select an Authentication Provider to be used to authenticate this user's password.",
"AuthProviderHelp": "Select an authentication provider to be used to authenticate this user's password.",
"Auto": "Auto",
"Backdrop": "Backdrop",
"Backdrops": "Backdrops",
@ -109,7 +108,6 @@
"ButtonForgotPassword": "Forgot Password",
"ButtonFullscreen": "Fullscreen",
"ButtonGotIt": "Got It",
"ButtonGuide": "Guide",
"ButtonInfo": "Info",
"ButtonLibraryAccess": "Library access",
"ButtonManualLogin": "Manual Login",
@ -121,22 +119,17 @@
"ButtonParentalControl": "Parental control",
"ButtonPause": "Pause",
"ButtonPreviousTrack": "Previous track",
"ButtonProfile": "Profile",
"ButtonQuickStartGuide": "Quick Start Guide",
"ButtonRefreshGuideData": "Refresh Guide Data",
"ButtonRemove": "Remove",
"ButtonRename": "Rename",
"ButtonResetEasyPassword": "Reset easy pin code",
"ButtonResetPassword": "Reset Password",
"ButtonRestart": "Restart",
"ButtonResume": "Resume",
"ButtonRevoke": "Revoke",
"ButtonScanAllLibraries": "Scan All Libraries",
"ButtonSelectDirectory": "Select Directory",
"ButtonSelectServer": "Select Server",
"ButtonSelectView": "Select view",
"ButtonSend": "Send",
"ButtonSettings": "Settings",
"ButtonShutdown": "Shutdown",
"ButtonSignIn": "Sign In",
"ButtonSignOut": "Sign Out",
@ -155,7 +148,7 @@
"ChannelNumber": "Channel number",
"CommunityRating": "Community rating",
"Composer": "Composer",
"ConfigureDateAdded": "Configure how date added is determined in the Jellyfin Server dashboard under Library settings",
"ConfigureDateAdded": "Configure how date added is determined in the dashboard under the library settings",
"ConfirmDeleteImage": "Delete image?",
"ConfirmDeleteItem": "Deleting this item will delete it from both the file system and your media library. Are you sure you wish to continue?",
"ConfirmDeleteItems": "Deleting these items will delete them from both the file system and your media library. Are you sure you wish to continue?",
@ -185,15 +178,13 @@
"DetectingDevices": "Detecting devices",
"DeviceAccessHelp": "This only applies to devices that can be uniquely identified and will not prevent browser access. Filtering user device access will prevent them from using new devices until they've been approved here.",
"DirectPlaying": "Direct playing",
"DirectStreamHelp1": "The media is compatible with the device regarding resolution and media type (H.264, AC3, etc), but is in an incompatible file container (mkv, avi, wmv, etc). The video will be re-packaged on the fly before streaming it to the device.",
"DirectStreamHelp2": "Direct Streaming a file uses very little processing power without any loss in video quality.",
"DirectStreamHelp1": "The media is compatible with the device regarding resolution and media type (H.264, AC3, etc), but in an incompatible file container (mkv, avi, wmv, etc). The video will be re-packaged on the fly before being sent to the device.",
"DirectStreamHelp2": "Direct stream uses very little processing power with a minimal loss in video quality.",
"DirectStreaming": "Direct streaming",
"Director": "Director",
"Directors": "Directors",
"Disabled": "Disabled",
"Disc": "Disc",
"Disconnect": "Disconnect",
"Dislike": "Dislike",
"Display": "Display",
"DisplayInMyMedia": "Display on home screen",
"DisplayInOtherHomeScreenSections": "Display in home screen sections such as latest media and continue watching",
@ -229,10 +220,10 @@
"EndsAtValue": "Ends at {0}",
"Episodes": "Episodes",
"ErrorAddingListingsToSchedulesDirect": "There was an error adding the lineup to your Schedules Direct account. Schedules Direct only allows a limited number of lineups per account. You may need to log into the Schedules Direct website and remove others listings from your account before proceeding.",
"ErrorAddingMediaPathToVirtualFolder": "There was an error adding the media path. Please ensure the path is valid and the Jellyfin Server process has access to that location.",
"ErrorAddingMediaPathToVirtualFolder": "There was an error adding the media path. Please ensure the path is valid and Jellyfin has access to that location.",
"ErrorAddingTunerDevice": "There was an error adding the tuner device. Please ensure it is accessible and try again.",
"ErrorAddingXmlTvFile": "There was an error accessing the XMLTV file. Please ensure the file exists and try again.",
"ErrorDeletingItem": "There was an error deleting the item from Jellyfin Server. Please check that Jellyfin Server has write access to the media folder and try again.",
"ErrorDeletingItem": "There was an error deleting the item from the server. Please check that Jellyfin has write access to the media folder and try again.",
"ErrorGettingTvLineups": "There was an error downloading TV lineups. Please ensure your information is correct and try again.",
"ErrorStartHourGreaterThanEnd": "End time must be greater than the start time.",
"ErrorPleaseSelectLineup": "Please select a lineup and try again. If no lineups are available, then please check that your username, password, and postal code is correct.",
@ -284,7 +275,7 @@
"HeaderAllowMediaDeletionFrom": "Allow Media Deletion From",
"HeaderApiKey": "API Key",
"HeaderApiKeys": "API Keys",
"HeaderApiKeysHelp": "External applications are required to have an API key in order to communicate with Jellyfin Server. Keys are issued by logging in with a Jellyfin account, or by manually granting the application a key.",
"HeaderApiKeysHelp": "External applications are required to have an API key in order to communicate with the server. Keys are issued by logging in with a normal user account or manually granting the application a key.",
"HeaderApp": "App",
"HeaderAppearsOn": "Appears On",
"HeaderAudioBooks": "Audio Books",
@ -327,15 +318,6 @@
"HeaderEnabledFieldsHelp": "Uncheck a field to lock it and prevent its data from being changed.",
"HeaderError": "Error",
"HeaderExternalIds": "External IDs:",
"HeaderFavoriteBooks": "Favourite Books",
"HeaderFavoriteMovies": "Favourite Movies",
"HeaderFavoriteShows": "Favourite Shows",
"HeaderFavoriteEpisodes": "Favourite Episodes",
"HeaderFavoriteAlbums": "Favourite Albums",
"HeaderFavoriteArtists": "Favourite Artists",
"HeaderFavoriteSongs": "Favourite Songs",
"HeaderFavoriteVideos": "Favourite Videos",
"HeaderFavoritePlaylists": "Favourite Playlists",
"HeaderFeatureAccess": "Feature Access",
"HeaderFetchImages": "Fetch Images:",
"HeaderFetcherSettings": "Fetcher Settings",
@ -353,7 +335,7 @@
"HeaderInstantMix": "Instant Mix",
"HeaderKeepRecording": "Keep Recording",
"HeaderKeepSeries": "Keep Series",
"HeaderKodiMetadataHelp": "To enable or disable NFO metadata, edit a library in Jellyfin library setup and locate the metadata savers section.",
"HeaderKodiMetadataHelp": "To enable or disable NFO metadata, edit a library and locate the metadata savers section.",
"HeaderLatestEpisodes": "Latest Episodes",
"HeaderLatestMedia": "Latest Media",
"HeaderLatestMovies": "Latest Movies",
@ -371,7 +353,6 @@
"HeaderMetadataSettings": "Metadata Settings",
"HeaderMoreLikeThis": "More Like This",
"HeaderMusicQuality": "Music Quality",
"HeaderMusicVideos": "Music Videos",
"HeaderMyDevice": "My Device",
"HeaderMyMedia": "My Media",
"HeaderMyMediaSmall": "My Media (small)",
@ -423,7 +404,6 @@
"Thursday": "Thursday",
"ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.",
"TheseSettingsAffectSubtitlesOnThisDevice": "These settings affect subtitles on this device",
"TabSettings": "Settings",
"TabServer": "Server",
"TabScheduledTasks": "Scheduled Tasks",
"TabResponses": "Responses",
@ -460,9 +440,9 @@
"SettingsWarning": "Changing these values may cause instability or connectivity failures. If you experience any problems, we recommend changing them back to default.",
"SettingsSaved": "Settings saved.",
"Settings": "Settings",
"ServerUpdateNeeded": "This Jellyfin Server needs to be updated. To download the latest version, please visit {0}",
"ServerRestartNeededAfterPluginInstall": "Jellyfin Server will need to be restarted after installing a plugin.",
"ServerNameIsShuttingDown": "Jellyfin Server - {0} is shutting down.",
"ServerUpdateNeeded": "This server needs to be updated. To download the latest version, please visit {0}",
"ServerRestartNeededAfterPluginInstall": "Jellyfin will need to be restarted after installing a plugin.",
"ServerNameIsShuttingDown": "The server at {0} is shutting down.",
"SeriesYearToPresent": "{0} - Present",
"SeriesSettings": "Series settings",
"SeriesRecordingScheduled": "Series recording scheduled.",
@ -495,7 +475,7 @@
"RememberMe": "Remember Me",
"ReleaseDate": "Release date",
"RefreshMetadata": "Refresh metadata",
"RefreshDialogHelp": "Metadata is refreshed based on settings and internet services that are enabled in the Jellyfin Server dashboard.",
"RefreshDialogHelp": "Metadata is refreshed based on settings and internet services that are enabled in the dashboard.",
"Refresh": "Refresh",
"Recordings": "Recordings",
"RecordingScheduled": "Recording scheduled.",
@ -516,9 +496,9 @@
"Premiere": "Premiere",
"PreferEmbeddedTitlesOverFileNamesHelp": "This determines the default display title when no internet metadata or local metadata is available.",
"PreferEmbeddedTitlesOverFileNames": "Prefer embedded titles over filenames",
"MessagePluginInstalled": "The plugin has been successfully installed. Jellyfin Server will need to be restarted for changes to take effect.",
"MessagePluginInstalled": "The plugin has been successfully installed. The server will need to be restarted for changes to take effect.",
"PleaseSelectTwoItems": "Please select at least two items.",
"PleaseRestartServerName": "Please restart Jellyfin Server - {0}.",
"PleaseRestartServerName": "Please restart Jellyfin on {0}.",
"PleaseConfirmPluginInstallation": "Please click OK to confirm you've read the above and wish to proceed with the plugin installation.",
"PleaseAddAtLeastOneFolder": "Please add at least one folder to this library by clicking the Add button.",
"Played": "Played",
@ -533,7 +513,6 @@
"PictureInPicture": "Picture in picture",
"PerfectMatch": "Perfect match",
"PasswordSaved": "Password saved.",
"HeaderResetPassword": "Reset Password",
"PasswordResetConfirmation": "Are you sure you wish to reset the password?",
"PasswordResetComplete": "The password has been reset.",
"PasswordMatchError": "Password and password confirmation must match.",
@ -546,16 +525,12 @@
"OptionWeekends": "Weekends",
"OptionWeekdays": "Weekdays",
"OptionWakeFromSleep": "Wake from sleep",
"OptionUnplayed": "Unplayed",
"OptionUnairedEpisode": "Unaired Episodes",
"OptionTrackName": "Track Name",
"OptionThumbCard": "Thumb card",
"OptionThumb": "Thumb",
"OptionSubstring": "Substring",
"OptionSpecialEpisode": "Specials",
"OptionSaveMetadataAsHiddenHelp": "Changing this will apply to new metadata saved going forward. Existing metadata files will be updated the next time they are saved by Jellyfin Server.",
"OptionSaveMetadataAsHiddenHelp": "Changing this will apply to new metadata saved going forward. Existing metadata files will be updated the next time they are saved by the server.",
"OptionSaveMetadataAsHidden": "Save metadata and images as hidden files",
"OptionRuntime": "Runtime",
"OptionResumable": "Resumable",
"OptionResElement": "res element",
"OptionRequirePerfectSubtitleMatchHelp": "Requiring a perfect match will filter subtitles to include only those that have been tested and verified with your exact video file. Unchecking this will increase the likelihood of subtitles being downloaded, but will increase the chances of mistimed or incorrect subtitle text.",
@ -564,30 +539,21 @@
"OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
"OptionRegex": "Regex",
"OptionProfileVideo": "Video",
"OptionProfileAudio": "Audio",
"OptionPremiereDate": "Premiere Date",
"OptionPlayCount": "Play Count",
"OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
"OptionPlainVideoItemsHelp": "All videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
"OptionPlainVideoItems": "Display all videos as plain video items",
"OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
"OptionPlainStorageFoldersHelp": "All folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
"OptionParentalRating": "Parental Rating",
"OptionOnInterval": "On an interval",
"OptionNone": "None",
"OptionNew": "New…",
"OptionMissingEpisode": "Missing Episodes",
"OptionMax": "Max",
"OptionLoginAttemptsBeforeLockoutHelp": "A value of zero means inheriting the default of three attempts for normal users and five for administrators. Setting this to -1 will disable the feature.",
"OptionLoginAttemptsBeforeLockout": "Determines how many incorrect login attempts can be made before lockout occurs.",
"OptionList": "List",
"OptionDatePlayed": "Date Played",
"OptionBlockTvShows": "TV Shows",
"OptionBlockTrailers": "Trailers",
"OptionBlockMovies": "Movies",
"OptionBlockChannelContent": "Internet Channel Content",
"OptionBanner": "Banner",
"OptionAutomaticallyGroupSeriesHelp": "If enabled, series that are spread across multiple folders within this library will be automatically merged into a single series.",
"OptionAutomaticallyGroupSeriesHelp": "Series that are spread across multiple folders within this library will be automatically merged into a single series.",
"OptionAutomaticallyGroupSeries": "Automatically merge series that are spread across multiple folders",
"OptionArtist": "Artist",
"OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding",
"OptionAllowVideoPlaybackRemuxing": "Allow video playback that requires conversion without re-encoding",
"OptionAllowUserToManageServer": "Allow this user to manage the server",
@ -595,7 +561,7 @@
"OptionAllowRemoteSharedDevicesHelp": "DLNA devices are considered shared until a user begins controlling them.",
"OptionAllowRemoteSharedDevices": "Allow remote control of shared devices",
"OptionAllowRemoteControlOthers": "Allow remote control of other users",
"OptionAllowMediaPlaybackTranscodingHelp": "Restricting access to transcoding may cause playback failures in Jellyfin apps due to unsupported media formats.",
"OptionAllowMediaPlaybackTranscodingHelp": "Restricting access to transcoding may cause playback failures in clients due to unsupported media formats.",
"OptionAllowManageLiveTv": "Allow Live TV recording management",
"OptionAllowLinkSharingHelp": "Only web pages containing media information are shared. Media files are never shared publicly. Shares are time-limited and will expire after {0} days.",
"OptionAllowLinkSharing": "Allow social media sharing",
@ -603,8 +569,6 @@
"OptionAllowBrowsingLiveTv": "Allow Live TV access",
"OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding",
"OptionAllUsers": "All users",
"OptionAlbumArtist": "Album Artist",
"OptionAlbum": "Album",
"Option3D": "3D",
"OnlyImageFormats": "Only Image Formats (VOBSUB, PGS, SUB)",
"OnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.",
@ -623,9 +587,9 @@
"MusicLibraryHelp": "Review the {0}music naming guide{1}.",
"Monday": "Monday",
"MinutesBefore": "minutes before",
"MetadataSettingChangeHelp": "Changing metadata settings will affect new content that is added going forward. To refresh existing content, open the detail screen and click the refresh button, or perform bulk refreshes using the metadata manager.",
"MetadataSettingChangeHelp": "Changing metadata settings will affect new content added going forward. To refresh existing content, open the detail screen and click the refresh button, or perform bulk refreshes using the metadata manager.",
"MetadataManager": "Metadata Manager",
"MessagePluginInstallDisclaimer": "Plugins built by Jellyfin community members are a great way to enhance your Jellyfin experience with additional features and benefits. Before installing, please be aware of the effects they may have on your Jellyfin Server, such as longer library scans, additional background processing, and decreased system stability.",
"MessagePluginInstallDisclaimer": "Plugins built by community members are a great way to enhance your experience with additional features and benefits. Before installing, please be aware of the effects they may have on your server, such as longer library scans, additional background processing, and decreased system stability.",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
"MessagePleaseWait": "Please wait. This may take a minute.",
"MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.",
@ -645,17 +609,14 @@
"MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?",
"MessageCreateAccountAt": "Create an account at {0}",
"MessageContactAdminToResetPassword": "Please contact your system administrator to reset your password.",
"MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Jellyfin Server will be abruptly terminated.",
"MessageConfirmRestart": "Are you sure you wish to restart Jellyfin Server?",
"MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this API key? The application's connection to this server will be abruptly terminated.",
"MessageConfirmRestart": "Are you sure you wish to restart Jellyfin?",
"MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?",
"MessageConfirmDeleteTunerDevice": "Are you sure you wish to delete this device?",
"MessageConfirmDeleteGuideProvider": "Are you sure you wish to delete this guide provider?",
"MessageAlreadyInstalled": "This version is already installed.",
"Menu": "Menu",
"MediaIsBeingConverted": "The media is being converted into a format that is compatible with the device that is playing the media.",
"MediaInfoStreamTypeVideo": "Video",
"MediaInfoStreamTypeEmbeddedImage": "Embedded Image",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoTimestamp": "Timestamp",
"MediaInfoSize": "Size",
"MediaInfoSampleRate": "Sample rate",
@ -681,7 +642,7 @@
"LeaveBlankToNotSetAPassword": "You can leave this field blank to set no password.",
"LearnHowYouCanContribute": "Learn how you can contribute.",
"LanNetworksHelp": "Comma separated list of IP addresses or IP/netmask entries for networks that will be considered on local network when enforcing bandwidth restrictions. If set, all other IP addresses will be considered to be on the external network and will be subject to the external bandwidth restrictions. If left blank, only the server's subnet is considered to be on the local network.",
"LabelffmpegPathHelp": "The path to the ffmpeg application file, or folder containing ffmpeg.",
"LabelffmpegPathHelp": "The path to the ffmpeg application file or folder containing ffmpeg.",
"LabelffmpegPath": "FFmpeg path:",
"LabelYear": "Year:",
"LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
@ -743,7 +704,7 @@
"EnableFasterAnimationsHelp": "Use faster animations and transitions",
"LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.",
"LabelSaveLocalMetadataHelp": "Saving artwork into media folders will put them in a place where they can be easily edited.",
"LabelRuntimeMinutes": "Run time (minutes):",
"LabelRuntimeMinutes": "Runtime:",
"LabelRemoteClientBitrateLimitHelp": "An optional per-stream bitrate limit for all out of network devices. This is useful to prevent devices from requesting a higher bitrate than your internet connection can handle. This may result in increased CPU load on your server in order to transcode videos on the fly to a lower bitrate.",
"LabelRemoteClientBitrateLimit": "Internet streaming bitrate limit (Mbps):",
"LabelReleaseDate": "Release date:",
@ -784,7 +745,6 @@
"MoreUsersCanBeAddedLater": "More users can be added later from within the dashboard.",
"MoreFromValue": "More from {0}",
"MessageDownloadQueued": "Download queued.",
"MediaInfoStreamTypeData": "Data",
"MediaInfoLanguage": "Language",
"MediaInfoInterlaced": "Interlaced",
"MediaInfoFramerate": "Framerate",
@ -796,7 +756,6 @@
"MediaInfoCodec": "Codec",
"ManageRecording": "Manage recording",
"LiveTV": "Live TV",
"Like": "Like",
"LatestFromLibrary": "Latest {0}",
"Large": "Large",
"LabelZipCode": "Postcode:",
@ -830,7 +789,7 @@
"LabelPlaceOfBirth": "Place of birth:",
"LabelOverview": "Overview:",
"LabelOriginalAspectRatio": "Original aspect ratio:",
"LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music.",
"LabelMusicStreamingTranscodingBitrateHelp": "Specify a maximum bitrate when streaming music.",
"LabelMetadataDownloadLanguage": "Preferred download language:",
"LabelMetadata": "Metadata:",
"LabelKeepUpTo": "Keep up to:",
@ -859,7 +818,6 @@
"LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
"TabStreaming": "Streaming",
"TabProfiles": "Profiles",
"TabProfile": "Profile",
"TabPlugins": "Plugins",
"TabNfoSettings": "NFO Settings",
"TabNetworking": "Networking",
@ -885,13 +843,13 @@
"LabelTunerType": "Tuner type:",
"LabelServerName": "Server name:",
"LabelServerHostHelp": "192.168.1.100:8096 or https://myserver.com",
"LabelSeriesRecordingPath": "Series recording path (optional):",
"LabelSeriesRecordingPath": "Series recording path:",
"LabelRecordingPathHelp": "Specify the default location to save recordings. If left empty, the server's program data folder will be used.",
"LabelRecordingPath": "Default recording path:",
"LabelAlbumArtMaxWidth": "Album art max width:",
"LabelCustomCssHelp": "Apply your own custom styling to the web interface.",
"LabelCustomCssHelp": "Apply your own custom styles on the web interface.",
"LabelBlastMessageIntervalHelp": "Determines the duration in seconds between blast alive messages.",
"LabelBlastMessageInterval": "Alive message interval (seconds)",
"LabelBlastMessageInterval": "Alive message interval",
"LabelBitrate": "Bitrate:",
"LabelAudioSampleRate": "Audio sample rate:",
"LabelAlbumArtMaxHeight": "Album art max height:",
@ -917,10 +875,10 @@
"LabelEnableHardwareDecodingFor": "Enable hardware decoding for:",
"LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play content.",
"LabelEnableDlnaDebugLoggingHelp": "Create large log files and should only be used as needed for troubleshooting purposes.",
"LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Jellyfin.",
"LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches.",
"LabelEnableAutomaticPortMapHelp": "Automatically forward public ports on your router to local ports on your server via UPnP. This may not work with some router models or network configurations. Changes will not apply until after a server restart.",
"InstallingPackage": "Installing {0} (version {1})",
"ImportMissingEpisodesHelp": "If enabled, information about missing episodes will be imported into your Jellyfin database and displayed within seasons and series. This may cause significantly longer library scans.",
"ImportMissingEpisodesHelp": "Information about missing episodes will be imported into your database and displayed within seasons and series. This may cause significantly longer library scans.",
"HeaderSubtitleAppearance": "Subtitle Appearance",
"LabelProtocol": "Protocol:",
"LabelProfileVideoCodecs": "Video codecs:",
@ -937,7 +895,7 @@
"LabelPassword": "Password:",
"LabelParentalRating": "Parental rating:",
"LabelParentNumber": "Parent number:",
"LabelOptionalNetworkPath": "(Optional) Shared network folder:",
"LabelOptionalNetworkPath": "Shared network folder:",
"LabelNewsCategories": "News categories:",
"LabelNewPasswordConfirm": "New password confirm:",
"LabelNewPassword": "New password:",
@ -958,7 +916,7 @@
"LabelMinResumeDuration": "Minimum resume duration:",
"LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
"LabelMethod": "Method:",
"LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.",
"LabelMetadataSaversHelp": "Choose the file formats to use when saving your metadata.",
"LabelMetadataSavers": "Metadata savers:",
"LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.",
"LabelMetadataReaders": "Metadata readers:",
@ -971,7 +929,7 @@
"LabelManufacturerUrl": "Manufacturer URL",
"LabelLoginDisclaimerHelp": "A message that will be displayed at the bottom of the login page.",
"LabelLockItemToPreventChanges": "Lock this item to prevent future changes",
"LabelLocalHttpServerPortNumberHelp": "The TCP port number that Jellyfin's HTTP server should bind to.",
"LabelLocalHttpServerPortNumberHelp": "The TCP port number for the HTTP server.",
"LabelLineup": "Lineup:",
"LabelLanguage": "Language:",
"LabelLanNetworks": "LAN networks:",
@ -987,32 +945,32 @@
"LabelIconMaxWidth": "Icon maximum width:",
"LabelIconMaxHeightHelp": "Maximum resolution of icons exposed via upnp:icon.",
"LabelIconMaxHeight": "Icon maximum height:",
"LabelHttpsPortHelp": "The TCP port number that Jellyfin's HTTPS server should bind to.",
"LabelHttpsPortHelp": "The TCP port number for the HTTPS server.",
"LabelHttpsPort": "Local HTTPS port number:",
"LabelHomeScreenSectionValue": "Home screen section {0}:",
"LabelHomeNetworkQuality": "Home network quality:",
"LabelHardwareAccelerationType": "Hardware acceleration:",
"LabelEncoderPreset": "H264 and H265 encoding preset:",
"LabelH264Crf": "H264 encoding CRF:",
"LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
"LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies in a collection will be displayed as one grouped item.",
"LabelGroupMoviesIntoCollections": "Group movies into collections",
"LabelServerNameHelp": "This name will be used to identify the server and will default to the server's computer name.",
"LabelServerNameHelp": "This name will be used to identify the server and will default to the server's hostname.",
"LabelFriendlyName": "Friendly name:",
"LabelFormat": "Format:",
"LabelForgotPasswordUsernameHelp": "Enter your username, if you remember it.",
"LabelFont": "Font:",
"LabelExtractChaptersDuringLibraryScanHelp": "Generate chapter images when videos are imported during the library scan. Otherwise, they will be extracted during the chapter images scheduled task, allowing the regular library scan to complete faster.",
"LabelBaseUrlHelp": "Adds a custom subdirectory to the server URL. For example: <code>http://example.com/<b>&lt;baseurl&gt;</b></code>",
"LabelBaseUrlHelp": "Add a custom subdirectory to the server URL. For example: <code>http://example.com/<b>&lt;baseurl&gt;</b></code>",
"LabelEveryXMinutes": "Every:",
"LabelEvent": "Event:",
"LabelEpisodeNumber": "Episode number:",
"LabelEnableSingleImageInDidlLimitHelp": "Some devices will not render properly if multiple images are embedded within Didl.",
"LabelEnableRealtimeMonitorHelp": "Changes to files will be processed immediately, on supported file systems.",
"LabelEnableRealtimeMonitorHelp": "Changes to files will be processed immediately on supported file systems.",
"LabelEnableRealtimeMonitor": "Enable real time monitoring",
"LabelEnableDlnaServer": "Enable DLNA server",
"LabelEnableDlnaPlayToHelp": "Detect devices within your network and offer the ability to remote control them.",
"LabelEnableDlnaPlayToHelp": "Detect devices within your network and offer the ability to control them remotely.",
"LabelEnableDlnaPlayTo": "Enable DLNA Play To",
"LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
"LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval",
"LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
"LabelEnableBlastAliveMessages": "Blast alive messages",
"LabelEnableAutomaticPortMap": "Enable automatic port mapping",
@ -1028,7 +986,7 @@
"LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in",
"LabelDisplayOrder": "Display order:",
"LabelDisplayName": "Display name:",
"LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.",
"LabelDateAddedBehaviorHelp": "If a metadata value is present, it will always be used before either of these options.",
"LabelCustomCss": "Custom CSS:",
"LabelCustomCertificatePathHelp": "Path to a PKCS #12 file containing a certificate and private key to enable TLS support on a custom domain.",
"LabelCurrentPassword": "Current password:",
@ -1053,7 +1011,7 @@
"LabelAudioChannels": "Audio channels:",
"LabelAudioBitrate": "Audio bitrate:",
"LabelAudioBitDepth": "Audio bit depth:",
"LabelArtistsHelp": "Separate multiple using ;",
"LabelArtistsHelp": "Separate multiple artists with a semicolon.",
"LabelArtists": "Artists:",
"LabelAppName": "App name",
"LabelAllowedRemoteAddressesMode": "Remote IP address filter mode:",
@ -1108,12 +1066,9 @@
"Overview": "Overview",
"LabelLogs": "Logs:",
"Whitelist": "Whitelist",
"ServerNameIsRestarting": "Jellyfin Server - {0} is restarting.",
"ServerNameIsRestarting": "The server at {0} is restarting.",
"OptionProtocolHls": "HTTP Live Streaming",
"OptionProfileVideoAudio": "Video Audio",
"OptionPosterCard": "Poster card",
"OptionPoster": "Poster",
"OptionPlayed": "Played",
"OneChannel": "One channel",
"MediaInfoChannels": "Channels",
"MediaInfoBitDepth": "Bit depth",
@ -1123,7 +1078,7 @@
"LabelPasswordResetProvider": "Password Reset Provider:",
"LabelPasswordConfirm": "Password (confirm):",
"LabelOriginalTitle": "Original title:",
"LabelOptionalNetworkPathHelp": "If this folder is shared on your network, supplying the network share path can allow Jellyfin apps on other devices to access media files directly. For example, {0} or {1}.",
"LabelOptionalNetworkPathHelp": "If this folder is shared on your network, supplying the network share path can allow clients on other devices to access media files directly. For example, {0} or {1}.",
"LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
"LabelNumberOfGuideDays": "Number of days of guide data to download:",
"LabelNumber": "Number:",
@ -1134,7 +1089,7 @@
"OptionDvd": "DVD",
"MessageDirectoryPickerLinuxInstruction": "For Linux on Arch Linux, CentOS, Debian, Fedora, openSUSE, or Ubuntu, you must grant the service user at least read access to your storage locations.",
"LabelCustomCertificatePath": "Custom SSL certificate path:",
"LabelBindToLocalNetworkAddressHelp": "Optional. Override the local IP address to bind the http server to. If left empty, the server will bind to all availabile addresses. Changing this value requires restarting Jellyfin Server.",
"LabelBindToLocalNetworkAddressHelp": "Override the local IP address for the HTTP server. If left empty, the server will bind to all available addresses. Changing this value requires a restart.",
"LabelAppNameExample": "Example: Sickbeard, Sonarr",
"HttpsRequiresCert": "To enable secure connections, you will need to supply a trusted SSL certificate, such as Let's Encrypt. Please either supply a certificate, or disable secure connections.",
"Yesterday": "Yesterday",
@ -1151,10 +1106,9 @@
"Sports": "Sports",
"OptionProfilePhoto": "Photo",
"OptionPlainStorageFolders": "Display all folders as plain storage folders",
"OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.",
"OptionDisableUserHelp": "The server will not allow any connections from this user. Existing connections will be abruptly terminated.",
"OptionDateAdded": "Date Added",
"OptionDaily": "Daily",
"OptionContinuing": "Continuing",
"OptionCommunityRating": "Community Rating",
"MessageUnsetContentHelp": "Content will be displayed as plain folders. For best results use the metadata manager to set the content types of sub-folders.",
"LabelSelectVersionToInstall": "Select version to install:",
@ -1164,19 +1118,14 @@
"OptionIsHD": "HD",
"OptionImdbRating": "IMDb Rating",
"OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
"OptionHomeVideos": "Photos",
"OptionHlsSegmentedSubtitles": "HLS segmented subtitles",
"OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.",
"OptionHideUser": "Hide this user from login screens",
"OptionHasTrailer": "Trailer",
"OptionHasThemeVideo": "Theme Video",
"OptionHasThemeSong": "Theme Song",
"OptionHasSubtitles": "Subtitles",
"OptionHasSpecialFeatures": "Special Features",
"OptionExtractChapterImage": "Enable chapter image extraction",
"OptionExternallyDownloaded": "External download",
"OptionEquals": "Equals",
"OptionEnded": "Ended",
"OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
"OptionEnableM2tsMode": "Enable M2ts mode",
"OptionEnableExternalContentInSuggestions": "Enable external content in suggestions",
@ -1184,19 +1133,10 @@
"OptionEnableAccessToAllChannels": "Enable access to all channels",
"OptionEnableAccessFromAllDevices": "Enable access from all devices",
"OptionEmbedSubtitles": "Embed within container",
"OptionDownloadThumbImage": "Thumb",
"OptionDownloadPrimaryImage": "Primary",
"OptionDownloadMenuImage": "Menu",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadImagesInAdvanceHelp": "By default, most images are only downloaded when requested by a Jellyfin app. Enable this option to download all images in advance, as new media is imported. This may cause significantly longer library scans.",
"OptionDownloadImagesInAdvanceHelp": "By default, most images are only downloaded when requested by a client. Enable this option to download all images in advance, as new media is imported. This may cause significantly longer library scans.",
"OptionDownloadImagesInAdvance": "Download images in advance",
"OptionDownloadDiscImage": "Disc",
"OptionDownloadBoxImage": "Box",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadBackImage": "Back",
"OptionDownloadArtImage": "Art",
"OptionDisplayFolderView": "Display a folder view to show plain media folders",
"LabelMovieRecordingPath": "Movie recording path (optional):",
"LabelMovieRecordingPath": "Movie recording path:",
"LabelMoviePrefixHelp": "If a prefix is applied to movie titles, enter it here so the server can handle it properly.",
"LabelMessageTitle": "Message title:",
"LabelMessageText": "Message text:",
@ -1208,10 +1148,8 @@
"LabelBaseUrl": "Base URL:",
"Up": "Up",
"SearchForCollectionInternetMetadata": "Search the internet for artwork and metadata",
"MediaInfoStreamTypeSubtitle": "Subtitle",
"ValueOneSeries": "1 series",
"MediaInfoBitrate": "Bitrate",
"LabelVideo": "Video",
"LabelPostProcessorArgumentsHelp": "Use {path} as the path to the recording file.",
"LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart to extrathumbs field",
"LabelInternetQuality": "Internet quality:",
@ -1228,23 +1166,17 @@
"SkipEpisodesAlreadyInMyLibraryHelp": "Episodes will be compared using season and episode numbers, when available.",
"RefreshQueued": "Refresh queued.",
"Play": "Play",
"PasswordResetProviderHelp": "Choose a Password Reset Provider to be used when this user requests a password reset",
"PasswordResetProviderHelp": "Choose a password reset provider to be used when this user requests a password reset.",
"OptionReleaseDate": "Release Date",
"OptionDisplayFolderViewHelp": "Display folders alongside your other media libraries. This can be useful if you'd like to have a plain folder view.",
"OptionDislikes": "Dislikes",
"OptionDisableUser": "Disable this user",
"OptionDescending": "Descending",
"OptionDateAddedImportTime": "Use date scanned into the library",
"OptionDateAddedFileTime": "Use file creation date",
"OptionCustomUsers": "Custom",
"OptionCriticRating": "Critic Rating",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionBluray": "Blu-ray",
"OptionBlockMusic": "Music",
"OptionBlockLiveTvChannels": "Live TV Channels",
"OptionBlockBooks": "Books",
"OptionAuto": "Auto",
"OptionAscending": "Ascending",
"OptionAdminUsers": "Administrators",
"NoSubtitleSearchResultsFound": "No results found.",
"News": "News",
@ -1258,26 +1190,23 @@
"MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item or the global default value.",
"MessageItemsAdded": "Items added.",
"MessageItemSaved": "Item saved.",
"MessageDirectoryPickerBSDInstruction": "For BSD, you may need to configure storage within your FreeNAS Jail in order to allow Jellyfin to access it.",
"MessageDirectoryPickerBSDInstruction": "For BSD, you may need to configure storage within your FreeNAS Jail so Jellyfin can access your media.",
"MessageConfirmShutdown": "Are you sure you wish to shutdown the server?",
"LabelSaveLocalMetadata": "Save artwork into media folders",
"LabelPleaseRestart": "Changes will take effect after manually reloading the web client.",
"ValueSongCount": "{0} songs",
"Save": "Save",
"People": "People",
"OptionNameSort": "Name",
"MusicAlbum": "Music Album",
"MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, and Albums. Click the + button to start creating collections.",
"ShowTitle": "Show title",
"HeaderStopRecording": "Stop Recording",
"HeaderStatus": "Status",
"HeaderStartNow": "Start Now",
"HeaderSpecialFeatures": "Special Features",
"HeaderSpecialEpisodeInfo": "Special Episode Info",
"HeaderSortOrder": "Sort Order",
"HeaderSortBy": "Sort By",
"HeaderSetupLibrary": "Setup your media libraries",
"HeaderSettings": "Settings",
"HeaderServerSettings": "Server Settings",
"HeaderSeriesStatus": "Series Status",
"HeaderSeriesOptions": "Series Options",
@ -1287,9 +1216,8 @@
"HeaderSelectTranscodingPath": "Select Transcoding Temporary Path",
"HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.",
"HeaderSelectServerCachePath": "Select Server Cache Path",
"HeaderSelectServer": "Select Server",
"HeaderSelectPath": "Select Path",
"HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.",
"HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to use for metadata. The folder must be writeable.",
"HeaderSelectMetadataPath": "Select Metadata Path",
"HeaderSelectCertificatePath": "Select Certificate Path",
"HeaderSecondsValue": "{0} Seconds",
@ -1297,7 +1225,6 @@
"HeaderScenes": "Scenes",
"HeaderRunningTasks": "Running Tasks",
"HeaderRevisionHistory": "Revision History",
"HeaderRestart": "Restart",
"HeaderResponseProfile": "Response Profile",
"HeaderRemoveMediaLocation": "Remove Media Location",
"HeaderRemoveMediaFolder": "Remove Media Folder",
@ -1305,9 +1232,8 @@
"HeaderRecordingPostProcessing": "Recording Post Processing",
"HeaderRecordingOptions": "Recording Options",
"HeaderRecentlyPlayed": "Recently Played",
"HeaderProfileServerSettingsHelp": "These values control how Jellyfin Server will present itself to the device.",
"HeaderProfileServerSettingsHelp": "These values control how the server will present itself to clients.",
"HeaderProfileInformation": "Profile Information",
"HeaderProfile": "Profile",
"HeaderPreferredMetadataLanguage": "Preferred Metadata Language",
"HeaderPluginInstallation": "Plugin Installation",
"HeaderPleaseSignIn": "Please sign in",
@ -1317,7 +1243,6 @@
"HeaderPlayAll": "Play All",
"HeaderPinCodeReset": "Reset Pin Code",
"HeaderPhotoAlbums": "Photo Albums",
"HeaderFavoritePeople": "Favourite People",
"FetchingData": "Fetching additional data",
"ButtonAddImage": "Add Image",
"OptionRandom": "Random",
@ -1346,11 +1271,10 @@
"LastSeen": "Last seen {0}",
"PersonRole": "as {0}",
"ListPaging": "{0}-{1} of {2}",
"WriteAccessRequired": "Jellyfin Server requires write access to this folder. Please ensure write access and try again.",
"WriteAccessRequired": "Jellyfin requires write access to this folder. Please ensure write access and try again.",
"PathNotFound": "The path could not be found. Please ensure the path is valid and try again.",
"YadifBob": "YADIF Bob",
"Yadif": "YADIF",
"Track": "Track",
"Season": "Season",
"PreferEmbeddedEpisodeInfosOverFileNames": "Prefer embedded episode information over filenames",
"PreferEmbeddedEpisodeInfosOverFileNamesHelp": "This uses the episode information from the embedded metadata if available.",
@ -1418,7 +1342,7 @@
"LabelRequireHttps": "Require HTTPS",
"LabelStable": "Stable",
"LabelChromecastVersion": "Chromecast Version",
"LabelEnableHttpsHelp": "Enables the server to listen on the configured HTTPS port. A valid certificate must also be configured in order for this to take effect.",
"LabelEnableHttpsHelp": "Listen on the configured HTTPS port. A valid certificate must also be supplied for this to take effect.",
"LabelEnableHttps": "Enable HTTPS",
"HeaderSyncPlayEnabled": "SyncPlay enabled",
"HeaderSyncPlaySelectGroup": "Join a group",
@ -1433,5 +1357,14 @@
"ClearQueue": "Clear queue",
"StopPlayback": "Stop playback",
"ButtonPlayer": "Player",
"Writers": "Writers"
"Writers": "Writers",
"Preview": "Preview",
"SubtitleVerticalPositionHelp": "Line number where text appears. Positive numbers indicate top down. Negative numbers indicate bottom up.",
"LabelSubtitleVerticalPosition": "Vertical position:",
"PreviousTrack": "Skip to previous",
"MessageGetInstalledPluginsError": "An error occurred while getting the list of currently installed plugins.",
"MessagePluginInstallError": "An error occurred while installing the plugin.",
"PlaybackRate": "Playback Rate",
"NextTrack": "Skip to next",
"LabelUnstable": "Unstable"
}

View file

@ -75,7 +75,6 @@
"ButtonForgotPassword": "Forgot Password",
"ButtonFullscreen": "Fullscreen",
"ButtonGotIt": "Got It",
"ButtonGuide": "Guide",
"ButtonInfo": "Info",
"ButtonLibraryAccess": "Library access",
"ButtonManualLogin": "Manual Login",
@ -87,22 +86,17 @@
"ButtonParentalControl": "Parental control",
"ButtonPause": "Pause",
"ButtonPreviousTrack": "Previous track",
"ButtonProfile": "Profile",
"ButtonQuickStartGuide": "Quick Start Guide",
"ButtonRefreshGuideData": "Refresh Guide Data",
"ButtonRemove": "Remove",
"ButtonRename": "Rename",
"ButtonResetEasyPassword": "Reset easy pin code",
"ButtonResetPassword": "Reset Password",
"ButtonRestart": "Restart",
"ButtonResume": "Resume",
"ButtonRevoke": "Revoke",
"ButtonScanAllLibraries": "Scan All Libraries",
"ButtonSelectDirectory": "Select Directory",
"ButtonSelectServer": "Select Server",
"ButtonSelectView": "Select view",
"ButtonSend": "Send",
"ButtonSettings": "Settings",
"ButtonShutdown": "Shutdown",
"ButtonSignIn": "Sign In",
"ButtonSignOut": "Sign Out",
@ -143,6 +137,7 @@
"CopyStreamURLSuccess": "URL copied successfully.",
"CriticRating": "Critic rating",
"CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
"Data": "Data",
"DateAdded": "Date added",
"DatePlayed": "Date played",
"DeathDateValue": "Died: {0}",
@ -169,10 +164,8 @@
"DirectStreaming": "Direct streaming",
"Director": "Director",
"Directors": "Directors",
"Disabled": "Disabled",
"Disc": "Disc",
"Disconnect": "Disconnect",
"Dislike": "Dislike",
"Display": "Display",
"DisplayInMyMedia": "Display on home screen",
"DisplayInOtherHomeScreenSections": "Display in home screen sections such as latest media and continue watching",
@ -323,16 +316,6 @@
"HeaderEnabledFieldsHelp": "Uncheck a field to lock it and prevent its data from being changed.",
"HeaderError": "Error",
"HeaderExternalIds": "External IDs:",
"HeaderFavoriteBooks": "Favorite Books",
"HeaderFavoriteMovies": "Favorite Movies",
"HeaderFavoriteShows": "Favorite Shows",
"HeaderFavoriteEpisodes": "Favorite Episodes",
"HeaderFavoriteAlbums": "Favorite Albums",
"HeaderFavoritePeople": "Favorite People",
"HeaderFavoriteArtists": "Favorite Artists",
"HeaderFavoriteSongs": "Favorite Songs",
"HeaderFavoriteVideos": "Favorite Videos",
"HeaderFavoritePlaylists": "Favorite Playlists",
"HeaderFeatureAccess": "Feature Access",
"HeaderFetchImages": "Fetch Images:",
"HeaderFetcherSettings": "Fetcher Settings",
@ -369,7 +352,6 @@
"HeaderMetadataSettings": "Metadata Settings",
"HeaderMoreLikeThis": "More Like This",
"HeaderMusicQuality": "Music Quality",
"HeaderMusicVideos": "Music Videos",
"HeaderMyDevice": "My Device",
"HeaderMyMedia": "My Media",
"HeaderMyMediaSmall": "My Media (small)",
@ -393,7 +375,6 @@
"HeaderPleaseSignIn": "Please sign in",
"HeaderPluginInstallation": "Plugin Installation",
"HeaderPreferredMetadataLanguage": "Preferred Metadata Language",
"HeaderProfile": "Profile",
"HeaderProfileInformation": "Profile Information",
"HeaderProfileServerSettingsHelp": "These values control how the server will present itself to clients.",
"HeaderRecentlyPlayed": "Recently Played",
@ -405,7 +386,6 @@
"HeaderRemoveMediaLocation": "Remove Media Location",
"HeaderResponseProfile": "Response Profile",
"HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
"HeaderRestart": "Restart",
"HeaderRevisionHistory": "Revision History",
"HeaderRunningTasks": "Running Tasks",
"HeaderScenes": "Scenes",
@ -415,7 +395,6 @@
"HeaderSelectMetadataPath": "Select Metadata Path",
"HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to use for metadata. The folder must be writeable.",
"HeaderSelectPath": "Select Path",
"HeaderSelectServer": "Select Server",
"HeaderSelectServerCachePath": "Select Server Cache Path",
"HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.",
"HeaderSelectTranscodingPath": "Select Transcoding Temporary Path",
@ -425,12 +404,10 @@
"HeaderSeriesStatus": "Series Status",
"HeaderServerAddressSettings": "Server Address Settings",
"HeaderServerSettings": "Server Settings",
"HeaderSettings": "Settings",
"HeaderSetupLibrary": "Setup your media libraries",
"HeaderSortBy": "Sort By",
"HeaderSortOrder": "Sort Order",
"HeaderSpecialEpisodeInfo": "Special Episode Info",
"HeaderSpecialFeatures": "Special Features",
"HeaderStartNow": "Start Now",
"HeaderStatus": "Status",
"HeaderStopRecording": "Stop Recording",
@ -470,6 +447,7 @@
"Horizontal": "Horizontal",
"HttpsRequiresCert": "To enable secure connections, you will need to supply a trusted SSL certificate, such as Let's Encrypt. Please either supply a certificate, or disable secure connections.",
"Identify": "Identify",
"Image": "Image",
"Images": "Images",
"ImportFavoriteChannelsHelp": "Only channels that are marked as favorite on the tuner device will be imported.",
"ImportMissingEpisodesHelp": "Information about missing episodes will be imported into your database and displayed within seasons and series. This may cause significantly longer library scans.",
@ -512,7 +490,7 @@
"LabelAuthProvider": "Authentication Provider:",
"LabelAutomaticallyRefreshInternetMetadataEvery": "Automatically refresh metadata from the internet:",
"LabelBindToLocalNetworkAddress": "Bind to local network address:",
"LabelBindToLocalNetworkAddressHelp": "Override the local IP address for the HTTP server. If left empty, the server will bind to all availabile addresses. Changing this value requires a restart.",
"LabelBindToLocalNetworkAddressHelp": "Override the local IP address for the HTTP server. If left empty, the server will bind to all available addresses. Changing this value requires a restart.",
"LabelBirthDate": "Birth date:",
"LabelBirthYear": "Birth year:",
"LabelBitrate": "Bitrate:",
@ -846,7 +824,6 @@
"DashboardServerName": "Server: {0}",
"DashboardOperatingSystem": "Operating System: {0}",
"DashboardArchitecture": "Architecture: {0}",
"LabelVideo": "Video",
"LabelVideoBitrate": "Video bitrate:",
"LabelVideoCodec": "Video codec:",
"LabelVideoResolution": "Video resolution:",
@ -866,7 +843,6 @@
"LearnHowYouCanContribute": "Learn how you can contribute.",
"LeaveBlankToNotSetAPassword": "You can leave this field blank to set no password.",
"LibraryAccessHelp": "Select the libraries to share with this user. Administrators will be able to edit all folders using the metadata manager.",
"Like": "Like",
"List": "List",
"Live": "Live",
"LiveBroadcasts": "Live broadcasts",
@ -902,11 +878,6 @@
"MediaInfoSampleRate": "Sample rate",
"MediaInfoSize": "Size",
"MediaInfoTimestamp": "Timestamp",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Data",
"MediaInfoStreamTypeEmbeddedImage": "Embedded Image",
"MediaInfoStreamTypeSubtitle": "Subtitle",
"MediaInfoStreamTypeVideo": "Video",
"MediaIsBeingConverted": "The media is being converted into a format that is compatible with the device that is playing the media.",
"Menu": "Menu",
"MessageAlreadyInstalled": "This version is already installed.",
@ -998,6 +969,7 @@
"MusicArtist": "Music Artist",
"MusicLibraryHelp": "Review the {0}music naming guide{1}.",
"MusicVideo": "Music Video",
"MusicVideos": "Music Videos",
"Mute": "Mute",
"MySubtitles": "My Subtitles",
"Name": "Name",
@ -1028,8 +1000,6 @@
"OnlyImageFormats": "Only Image Formats (VOBSUB, PGS, SUB)",
"Option3D": "3D",
"OptionAdminUsers": "Administrators",
"OptionAlbum": "Album",
"OptionAlbumArtist": "Album Artist",
"OptionAllUsers": "All users",
"OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding",
"OptionForceRemoteSourceTranscoding": "Force transcoding of remote media sources (like LiveTV)",
@ -1047,23 +1017,11 @@
"OptionAllowUserToManageServer": "Allow this user to manage the server",
"OptionAllowVideoPlaybackRemuxing": "Allow video playback that requires conversion without re-encoding",
"OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding",
"OptionArtist": "Artist",
"OptionAscending": "Ascending",
"OptionAuto": "Auto",
"OptionAutomaticallyGroupSeries": "Automatically merge series that are spread across multiple folders",
"OptionAutomaticallyGroupSeriesHelp": "Series that are spread across multiple folders within this library will be automatically merged into a single series.",
"OptionBanner": "Banner",
"OptionBlockBooks": "Books",
"OptionBlockChannelContent": "Internet Channel Content",
"OptionBlockLiveTvChannels": "Live TV Channels",
"OptionBlockMovies": "Movies",
"OptionBlockMusic": "Music",
"OptionBlockTrailers": "Trailers",
"OptionBlockTvShows": "TV Shows",
"OptionBluray": "Blu-ray",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionCommunityRating": "Community Rating",
"OptionContinuing": "Continuing",
"OptionCriticRating": "Critic Rating",
"OptionCustomUsers": "Custom",
"OptionDaily": "Daily",
@ -1071,23 +1029,13 @@
"OptionDateAddedFileTime": "Use file creation date",
"OptionDateAddedImportTime": "Use date scanned into the library",
"OptionDatePlayed": "Date Played",
"OptionDescending": "Descending",
"OptionDisableUser": "Disable this user",
"OptionDisableUserHelp": "The server will not allow any connections from this user. Existing connections will be abruptly terminated.",
"OptionDislikes": "Dislikes",
"OptionDisplayFolderView": "Display a folder view to show plain media folders",
"OptionDisplayFolderViewHelp": "Display folders alongside your other media libraries. This can be useful if you'd like to have a plain folder view.",
"OptionDownloadArtImage": "Art",
"OptionDownloadBackImage": "Back",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadBoxImage": "Box",
"OptionDownloadDiscImage": "Disc",
"OptionDownloadImagesInAdvance": "Download images in advance",
"OptionDownloadImagesInAdvanceHelp": "By default, most images are only downloaded when requested by a client. Enable this option to download all images in advance, as new media is imported. This may cause significantly longer library scans.",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadMenuImage": "Menu",
"OptionDownloadPrimaryImage": "Primary",
"OptionDownloadThumbImage": "Thumb",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "Embed within container",
"OptionEnableAccessFromAllDevices": "Enable access from all devices",
@ -1098,36 +1046,27 @@
"OptionEnableForAllTuners": "Enable for all tuner devices",
"OptionEnableM2tsMode": "Enable M2ts mode",
"OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
"OptionEnded": "Ended",
"OptionEquals": "Equals",
"OptionEstimateContentLength": "Estimate content length when transcoding",
"OptionEveryday": "Every day",
"OptionExternallyDownloaded": "External download",
"OptionExtractChapterImage": "Enable chapter image extraction",
"OptionFavorite": "Favorites",
"OptionHasSpecialFeatures": "Special Features",
"OptionHasSubtitles": "Subtitles",
"OptionHasThemeSong": "Theme Song",
"OptionHasThemeVideo": "Theme Video",
"OptionHasTrailer": "Trailer",
"OptionHideUser": "Hide this user from login screens",
"OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.",
"OptionHlsSegmentedSubtitles": "HLS segmented subtitles",
"OptionHomeVideos": "Photos",
"OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "These requests will be honored but will ignore the byte range header.",
"OptionImdbRating": "IMDb Rating",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionLikes": "Likes",
"OptionList": "List",
"OptionLoginAttemptsBeforeLockout": "Determines how many incorrect login attempts can be made before lockout occurs.",
"OptionLoginAttemptsBeforeLockoutHelp": "A value of zero means inheriting the default of three attempts for normal users and five for administrators. Setting this to -1 will disable the feature.",
"OptionMax": "Max",
"OptionMissingEpisode": "Missing Episodes",
"OptionNameSort": "Name",
"OptionNew": "New…",
"OptionNone": "None",
"OptionOnInterval": "On an interval",
"OptionParentalRating": "Parental Rating",
"OptionPlainStorageFolders": "Display all folders as plain storage folders",
@ -1135,11 +1074,7 @@
"OptionPlainVideoItems": "Display all videos as plain video items",
"OptionPlainVideoItemsHelp": "All videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
"OptionPlayCount": "Play Count",
"OptionPlayed": "Played",
"OptionPoster": "Poster",
"OptionPosterCard": "Poster card",
"OptionPremiereDate": "Premiere Date",
"OptionProfileAudio": "Audio",
"OptionProfilePhoto": "Photo",
"OptionProfileVideo": "Video",
"OptionProfileVideoAudio": "Video Audio",
@ -1154,17 +1089,13 @@
"OptionRequirePerfectSubtitleMatchHelp": "Requiring a perfect match will filter subtitles to include only those that have been tested and verified with your exact video file. Unchecking this will increase the likelihood of subtitles being downloaded, but will increase the chances of mistimed or incorrect subtitle text.",
"OptionResElement": "res element",
"OptionResumable": "Resumable",
"OptionRuntime": "Runtime",
"OptionSaveMetadataAsHidden": "Save metadata and images as hidden files",
"OptionSaveMetadataAsHiddenHelp": "Changing this will apply to new metadata saved going forward. Existing metadata files will be updated the next time they are saved by the server.",
"OptionSpecialEpisode": "Specials",
"OptionSubstring": "Substring",
"OptionThumb": "Thumb",
"OptionThumbCard": "Thumb card",
"OptionTrackName": "Track Name",
"OptionTvdbRating": "TVDB Rating",
"OptionUnairedEpisode": "Unaired Episodes",
"OptionUnplayed": "Unplayed",
"OptionWakeFromSleep": "Wake from sleep",
"OptionWeekdays": "Weekdays",
"OptionWeekends": "Weekends",
@ -1178,7 +1109,6 @@
"PasswordMatchError": "Password and password confirmation must match.",
"PasswordResetComplete": "The password has been reset.",
"PasswordResetConfirmation": "Are you sure you wish to reset the password?",
"HeaderResetPassword": "Reset Password",
"PasswordResetProviderHelp": "Choose a password reset provider to be used when this user requests a password reset.",
"PasswordSaved": "Password saved.",
"People": "People",
@ -1205,6 +1135,8 @@
"PleaseEnterNameOrId": "Please enter a name or an external ID.",
"PleaseRestartServerName": "Please restart Jellyfin on {0}.",
"PleaseSelectTwoItems": "Please select at least two items.",
"Poster": "Poster",
"PosterCard": "Poster Card",
"MessagePluginInstalled": "The plugin has been successfully installed. The server will need to be restarted for changes to take effect.",
"MessagePluginInstallError": "An error occured while installing the plugin.",
"MessageGetInstalledPluginsError": "An error occured while getting the list of currently installed plugins.",
@ -1219,6 +1151,7 @@
"Primary": "Primary",
"Producer": "Producer",
"ProductionLocations": "Production locations",
"Profile": "Profile",
"Programs": "Programs",
"Quality": "Quality",
"Raised": "Raised",
@ -1249,6 +1182,8 @@
"RepeatOne": "Repeat one",
"ReplaceAllMetadata": "Replace all metadata",
"ReplaceExistingImages": "Replace existing images",
"ResetPassword": "Reset Password",
"Restart": "Restart",
"ResumeAt": "Resume from {0}",
"Rewind": "Rewind",
"Runtime": "Runtime",
@ -1269,6 +1204,7 @@
"SearchResults": "Search Results",
"Season": "Season",
"SelectAdminUsername": "Please select a username for the admin account.",
"SelectServer": "Select Server",
"SendMessage": "Send message",
"Series": "Series",
"SeriesCancelled": "Series cancelled.",
@ -1307,6 +1243,7 @@
"SortByValue": "Sort by {0}",
"SortChannelsBy": "Sort channels by:",
"SortName": "Sort name",
"SpecialFeatures": "Special Features",
"Sports": "Sports",
"StopRecording": "Stop recording",
"Studios": "Studios",
@ -1314,6 +1251,7 @@
"SubtitleAppearanceSettingsDisclaimer": "These settings will not apply to graphical subtitles (PGS, DVD, etc) or ASS/SSA subtitles that embed their own styles.",
"SubtitleDownloadersHelp": "Enable and rank your preferred subtitle downloaders in order of priority.",
"SubtitleOffset": "Subtitle Offset",
"Subtitle": "Subtitle",
"Subtitles": "Subtitles",
"Suggestions": "Suggestions",
"Sunday": "Sunday",
@ -1340,12 +1278,10 @@
"TabOther": "Other",
"TabParentalControl": "Parental Control",
"TabPlugins": "Plugins",
"TabProfile": "Profile",
"TabProfiles": "Profiles",
"TabResponses": "Responses",
"TabScheduledTasks": "Scheduled Tasks",
"TabServer": "Server",
"TabSettings": "Settings",
"TabStreaming": "Streaming",
"TabUpcoming": "Upcoming",
"Tags": "Tags",
@ -1356,11 +1292,11 @@
"TheseSettingsAffectSubtitlesOnThisDevice": "These settings affect subtitles on this device",
"ThisWizardWillGuideYou": "This wizard will help guide you through the setup process. To begin, please select your preferred language.",
"Thumb": "Thumb",
"ThumbCard": "Thumb Card",
"Thursday": "Thursday",
"TitleHardwareAcceleration": "Hardware Acceleration",
"TitleHostingSettings": "Hosting Settings",
"TitlePlayback": "Playback",
"Track": "Track",
"TrackCount": "{0} tracks",
"Trailers": "Trailers",
"Transcoding": "Transcoding",
@ -1400,6 +1336,7 @@
"ValueTimeLimitSingleHour": "Time limit: 1 hour",
"ValueVideoCodec": "Video Codec: {0}",
"Vertical": "Vertical",
"Video": "Video",
"ViewAlbum": "View album",
"ViewAlbumArtist": "View album artist",
"ViewPlaybackInfo": "View playback info",

View file

@ -100,7 +100,6 @@
"ButtonForgotPassword": "Olvidé mi contraseña",
"ButtonFullscreen": "Pantalla completa",
"ButtonGotIt": "Lo entendí",
"ButtonGuide": "Guía",
"ButtonInfo": "Información",
"ButtonLibraryAccess": "Acceso a la biblioteca",
"ButtonManualLogin": "Inicio de sesión manual",
@ -112,21 +111,16 @@
"ButtonParentalControl": "Control parental",
"ButtonPause": "Pausar",
"ButtonPreviousTrack": "Pista anterior",
"ButtonProfile": "Perfil",
"ButtonRefreshGuideData": "Actualizar datos de la guía",
"ButtonRemove": "Quitar",
"ButtonRename": "Renombrar",
"ButtonResetEasyPassword": "Restablecer código PIN",
"ButtonResetPassword": "Restablecer contraseña",
"ButtonRestart": "Reiniciar",
"ButtonResume": "Resumir",
"ButtonRevoke": "Revocar",
"ButtonScanAllLibraries": "Escanear todas las bibliotecas",
"ButtonSelectDirectory": "Seleccionar directorio",
"ButtonSelectServer": "Seleccionar servidor",
"ButtonSelectView": "Seleccionar vista",
"ButtonSend": "Enviar",
"ButtonSettings": "Configuraciones",
"ButtonShutdown": "Apagar",
"ButtonSignIn": "Iniciar sesión",
"ButtonStart": "Iniciar",
@ -182,7 +176,6 @@
"DirectStreaming": "Transmisión directa",
"Director": "Director",
"Directors": "Directores",
"Disabled": "Deshabilitado",
"Disc": "Disco",
"Disconnect": "Desconectar",
"Display": "Pantalla",
@ -208,7 +201,6 @@
"AuthProviderHelp": "Seleccione un proveedor de autenticación para ser utilizado para autenticar la contraseña de este usuario.",
"CriticRating": "Valoración crítica",
"DefaultSubtitlesHelp": "Los subtítulos se cargan según los indicadores predeterminados y forzados en los metadatos incrustados. Las preferencias de idioma se consideran cuando hay varias opciones disponibles.",
"Dislike": "No me gusta",
"EnableDisplayMirroring": "Habilitar duplicación de la pantalla",
"EnableExternalVideoPlayers": "Habilitar reproductores de video externos",
"EnableExternalVideoPlayersHelp": "Se mostrará un menú de reproductor externo al iniciar la reproducción de video.",
@ -262,11 +254,6 @@
"Guide": "Guía",
"GuideProviderLogin": "Iniciar Sesión",
"GuideProviderSelectListings": "Seleccionar Listados",
"HeaderFavoriteSongs": "Canciones favoritas",
"HeaderFavoriteShows": "Programas favoritos",
"HeaderFavoriteEpisodes": "Capítulos favoritos",
"HeaderFavoriteArtists": "Artistas favoritos",
"HeaderFavoriteAlbums": "Álbumes favoritos",
"Shows": "Programas",
"CopyStreamURLSuccess": "URL copiada con éxito.",
"CopyStreamURL": "Copiar URL de transmisión",
@ -327,10 +314,6 @@
"HeaderCancelSeries": "Cancelar serie",
"H264CrfHelp": "El Factor de velocidad constante (CRF) es la configuración de calidad predeterminada para el codificador x264. Puede establecer los valores entre 0 y 51, donde valores más bajos resultarían en una mejor calidad (a expensas de tamaños de archivo más altos). Los valores correctos están entre 18 y 28. El valor predeterminado para x264 es 23, por lo que puede usar esto como punto de partida.",
"DeinterlaceMethodHelp": "Seleccione el método de desentrelazado que se usará al transcodificar contenido entrelazado.",
"HeaderFavoriteVideos": "Videos favoritos",
"HeaderFavoritePeople": "Gente favorita",
"HeaderFavoriteMovies": "Películas Favoritas",
"HeaderFavoriteBooks": "Libros favoritos",
"HeaderExternalIds": "IDs externos:",
"HeaderError": "Error",
"HeaderEnabledFields": "Campos habilitados",
@ -379,7 +362,6 @@
"HeaderFetcherSettings": "Configuración del recuperador",
"HeaderFetchImages": "Obtener imágenes:",
"HeaderFeatureAccess": "Acceso a características",
"HeaderFavoritePlaylists": "Listas de reproducción favoritas",
"ButtonTogglePlaylist": "Lista de reproducción",
"HeaderPlaybackError": "Error de reproducción",
"HeaderPlayback": "Reproducción de medios",
@ -399,7 +381,6 @@
"HeaderMyMediaSmall": "Mis medios (pequeño)",
"HeaderMyMedia": "Mis medios",
"HeaderMyDevice": "Mi dispositivo",
"HeaderMusicVideos": "Videos musicales",
"HeaderMusicQuality": "Calidad de música",
"LabelAccessDay": "Día de la semana:",
"LabelAbortedByServerShutdown": "(Abortado por el apagado del servidor)",
@ -447,12 +428,10 @@
"HeaderStopRecording": "Detener grabación",
"HeaderStatus": "Estado",
"HeaderStartNow": "Empezar ahora",
"HeaderSpecialFeatures": "Características especiales",
"HeaderSpecialEpisodeInfo": "Información especial del capítulo",
"HeaderSortOrder": "Orden de clasificación",
"HeaderSortBy": "Ordenar por",
"HeaderSetupLibrary": "Configura tus bibliotecas de medios",
"HeaderSettings": "Configuraciones",
"HeaderServerSettings": "Configuración del servidor",
"HeaderServerAddressSettings": "Configuración de la dirección del servidor",
"HeaderSeriesStatus": "Estado de la serie",
@ -462,7 +441,6 @@
"HeaderSelectTranscodingPath": "Seleccionar ruta temporal de transcodificación",
"HeaderSelectServerCachePathHelp": "Examine o ingrese la ruta a utilizar para los archivos de caché del servidor. La carpeta debe ser grabable.",
"HeaderSelectServerCachePath": "Seleccionar ruta de caché del servidor",
"HeaderSelectServer": "Seleccionar servidor",
"HeaderSelectPath": "Seleccionar ruta",
"HeaderSelectMetadataPathHelp": "Examine o ingrese la ruta en la que desea almacenar metadatos. La carpeta debe ser grabable.",
"HeaderSelectMetadataPath": "Seleccionar ruta de metadatos",
@ -472,7 +450,6 @@
"HeaderScenes": "Escenas",
"HeaderRunningTasks": "Ejecución de tareas",
"HeaderRevisionHistory": "Revisión histórica",
"HeaderRestart": "Reiniciar",
"HeaderResponseProfile": "Perfil de respuesta",
"HeaderRemoveMediaLocation": "Eliminar ubicación de medios",
"HeaderRemoveMediaFolder": "Eliminar carpeta de medios",
@ -483,7 +460,6 @@
"HeaderRecentlyPlayed": "Recientemente reproducido",
"HeaderProfileServerSettingsHelp": "Estos valores controlan cómo el servidor Jellyfin se presentará al dispositivo.",
"HeaderProfileInformation": "Información del perfil",
"HeaderProfile": "Perfil",
"HeaderPreferredMetadataLanguage": "Lenguaje de metadatos preferido",
"HeaderPluginInstallation": "Instalación de complementos",
"HeaderPleaseSignIn": "Por favor, inicie sesión",
@ -801,13 +777,8 @@
"LabelLibraryPageSize": "Tamaño de página de la biblioteca:",
"LabelLanguage": "Idioma:",
"LabelLanNetworks": "Redes LAN:",
"OptionBlockBooks": "Libros",
"OptionBanner": "Pancarta",
"OptionAutomaticallyGroupSeriesHelp": "Si está habilitado, las series que se distribuyen en varias carpetas dentro de esta biblioteca se fusionarán automáticamente en una sola serie.",
"OptionAutomaticallyGroupSeries": "Combinar automáticamente series que se extienden a través de múltiples carpetas",
"OptionAuto": "Auto",
"OptionAscending": "Ascendente",
"OptionArtist": "Artista",
"OptionAllowVideoPlaybackTranscoding": "Permitir reproducción de video que requiere transcodificación",
"OptionAllowVideoPlaybackRemuxing": "Permitir reproducción de video que requiere conversión sin volver a codificar",
"OptionAllowUserToManageServer": "Permitir a este usuario administrar el servidor",
@ -825,8 +796,6 @@
"OptionForceRemoteSourceTranscoding": "Forzar la transcodificación de fuentes de medios remotos (como LiveTV)",
"OptionAllowAudioPlaybackTranscoding": "Permitir reproducción de audio que requiere transcodificación",
"OptionAllUsers": "Todos los usuarios",
"OptionAlbumArtist": "Artista del álbum",
"OptionAlbum": "Álbum",
"OptionAdminUsers": "Administradores",
"Option3D": "3D",
"OnlyImageFormats": "Solo formatos de imagen (VOBSUB, PGS, SUB)",
@ -942,11 +911,6 @@
"MessageAlreadyInstalled": "Esta versión ya está instalada.",
"Menu": "Menú",
"MediaIsBeingConverted": "Los medios se están convirtiendo a un formato compatible con el dispositivo que los reproduce.",
"MediaInfoStreamTypeVideo": "Video",
"MediaInfoStreamTypeSubtitle": "Subtítulo",
"MediaInfoStreamTypeEmbeddedImage": "Imagen incrustada",
"MediaInfoStreamTypeData": "Data",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoTimestamp": "Marca de tiempo",
"MediaInfoSize": "Tamaño",
"MediaInfoSampleRate": "Frecuencia de muestreo",
@ -980,7 +944,6 @@
"LiveBroadcasts": "Transmisiones en vivo",
"Live": "En vivo",
"List": "Lista",
"Like": "Me gusta",
"LeaveBlankToNotSetAPassword": "Puede dejar este campo en blanco para no establecer una contraseña.",
"LearnHowYouCanContribute": "Aprende cómo puedes contribuir.",
"LatestFromLibrary": "Últimos {0}",
@ -993,7 +956,6 @@
"LabelVideoResolution": "Resolución de video:",
"LabelVideoCodec": "Códec de vídeo:",
"LabelVideoBitrate": "Tasa de bits de video:",
"LabelVideo": "Video",
"DashboardArchitecture": "Arquitectura: {0}",
"DashboardOperatingSystem": "Sistema operativo: {0}",
"DashboardServerName": "Servidor: {0}",
@ -1048,23 +1010,13 @@
"OptionEnableAccessFromAllDevices": "Habilite el acceso desde todos los dispositivos",
"OptionEmbedSubtitles": "Incrustar dentro del contenedor",
"OptionDvd": "DVD",
"OptionDownloadThumbImage": "Pulgar",
"OptionDownloadPrimaryImage": "Primario",
"OptionDownloadMenuImage": "Menú",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadImagesInAdvanceHelp": "Por defecto, la mayoría de las imágenes solo se descargan cuando lo solicita una aplicación Jellyfin. Active esta opción para descargar todas las imágenes de antemano, ya que se importan nuevos medios. Esto puede causar escaneos de biblioteca significativamente más largos.",
"OptionDownloadImagesInAdvance": "Descargar imágenes por adelantado",
"OptionDownloadDiscImage": "Disco",
"OptionDownloadBoxImage": "Caja",
"OptionDownloadBannerImage": "Pancarta",
"OptionDownloadBackImage": "Volver",
"OptionDownloadArtImage": "Arte",
"OptionDisplayFolderViewHelp": "Mostrar carpetas junto con sus otras bibliotecas de medios. Esto puede ser útil si desea tener una vista de carpeta simple.",
"OptionDisplayFolderView": "Mostrar una vista de carpeta para mostrar carpetas de medios simples",
"OptionDislikes": "No me gustas",
"OptionDisableUserHelp": "Si está deshabilitado, el servidor no permitirá ninguna conexión de este usuario. Las conexiones existentes se terminarán abruptamente.",
"OptionDisableUser": "Deshabilitar este usuario",
"OptionDescending": "Descendente",
"OptionDatePlayed": "Fecha de reproducción",
"OptionDateAddedImportTime": "Use la fecha escaneada en la biblioteca",
"OptionDateAddedFileTime": "Usar fecha de creación de archivo",
@ -1072,16 +1024,9 @@
"OptionDaily": "Diario",
"OptionCustomUsers": "Personalizado",
"OptionCriticRating": "Valoración crítica",
"OptionContinuing": "Continuo",
"OptionCommunityRating": "Calificación de la comunidad",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionBluray": "Blu-ray",
"OptionBlockTvShows": "Programas de televisión",
"OptionBlockTrailers": "Avances",
"OptionBlockMusic": "Música",
"OptionBlockMovies": "Películas",
"OptionBlockLiveTvChannels": "Canales de TV en vivo",
"OptionBlockChannelContent": "Contenido del canal de internet",
"MusicLibraryHelp": "Revise la {0}guía de nomenclatura musical{1}.",
"MovieLibraryHelp": "Revise la {0}guía de nombres de películas{1}.",
"LibraryAccessHelp": "Seleccione las bibliotecas para compartir con este usuario. Los administradores podrán editar todas las carpetas con el administrador de metadatos.",
@ -1166,7 +1111,6 @@
"People": "Personas",
"PasswordSaved": "Contraseña guardada.",
"PasswordResetProviderHelp": "Elija un proveedor de restablecimiento de contraseña para usar cuando este usuario solicite un restablecimiento de contraseña",
"HeaderResetPassword": "Restablecer contraseña",
"PasswordResetConfirmation": "¿Estás seguro de que deseas restablecer la contraseña?",
"PasswordResetComplete": "La contraseña ha sido restablecida.",
"PasswordMatchError": "La contraseña y la confirmación de la contraseña deben coincidir.",
@ -1179,16 +1123,12 @@
"OptionWeekends": "Fines de semana",
"OptionWeekdays": "Días de la semana",
"OptionWakeFromSleep": "Despertarse del sueño",
"OptionUnplayed": "No reproducido",
"OptionTvdbRating": "Calificación de TVDB",
"OptionTrackName": "Nombre de la pista",
"OptionThumbCard": "Tarjeta del pulgar",
"OptionThumb": "Pulgar",
"OptionSubstring": "Subcadena",
"OptionSpecialEpisode": "Especiales",
"OptionSaveMetadataAsHiddenHelp": "Cambiar esto se aplicará a los nuevos metadatos guardados en el futuro. Los archivos de metadatos existentes se actualizarán la próxima vez que el servidor Jellyfin los guarde.",
"OptionSaveMetadataAsHidden": "Guardar metadatos e imágenes como archivos ocultos",
"OptionRuntime": "Tiempo de ejecución",
"OptionResumable": "Reanudable",
"OptionResElement": "elemento res",
"OptionRequirePerfectSubtitleMatchHelp": "Requerir una combinación perfecta filtrará los subtítulos para incluir solo aquellos que han sido probados y verificados con su archivo de video exacto. Desmarcar esto aumentará la probabilidad de que se descarguen los subtítulos, pero aumentará las posibilidades de texto de subtítulos incorrecto o incorrecto.",
@ -1203,11 +1143,7 @@
"OptionProfileVideoAudio": "Video Audio",
"OptionProfileVideo": "Video",
"OptionProfilePhoto": "Foto",
"OptionProfileAudio": "Audio",
"OptionPremiereDate": "Fecha de estreno",
"OptionPosterCard": "Tarjeta de póster",
"OptionPoster": "Póster",
"OptionPlayed": "Reproducido",
"OptionPlayCount": "Cuento de reproducciones",
"OptionPlainVideoItemsHelp": "Si está habilitado, todos los videos se representan en DIDL como \"object.item.videoItem\" en lugar de un tipo más específico, como \"object.item.videoItem.movie\".",
"OptionPlainVideoItems": "Mostrar todos los videos como elementos de video simples",
@ -1215,35 +1151,26 @@
"OptionPlainStorageFolders": "Mostrar todas las carpetas como carpetas de almacenamiento sin formato",
"OptionParentalRating": "Calificación parental",
"OptionOnInterval": "En un intervalo",
"OptionNone": "Ninguno",
"OptionNew": "Nuevo…",
"OptionNameSort": "Nombre",
"OptionMax": "Máx.",
"OptionLoginAttemptsBeforeLockoutHelp": "Un valor de cero significa heredar el valor predeterminado de tres intentos para usuarios normales y cinco para administradores. Establecer esto en -1 deshabilitará la función.",
"OptionLoginAttemptsBeforeLockout": "Determina cuántos intentos de inicio de sesión incorrectos se pueden realizar antes de que ocurra el bloqueo.",
"OptionList": "Lista",
"OptionLikes": "Me gustas",
"OptionIsSD": "SD",
"OptionIsHD": "HD",
"OptionImdbRating": "Calificación de IMDb",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Si está habilitado, estas solicitudes serán atendidas pero ignorarán el encabezado del rango de bytes.",
"OptionIgnoreTranscodeByteRangeRequests": "Ignorar las solicitudes de rango de bytes de transcodificación",
"OptionHomeVideos": "Fotos",
"OptionHlsSegmentedSubtitles": "Subtítulos segmentados HLS",
"OptionHideUserFromLoginHelp": "Útil para cuentas de administrador privadas u ocultas. El usuario deberá iniciar sesión manualmente ingresando su nombre de usuario y contraseña.",
"OptionHideUser": "Ocultar a este usuario de las pantallas de inicio de sesión",
"OptionHasTrailer": "Avance",
"OptionHasThemeVideo": "Video temático",
"OptionHasThemeSong": "Tema musical",
"OptionHasSubtitles": "Subtítulos",
"OptionHasSpecialFeatures": "Características especiales",
"OptionFavorite": "Favoritos",
"OptionExtractChapterImage": "Habilitar la extracción de imágenes de capítulos",
"OptionExternallyDownloaded": "Descarga externa",
"OptionEveryday": "Cada día",
"OptionEstimateContentLength": "Estimar la longitud del contenido al transcodificar",
"OptionEquals": "Igual a",
"OptionEnded": "Terminó",
"OptionEnableM2tsModeHelp": "Habilite el modo m2ts al codificar en mpegts.",
"ReplaceExistingImages": "Reemplazar imágenes existentes",
"ReplaceAllMetadata": "Reemplazar todos los metadatos",
@ -1318,7 +1245,6 @@
"Tuesday": "Martes",
"Transcoding": "Transcodificación",
"TrackCount": "{0} pistas",
"Track": "Pista",
"TitlePlayback": "Reproducción",
"TitleHostingSettings": "Configuraciones de alojamiento",
"TitleHardwareAcceleration": "Aceleración por hardware",
@ -1335,12 +1261,10 @@
"LabelSkipForwardLength": "Saltar hacia adelante longitud:",
"Trailers": "Avances",
"TabStreaming": "Transmisión",
"TabSettings": "Configuraciones",
"TabServer": "Servidor",
"TabScheduledTasks": "Tareas programadas",
"TabResponses": "Respuestas",
"TabProfiles": "Perfiles",
"TabProfile": "Perfil",
"TabPlugins": "Complementos",
"TabParentalControl": "Control parental",
"TabOther": "Otro",
@ -1441,5 +1365,19 @@
"MessageGetInstalledPluginsError": "Se produjo un error al obtener la lista de complementos instalados actualmente.",
"MessagePluginInstallError": "Ocurrió un error al instalar el complemento.",
"NextTrack": "Pasar al siguiente",
"LabelUnstable": "Inestable"
"LabelUnstable": "Inestable",
"Video": "Video",
"ThumbCard": "Tarjeta de pulgar",
"Subtitle": "Subtítulo",
"SpecialFeatures": "Características especiales",
"SelectServer": "Seleccionar servidor",
"Restart": "Reiniciar",
"ResetPassword": "Restablecer contraseña",
"Profile": "Perfil",
"PosterCard": "Tarjeta de cartel",
"Poster": "Póster",
"PlaybackRate": "Tasa de reproducción",
"MusicVideos": "Videos musicales",
"Image": "Imagen",
"Data": "Datos"
}

View file

@ -63,7 +63,6 @@
"ButtonForgotPassword": "Olvidé mi contraseña",
"ButtonFullscreen": "Pantalla completa",
"ButtonGotIt": "Hecho",
"ButtonGuide": "Guía",
"ButtonLibraryAccess": "Acceso a biblioteca(s)",
"ButtonManualLogin": "Inicio de sesión manual",
"ButtonMore": "Más",
@ -73,22 +72,17 @@
"ButtonParentalControl": "Control parental",
"ButtonPause": "Pausar",
"ButtonPreviousTrack": "Pista anterior",
"ButtonProfile": "Perfil",
"ButtonQuickStartGuide": "Guía de inicio rápido",
"ButtonRefreshGuideData": "Actualizar datos de la guía",
"ButtonRemove": "Remover",
"ButtonRename": "Renombrar",
"ButtonResetEasyPassword": "Restablecer código PIN sencillo",
"ButtonResetPassword": "Restablecer contraseña",
"ButtonRestart": "Reiniciar",
"ButtonResume": "Continuar",
"ButtonRevoke": "Revocar",
"ButtonScanAllLibraries": "Escanear todas las bibliotecas",
"ButtonSelectDirectory": "Seleccionar directorio",
"ButtonSelectServer": "Seleccionar servidor",
"ButtonSelectView": "Seleccionar vista",
"ButtonSend": "Enviar",
"ButtonSettings": "Configuración",
"ButtonShutdown": "Apagar",
"ButtonSignIn": "Iniciar sesión",
"ButtonSignOut": "Cerrar sesión",
@ -147,10 +141,8 @@
"DirectStreamHelp2": "Transmitir directamente un archivo usa muy poco poder de procesamiento sin ninguna perdida en la calidad de video.",
"DirectStreaming": "Transmisión directa",
"Directors": "Directores",
"Disabled": "Desactivado",
"Disc": "DIsco",
"Disconnect": "Desconectar",
"Dislike": "No me gusta",
"Display": "Pantalla",
"DisplayInMyMedia": "Mostrar en la pantalla de inicio",
"DisplayInOtherHomeScreenSections": "Mostrar en las secciones de la pantalla de inicio como recientes o continuar viendo",
@ -323,7 +315,6 @@
"HeaderMetadataSettings": "Configuración de metadatos",
"HeaderMoreLikeThis": "Más como esto",
"HeaderMusicQuality": "Calidad de la música",
"HeaderMusicVideos": "Videos musicales",
"HeaderMyDevice": "Mi dispositivo",
"HeaderMyMedia": "Mis medios",
"HeaderMyMediaSmall": "Mis medios (pequeño)",
@ -346,7 +337,6 @@
"HeaderPleaseSignIn": "Por favor, inicia sesión",
"HeaderPluginInstallation": "Instalación de complemento",
"HeaderPreferredMetadataLanguage": "Idioma preferido para los metadatos",
"HeaderProfile": "Perfil",
"HeaderProfileInformation": "Información del perfil",
"HeaderProfileServerSettingsHelp": "Estos valores controlan como el servidor Jellyfin se presentará al dispositivo.",
"HeaderRecentlyPlayed": "Reproducido recientemente",
@ -357,7 +347,6 @@
"HeaderRemoveMediaLocation": "Remover ubicación de medios",
"HeaderResponseProfile": "Perfil de respuesta",
"HeaderResponseProfileHelp": "Los perfiles de respuesta proporcionan un medio para personalizar la información enviada al dispositivo cuando se reproducen ciertos tipos de medios.",
"HeaderRestart": "Reiniciar",
"HeaderRevisionHistory": "Historial de versiones",
"HeaderRunningTasks": "Tareas en ejecución",
"HeaderScenes": "Escenas",
@ -367,7 +356,6 @@
"HeaderSelectMetadataPath": "Selecciona la ruta para los metadatos",
"HeaderSelectMetadataPathHelp": "Explora o introduce la ruta donde deseas almacenar los metadatos. Se debe tener permisos de escritura en dicha carpeta.",
"HeaderSelectPath": "Seleccionar ruta",
"HeaderSelectServer": "Seleccionar servidor",
"HeaderSelectServerCachePath": "Seleccionar ruta para la caché del servidor",
"HeaderSelectServerCachePathHelp": "Explora o introduce la ruta a utilizar para los archivos caché del servidor. Se debe tener permisos de escritura en dicha carpeta.",
"HeaderSelectTranscodingPath": "Selecciona la ruta para los archivos temporales de transcodificación",
@ -376,12 +364,10 @@
"HeaderSeriesOptions": "Opciones de serie",
"HeaderSeriesStatus": "Estado de la serie",
"HeaderServerSettings": "Configuración del servidor",
"HeaderSettings": "Configuración",
"HeaderSetupLibrary": "Configura tus bibliotecas de medios",
"HeaderSortBy": "Ordenar por",
"HeaderSortOrder": "Clasificar ordenado",
"HeaderSpecialEpisodeInfo": "Información del episodio especial",
"HeaderSpecialFeatures": "Características especiales",
"HeaderStartNow": "Iniciar ahora",
"HeaderStatus": "Estado",
"HeaderStopRecording": "Detener grabación",
@ -752,7 +738,6 @@
"LatestFromLibrary": "Últimas - {0}",
"LearnHowYouCanContribute": "Aprende cómo puedes contribuir.",
"LibraryAccessHelp": "Selecciona las bibliotecas que deseas compartir con este usuario. Los administradores podrán editar todas las carpetas utilizando el gestor de metadatos.",
"Like": "Me gusta",
"List": "Lista",
"Live": "En vivo",
"LiveBroadcasts": "Emisiones en vivo",
@ -869,8 +854,6 @@
"OnlyForcedSubtitlesHelp": "Solo se cargarán subtítulos marcados como forzados.",
"OnlyImageFormats": "Solo formatos de imagen (VOBSUB, PGS, SUB)",
"OptionAdminUsers": "Administradores",
"OptionAlbum": "Álbum",
"OptionAlbumArtist": "Artista del álbum",
"OptionAllUsers": "Todos los usuarios",
"OptionAllowAudioPlaybackTranscoding": "Permitir la reproducción de audio que requiera transcodificación",
"OptionAllowBrowsingLiveTv": "Permitir acceso a TV en vivo",
@ -887,20 +870,9 @@
"OptionAllowUserToManageServer": "Permitir a este usuario administrar el servidor",
"OptionAllowVideoPlaybackRemuxing": "Permitir reproducción de video que requiera conversión sin recodificar",
"OptionAllowVideoPlaybackTranscoding": "Permitir la reproducción de video que requiera de transcodificación",
"OptionArtist": "Artista",
"OptionAscending": "Ascendente",
"OptionAuto": "Automático",
"OptionAutomaticallyGroupSeries": "Fusionar automáticamente series esparcidas a través de múltiples carpetas",
"OptionAutomaticallyGroupSeriesHelp": "Si se habilita, las series que se reparten a través de múltiples carpetas dentro de esta biblioteca serán fusionadas en una sola serie.",
"OptionBlockBooks": "Libros",
"OptionBlockChannelContent": "Contenido de canales de Internet",
"OptionBlockLiveTvChannels": "Canales de TV en vivo",
"OptionBlockMovies": "Películas",
"OptionBlockMusic": "Música",
"OptionBlockTrailers": "Trailers",
"OptionBlockTvShows": "Programas de TV",
"OptionCommunityRating": "Calificación de la comunidad",
"OptionContinuing": "Continuando",
"OptionCriticRating": "Calificación de los críticos",
"OptionCustomUsers": "Personalizado",
"OptionDaily": "Diario",
@ -908,22 +880,13 @@
"OptionDateAddedFileTime": "Usar la fecha de creación del archivo",
"OptionDateAddedImportTime": "Usar la fecha de escaneo en la biblioteca",
"OptionDatePlayed": "Fecha de reproducción",
"OptionDescending": "Descendente",
"OptionDisableUser": "Desactivar este usuario",
"OptionDisableUserHelp": "Si se desactiva, el servidor no aceptará conexiones de este usuario. Las conexiones existentes serán finalizadas abruptamente.",
"OptionDislikes": "No me gusta",
"OptionDisplayFolderView": "Mostrar una vista de carpetas para mostrar las carpetas simples de los medios",
"OptionDisplayFolderViewHelp": "Muestra las carpetas junto con sus otras bibliotecas de medios. Esto puede ser útil si deseas tener una vista simple de carpeta.",
"OptionDownloadArtImage": "Arte",
"OptionDownloadBackImage": "Parte trasera",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadBoxImage": "Caja",
"OptionDownloadDiscImage": "Disco",
"OptionDownloadImagesInAdvance": "Descargar las imágenes con antelación",
"OptionDownloadImagesInAdvanceHelp": "Por defecto, la mayoría de las imágenes solo son descargadas cuando son solicitadas por una aplicación Jellyfin. Habilita esta opción para descargar todas las imágenes por adelantado, a medida que se agreguen nuevos medios. Esto podría causar escaneos de bibliotecas significativamente más largos.",
"OptionDownloadMenuImage": "Menú",
"OptionDownloadPrimaryImage": "Principal",
"OptionDownloadThumbImage": "Miniatura",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "Incrustar dentro del contenedor",
"OptionEnableAccessFromAllDevices": "Habilitar acceso desde todos los dispositivos",
@ -934,31 +897,23 @@
"OptionEnableForAllTuners": "Habilitar para todos los dispositivos sintonizadores",
"OptionEnableM2tsMode": "Habilitar modo M2TS",
"OptionEnableM2tsModeHelp": "Habilita el modo m2ts cuando se codifican mpegts.",
"OptionEnded": "Finalizado",
"OptionEquals": "Igual a",
"OptionEstimateContentLength": "Estimar la duración del contenido cuando se transcodifica",
"OptionEveryday": "Todos los días",
"OptionExternallyDownloaded": "Descarga externa",
"OptionExtractChapterImage": "Habilitar la extracción de imágenes de los capítulos",
"OptionFavorite": "Favoritos",
"OptionHasSpecialFeatures": "Características especiales",
"OptionHasSubtitles": "Subtítulos",
"OptionHasThemeSong": "Canción temática",
"OptionHasThemeVideo": "Video temático",
"OptionHasTrailer": "Trailer",
"OptionHideUser": "Ocultar este usuario de las pantallas de inicio de sesión",
"OptionHideUserFromLoginHelp": "Útil para cuentas privadas o de administrador ocultas. El usuario tendrá que iniciar sesión manualmente introduciendo su nombre de usuario y contraseña.",
"OptionHlsSegmentedSubtitles": "Subtítulos segmentados HLS",
"OptionHomeVideos": "Fotos",
"OptionIgnoreTranscodeByteRangeRequests": "Ignorar solicitudes de transcodificación de rango de bytes",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Si se habilita, estas solicitudes serán honradas pero se ignorará el encabezado de rango de bytes.",
"OptionImdbRating": "Calificación de IMDb",
"OptionLikes": "Me gusta",
"OptionMax": "Máximo",
"OptionMissingEpisode": "Episodios faltantes",
"OptionNameSort": "Nombre",
"OptionNew": "Nuevo…",
"OptionNone": "Ninguno",
"OptionOnInterval": "En un intervalo",
"OptionParentalRating": "Clasificación parental",
"OptionPlainStorageFolders": "Mostrar todas las carpetas como carpetas de almacenamiento simples",
@ -966,7 +921,6 @@
"OptionPlainVideoItems": "Mostrar todos los videos como elementos de video simples",
"OptionPlainVideoItemsHelp": "Si se habilita, todos los videos serán representados en DIDL como «object.item.videoItem» en lugar de un tipo más específico, como «object.item.videoItem.movie».",
"OptionPlayCount": "Contador de reproducciones",
"OptionPlayed": "Reproducido",
"OptionPremiereDate": "Fecha de estreno",
"OptionProfilePhoto": "Foto",
"OptionProfileVideoAudio": "Audio del video",
@ -978,7 +932,6 @@
"OptionRequirePerfectSubtitleMatchHelp": "Solicitar una coincidencia perfecta filtrará los subtítulos para incluir solo aquellos que han sido probados y verificados exactamente con tu archivo de video. Desmarcar esta opción incrementará las probabilidades de que se descarguen subtítulos, pero incrementará las posibilidades de obtener subtítulos mal sincronizados o con texto incorrecto.",
"OptionResElement": "Elemento res",
"OptionResumable": "Reanudable",
"OptionRuntime": "Duración",
"OptionSaveMetadataAsHidden": "Guardar metadatos e imágenes como archivos ocultos",
"OptionSaveMetadataAsHiddenHelp": "Cambiar esto se aplicará a los nuevos metadatos guardados en el futuro. Los archivos de metadatos existentes serán actualizados la próxima vez que sean guardados por el servidor Jellyfin.",
"OptionSpecialEpisode": "Especiales",
@ -986,7 +939,6 @@
"OptionTrackName": "Nombre de la pista",
"OptionTvdbRating": "Calificación de TVDB",
"OptionUnairedEpisode": "Episodios no emitidos",
"OptionUnplayed": "No reproducido",
"OptionWakeFromSleep": "Despertar de la suspensión",
"OptionWeekdays": "Días de semana",
"OptionWeekends": "Fines de semana",
@ -1000,7 +952,6 @@
"PasswordMatchError": "La contraseña y la confirmación de la contraseña deben coincidir.",
"PasswordResetComplete": "La contraseña ha sido restablecida.",
"PasswordResetConfirmation": "¿Estás seguro de querer restablecer la contraseña?",
"HeaderResetPassword": "Restablecer contraseña",
"PasswordSaved": "Contraseña guardada.",
"People": "Personas",
"PerfectMatch": "Coincidencia perfecta",
@ -1138,12 +1089,10 @@
"TabOther": "Otros",
"TabParentalControl": "Control parental",
"TabPlugins": "Complementos",
"TabProfile": "Perfil",
"TabProfiles": "Perfiles",
"TabResponses": "Respuestas",
"TabScheduledTasks": "Tareas programadas",
"TabServer": "Servidor",
"TabSettings": "Configuración",
"TabStreaming": "Transmisión",
"TabUpcoming": "Próximamente",
"Tags": "Etiquetas",
@ -1223,13 +1172,6 @@
"HeaderAdmin": "Administrador",
"HeaderApp": "Aplicación",
"HeaderError": "Error",
"HeaderFavoriteMovies": "Películas favoritas",
"HeaderFavoriteShows": "Programas favoritos",
"HeaderFavoriteEpisodes": "Episodios favoritos",
"HeaderFavoriteAlbums": "Álbumes favoritos",
"HeaderFavoriteArtists": "Artistas favoritos",
"HeaderFavoriteSongs": "Canciones favoritas",
"HeaderFavoriteVideos": "Videos favoritos",
"HeaderVideos": "Videos",
"Horizontal": "Horizontal",
"LabelAuthProvider": "Proveedor de autenticación:",
@ -1244,15 +1186,9 @@
"DashboardServerName": "Servidor: {0}",
"DashboardOperatingSystem": "Sistema operativo: {0}",
"DashboardArchitecture": "Arquitectura: {0}",
"LabelVideo": "Video",
"LabelWeb": "Web:",
"LeaveBlankToNotSetAPassword": "Puedes dejar este campo en blanco para no establecer ninguna contraseña.",
"MediaInfoCodec": "Códec",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Dato",
"MediaInfoStreamTypeEmbeddedImage": "Imagen incrustada",
"MediaInfoStreamTypeSubtitle": "Subtítulo",
"MediaInfoStreamTypeVideo": "Video",
"MessageImageFileTypeAllowed": "Solo son soportados archivos JPEG y PNG.",
"MessageImageTypeNotSelected": "Por favor, selecciona un tipo de imagen del menú desplegable.",
"MessageNoCollectionsAvailable": "Las colecciones te permiten disfrutar de agrupaciones personalizadas de películas, series y álbumes. Haz clic en el botón + para comenzar a crear colecciones.",
@ -1263,18 +1199,12 @@
"No": "No",
"Normal": "Normal",
"Option3D": "3D",
"OptionBanner": "Banner",
"OptionBluray": "Blu-ray",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionDownloadLogoImage": "Logo",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionList": "Lista",
"OptionLoginAttemptsBeforeLockout": "Determina cuantos intentos de inicio de sesión incorrectos se pueden hacer antes de que ocurra el bloqueo.",
"OptionLoginAttemptsBeforeLockoutHelp": "Un valor de cero significa heredar el valor predeterminado de tres intentos para los usuarios normales y cinco para los administradores. Ajustar esto a -1 deshabilitará la función.",
"OptionPoster": "Póster",
"OptionPosterCard": "Ficha de póster",
"OptionProfileAudio": "Audio",
"OptionProfileVideo": "Video",
"OptionProtocolHttp": "HTTP",
"OptionRegex": "Expresión regular",
@ -1287,9 +1217,6 @@
"ValueMinutes": "{0} min",
"ValueSeriesCount": "{0} series",
"Vertical": "Vertical",
"OptionThumb": "Miniatura",
"OptionThumbCard": "Miniatura",
"HeaderFavoriteBooks": "Libros favoritos",
"LabelPleaseRestart": "Los cambios tendrán efecto después de recargar manualmente el cliente web.",
"LabelPlayMethod": "Método de reproducción:",
"LabelPlayer": "Reproductor:",
@ -1329,7 +1256,6 @@
"ListPaging": "{0}-{1} de {2}",
"WriteAccessRequired": "El servidor Jellyfin requiere permiso de escritura en esta carpeta. Por favor, asegúrate de tener acceso de escritura e inténtalo de nuevo.",
"PathNotFound": "No se pudo encontrar la ruta. Por favor, asegúrate de que la ruta es válida e inténtalo de nuevo.",
"Track": "Pista",
"Season": "Temporada",
"PreferEmbeddedEpisodeInfosOverFileNames": "Preferir información del episodio incrustada a los nombres de archivo",
"PreferEmbeddedEpisodeInfosOverFileNamesHelp": "Esto utiliza la información del episodio desde los metadatos incrustados si están disponibles.",
@ -1345,7 +1271,6 @@
"LabelPlayerDimensions": "Dimensiones del reproductor:",
"LabelCorruptedFrames": "Cuadros corruptos:",
"HeaderNavigation": "Navegación",
"HeaderFavoritePeople": "Personas favoritas",
"Episode": "Episodio",
"ClientSettings": "Configuración del cliente",
"BoxSet": "Colección",
@ -1363,7 +1288,6 @@
"New": "Nuevo",
"LabelLibraryPageSizeHelp": "Establece el número de elementos a mostrar en una página de biblioteca. Establece en 0 para deshabilitar el paginado.",
"LabelLibraryPageSize": "Tamaño de las páginas de las bibliotecas:",
"HeaderFavoritePlaylists": "Listas de reproducción favoritas",
"ButtonTogglePlaylist": "Lista de reproducción",
"UnsupportedPlayback": "Jellyfin no puede desencriptar contenido protegido por DRM de todas formas todo el contenido será intentado, incluyendo los títulos protegidos. Algunos archivos pueden aparecer completamente en negro debido al encriptado o características no soportadas, como títulos interactivos.",
"SaveChanges": "Guardar cambios",

View file

@ -18,7 +18,7 @@
"AllowMediaConversionHelp": "Concede o deniega el acceso a la función de conversión de medios.",
"AllowOnTheFlySubtitleExtraction": "Permitir la extracción de subtítulos sobre la marcha",
"AllowOnTheFlySubtitleExtractionHelp": "Cuando el cliente sea compatible, los subtítulos pueden extraerse durante la reproducción para evitar convertir el vídeo. Sin embargo, y en algunos servidores, esto puede llevar mucho tiempo y hacer que la reproducción tenga cortes durante el proceso. Deshabilita esta opción para grabar los subtítulos directamente en el vídeo cuando no sean compatibles de forma nativa con el cliente.",
"AllowRemoteAccess": "Permitir conexiones remotas a este servidor Jellyfin.",
"AllowRemoteAccess": "Permitir conexiones remotas a este servidor.",
"AllowRemoteAccessHelp": "Si no está activado, todas las conexiones remotas serán bloqueadas.",
"AllowedRemoteAddressesHelp": "Lista separada por comas de direcciones IP o entradas de IP / máscara de red para redes a las que se les permitirá conectarse de forma remota. Si se deja en blanco, se permitirán todas las direcciones remotas.",
"AlwaysPlaySubtitles": "Siempre mostrar subtítulos",
@ -53,7 +53,6 @@
"ButtonForgotPassword": "Contraseña olvidada",
"ButtonFullscreen": "Pantalla completa",
"ButtonGotIt": "Entendido",
"ButtonGuide": "Guía",
"ButtonLibraryAccess": "Acceso a la biblioteca",
"ButtonManualLogin": "Acceder manualmente",
"ButtonMore": "Más",
@ -64,22 +63,17 @@
"ButtonParentalControl": "Control parental",
"ButtonPause": "Pausa",
"ButtonPreviousTrack": "Pista anterior",
"ButtonProfile": "Perfil",
"ButtonQuickStartGuide": "Guía de inicio rápido",
"ButtonRefreshGuideData": "Actualizar datos de la guía",
"ButtonRemove": "Quitar",
"ButtonRename": "Renombrar",
"ButtonResetEasyPassword": "Restablecer código PIN",
"ButtonResetPassword": "Reiniciar Contraseña",
"ButtonRestart": "Reiniciar",
"ButtonResume": "Continuar",
"ButtonRevoke": "Revocar",
"ButtonScanAllLibraries": "Escanear todas las bibliotecas",
"ButtonSelectDirectory": "Seleccionar directorio",
"ButtonSelectServer": "Elegir servidor",
"ButtonSelectView": "Seleccionar vista",
"ButtonSend": "Enviar",
"ButtonSettings": "Opciones",
"ButtonShutdown": "Apagar",
"ButtonSignIn": "Iniciar sesión",
"ButtonSignOut": "Desconectarse",
@ -99,7 +93,7 @@
"CinemaModeConfigurationHelp": "El modo cine proporciona la experiencia del cine directamente en su sala con la capacidad de reproducir tráilers e introducciones personalizadas antes de la función principal.",
"Collections": "Colecciones",
"Composer": "Compositor",
"ConfigureDateAdded": "Configura como la fecha añadida se determina en el Panel de Control del servidor Jellyfin en los ajustes de la biblioteca",
"ConfigureDateAdded": "Configure cómo se determinará la fecha añadido en el panel bajo la configuración de la biblioteca",
"ConfirmDeleteImage": "¿Borrar imagen?",
"ConfirmDeleteItem": "Al borrar este elemento se borrará del sistema de archivos y de la biblioteca. ¿Quieres continuar?",
"ConfirmDeleteItems": "Al borrar este elemento se borrará del sistema de archivos y de la biblioteca. ¿Quieres continuar?",
@ -125,10 +119,8 @@
"DeviceAccessHelp": "Esto solo aplica a equipos que puedan ser singularmente identificados y no prevendrá acceso al navegador. Filtrar el acceso de equipos del usuario les prevendrá que usen nuevos equipos hasta que sean aprobados aquí.",
"DirectPlaying": "Reproducción directa",
"DirectStreaming": "Streaming directo",
"Disabled": "Desactivado",
"Disc": "Disco",
"Disconnect": "Desconectar",
"Dislike": "No me gusta",
"DisplayModeHelp": "Seleccione el estilo de diseño que desea en la Interfaz.",
"DoNotRecord": "No grabar",
"Down": "Abajo",
@ -152,7 +144,7 @@
"EndsAtValue": "Termina a las {0}",
"Episodes": "Episodios",
"ErrorAddingListingsToSchedulesDirect": "Ha habido un error añadiendo la alineación a tu cuenta de Schedules Direct. Schedules Direct solo permite un determinado número de alineaciones por cuenta. Necesitarás iniciar sesión en la web de Schedules Direct y quitar otras listas de tu cuenta antes de proceder.",
"ErrorAddingMediaPathToVirtualFolder": "Ha habido un error añadiendo la ruta de los medios. Por favor, asegúrate de que la ruta es válida y que el proceso del servidor Jellyfin tiene acceso a esa ubicación.",
"ErrorAddingMediaPathToVirtualFolder": "Ha habido un error añadiendo la ruta de los Medios. Por favor, asegúrate de que la ruta es válida y el servidor Jellyfin tiene acceso a esa ubicación.",
"ErrorAddingTunerDevice": "Ha habido un error añadiendo el dispositivo sintonizador. Por favor, asegúrate de que es accesible e inténtalo otra vez.",
"ErrorAddingXmlTvFile": "Ha sucedido un error accediendo al archivo XML. Por favor, asegúrate que el archivo existe e inténtalo de nuevo.",
"ErrorGettingTvLineups": "Ha habido un error descargando la programación de TV. Por favor, asegúrese que la información es correcta e inténtalo de nuevo.",
@ -278,7 +270,6 @@
"HeaderMediaFolders": "Carpetas de medios",
"HeaderMetadataSettings": "Ajustes de etiquetas",
"HeaderMoreLikeThis": "Más como este",
"HeaderMusicVideos": "Vídeos musicales",
"HeaderMyDevice": "Mi dispositivo",
"HeaderMyMedia": "Mis contenidos",
"HeaderMyMediaSmall": "Mis contenidos (pequeño)",
@ -300,7 +291,6 @@
"HeaderPleaseSignIn": "Por favor, inicie sesión",
"HeaderPluginInstallation": "Instalación del complemento",
"HeaderPreferredMetadataLanguage": "Idioma preferido para las etiquetas",
"HeaderProfile": "Perfil",
"HeaderProfileInformation": "Información del perfil",
"HeaderProfileServerSettingsHelp": "Estos valores controlan cómo el servidor será presentado a los clientes.",
"HeaderRecentlyPlayed": "Reproducido recientemente",
@ -311,7 +301,6 @@
"HeaderRemoveMediaLocation": "Quitar ubicación de medios",
"HeaderResponseProfile": "Perfil de respuesta",
"HeaderResponseProfileHelp": "Perfiles de respuesta proporcionan una forma de personalizar la información que se envía al dispositivo cuando se reproducen ciertos tipos de medios.",
"HeaderRestart": "Reiniciar",
"HeaderRevisionHistory": "Histórico de revisiones",
"HeaderRunningTasks": "Tareas en ejecución",
"HeaderScenes": "Escenas",
@ -319,9 +308,8 @@
"HeaderSecondsValue": "{0} segundos",
"HeaderSelectCertificatePath": "Elige la ruta del certificado",
"HeaderSelectMetadataPath": "Seleccione la ruta para las etiquetas",
"HeaderSelectMetadataPathHelp": "Busque o escriba la ruta donde almacenar las etiquetas. La carpeta debe tener permiso de escritura.",
"HeaderSelectMetadataPathHelp": "Busque o escriba la ruta de acceso que desea utilizar para los metadatos.. La carpeta debe tener permiso de escritura.",
"HeaderSelectPath": "Elige ruta",
"HeaderSelectServer": "Selecionar servidor",
"HeaderSelectServerCachePath": "Seleccione la ruta para el caché del servidor",
"HeaderSelectServerCachePathHelp": "Navega o introduce la ruta para alojar los archivos caché del servidor. Tienes que tener permisos de escritura en esa carpeta.",
"HeaderSelectTranscodingPath": "Ruta para los archivos temporales de las conversiones",
@ -329,12 +317,10 @@
"HeaderSendMessage": "Enviar mensaje",
"HeaderSeriesOptions": "Opciones de series",
"HeaderServerSettings": "Ajustes del servidor",
"HeaderSettings": "Ajustes",
"HeaderSetupLibrary": "Configure sus bibliotecas de medios",
"HeaderSortBy": "Ordenar por",
"HeaderSortOrder": "Orden",
"HeaderSpecialEpisodeInfo": "Información del episodio especial",
"HeaderSpecialFeatures": "Características especiales",
"HeaderStartNow": "Empezar ahora",
"HeaderStatus": "Estado",
"HeaderSubtitleAppearance": "Apariencia de los subtítulos",
@ -403,10 +389,10 @@
"LabelAudioLanguagePreference": "Idioma de audio preferido:",
"LabelAutomaticallyRefreshInternetMetadataEvery": "Actualizar las etiquetas automáticamente desde Internet:",
"LabelBindToLocalNetworkAddress": "Vincular a la dirección de red local:",
"LabelBindToLocalNetworkAddressHelp": "Anule la dirección IP local para enlazar el servidor HTTP. Si se deja vacío, el servidor se enlazará a todas las direcciones disponibles. Para cambiar este valor, debe reiniciar el servidor Jellyfin.",
"LabelBindToLocalNetworkAddressHelp": "Anule la dirección IP local para enlazar el servidor HTTP. Si se deja vacío, el servidor se enlazará a todas las direcciones disponibles. Este cambio requiere reiniciar.",
"LabelBirthDate": "Fecha de nacimiento:",
"LabelBirthYear": "Año de nacimiento:",
"LabelBlastMessageInterval": "Intervalo para mensajes en vivo (segundos)",
"LabelBlastMessageInterval": "Intervalo para mensajes en vivo",
"LabelBlastMessageIntervalHelp": "Determina la duración en segundos entre los mensajes en vivo.",
"LabelBlockContentWithTags": "Bloquear artículos sin etiquetas:",
"LabelCache": "Caché:",
@ -425,12 +411,12 @@
"LabelCustomCertificatePath": "Ruta del certificado SSL personalizado:",
"LabelCustomCertificatePathHelp": "Ruta a un archivo PKCS # 12 que contiene un certificado y una clave privada para habilitar el soporte de TLS en un dominio personalizado.",
"LabelCustomCss": "CSS personalizado:",
"LabelCustomCssHelp": "Aplicar su propio CSS personalizado a la interfaz de la web.",
"LabelCustomCssHelp": "Aplicar su propio CSS personalizados en la interfaz web.",
"LabelCustomDeviceDisplayNameHelp": "Proporcione un nombre para mostrar o déjelo vacío para usar el nombre proporcionado por el dispositivo.",
"LabelCustomRating": "Valoración pesonalizada:",
"LabelDateAdded": "Fecha de añadido:",
"LabelDateAddedBehavior": "Comportamiento de la fecha añadida para contenido nuevo:",
"LabelDateAddedBehaviorHelp": "Si el elemento tiene etiquetas que contengan información sobre la fecha de creación, independientemente de lo seleccionado aquí, se utilizarán para ordenar el contenido.",
"LabelDateAddedBehaviorHelp": "Si el elemento tiene etiquetas que contengan información sobre la fecha de creación independientemente de lo seleccionado aquí, se utilizarán para ordenar el contenido.",
"LabelDay": "Día:",
"LabelDeathDate": "Fecha de muerte:",
"LabelDefaultUser": "Usuario por defecto:",
@ -454,8 +440,8 @@
"LabelEnableAutomaticPortMapHelp": "Reenvia automáticamente los puertos públicos de su Router a los puertos locales de su servidor a través de UPnP. Es posible que esto no funcione con algunos modelos de Routers o configuraciones de red. Los cambios no se aplicarán hasta después de reiniciar el servidor.",
"LabelEnableBlastAliveMessages": "Explotar mensajes en vivo",
"LabelEnableBlastAliveMessagesHelp": "Active aquí si el servidor no es detectado correctamente por otros dispositivos UPnP en su red.",
"LabelEnableDlnaClientDiscoveryInterval": "Intervalo de detección de cliente (segundos)",
"LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la duración en segundos entre la búsqueda SSDP hechas por Jellyfin.",
"LabelEnableDlnaClientDiscoveryInterval": "Intervalo de detección de cliente",
"LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la duración en segundos entre la búsqueda SSDP.",
"LabelEnableDlnaDebugLogging": "Activar el registro de depuración de DLNA",
"LabelEnableDlnaDebugLoggingHelp": "Crear archivos de registro de gran tamaño. Solo debe ser utilizado cuando sea necesario para solucionar problemas.",
"LabelEnableDlnaPlayTo": "Activar la reproducción en DLNAi",
@ -464,7 +450,7 @@
"LabelEnableDlnaServerHelp": "Permite a los dispositivos UPnP en su red local explorar y reproducir contenidos.",
"LabelEnableHardwareDecodingFor": "Activar decodificación por hardware para:",
"LabelEnableRealtimeMonitor": "Activar la monitorización en tiempo real",
"LabelEnableRealtimeMonitorHelp": "Los cambios se procesarán inmediatamente, en sistemas de archivo que lo soporten.",
"LabelEnableRealtimeMonitorHelp": "Los cambios se procesarán inmediatamente en sistemas de archivo que lo soporten.",
"LabelEnableSingleImageInDidlLimit": "Limitar a una imagen integrada",
"LabelEnableSingleImageInDidlLimitHelp": "Algunos dispositivos no renderizan correctamente si hay muchas imágenes integradas en Didl.",
"LabelEndDate": "Fecha de fin:",
@ -480,16 +466,16 @@
"LabelForgotPasswordUsernameHelp": "Introduce tu nombre de usuario, si te acuerdas.",
"LabelFormat": "Formato:",
"LabelFriendlyName": "Nombre amigable:",
"LabelServerNameHelp": "Este nombre se utilizará para identificar el servidor, por defecto será el nombre del ordenador.",
"LabelServerNameHelp": "Este nombre se utilizará para identificar el servidor, por defecto será el nombre del ordenador.",
"LabelGroupMoviesIntoCollections": "Agrupar películas en colecciones",
"LabelGroupMoviesIntoCollectionsHelp": "Cuando se muestran las listas de películas, las películas pertenecientes a una colección se mostrarán como un elemento agrupado.",
"LabelGroupMoviesIntoCollectionsHelp": "Al mostrar las listas de películas, las películas pertenecientes a una colección se mostrarán como un elemento agrupado.",
"LabelH264Crf": "H264 que codifica CRF:",
"LabelEncoderPreset": "Configuración de codificación H264:",
"LabelHardwareAccelerationType": "Aceleración por hardware:",
"LabelHardwareAccelerationTypeHelp": "La aceleración por hardware requiere configuración adicional.",
"LabelHomeScreenSectionValue": "Sección de la pantalla de inicio {0}:",
"LabelHttpsPort": "Puerto local HTTPS:",
"LabelHttpsPortHelp": "Puerto TCP al que el servidor HTTPS de Jellyfin debe de ser enlazado.",
"LabelHttpsPortHelp": "El número de puerto TCP para el servidor HTTPS.",
"LabelIconMaxHeight": "Altura máxima de icono:",
"LabelIconMaxHeightHelp": "Resolución máxima de los iconos expuestos vía upnp:icon.",
"LabelIconMaxWidth": "Anchura máxima de icono:",
@ -517,7 +503,7 @@
"LabelLanguage": "Idioma:",
"LabelLineup": "Reparto:",
"LabelLocalHttpServerPortNumber": "Puerto local HTTP:",
"LabelLocalHttpServerPortNumberHelp": "Puerto TCP al que el servidor de HTTP de Jellyfin debe de ser enlazado.",
"LabelLocalHttpServerPortNumberHelp": "El número de puerto TCP para el servidor HTTP.",
"LabelLockItemToPreventChanges": "Bloquear este elemento para evitar futuros cambios",
"LabelLoginDisclaimer": "Descargo de responsabilidad de inicio de sesión:",
"LabelLoginDisclaimerHelp": "Mensaje que se mostrará en la parte inferior de la página de inicio de sesión.",
@ -543,7 +529,7 @@
"LabelMetadataReaders": "Lectores de etiquetas:",
"LabelMetadataReadersHelp": "Ordena los proveedores de etiquetas locales por prioridad. Se leerá el primer archivo encontrado.",
"LabelMetadataSavers": "Formato de etiquetas:",
"LabelMetadataSaversHelp": "Elige el formato de archivo para guardar las etiquetas.",
"LabelMetadataSaversHelp": "Elija los formatos de archivo que desea utilizar al guardar los metadatos.",
"LabelMethod": "Método:",
"LabelMinBackdropDownloadWidth": "Anchura mínima de descarga de imágenes de fondo:",
"LabelMinResumeDuration": "Duración mínima de reanudación:",
@ -559,9 +545,9 @@
"LabelMovieCategories": "Categorías de películas:",
"LabelMoviePrefix": "Prefijo de película:",
"LabelMoviePrefixHelp": "Si se aplica un prefijo a títulos de películas, escríbalo para que el servidor pueda manejarlo correctamente.",
"LabelMovieRecordingPath": "Ruta de grabaciones de películas (opcional):",
"LabelMovieRecordingPath": "Ruta de grabaciones de películas:",
"LabelMusicStreamingTranscodingBitrate": "Tasa de bits para la reproducción de música:",
"LabelMusicStreamingTranscodingBitrateHelp": "Tasa de bits máxima para la música.",
"LabelMusicStreamingTranscodingBitrateHelp": "Especifique una tasa de bits máxima al transmitir música.",
"LabelName": "Nombre:",
"LabelNewName": "Nuevo nombre:",
"LabelNewPassword": "Nueva contraseña:",
@ -571,7 +557,7 @@
"LabelNumber": "Número:",
"LabelNumberOfGuideDays": "Número de días a descargar de la guía:",
"LabelNumberOfGuideDaysHelp": "Descargar más días de la guía ofrece la posibilidad de programar grabaciones con mayor antelación y ver más listas, pero también tarda más en descargarse. Auto elegirá en función del número de canales.",
"LabelOptionalNetworkPath": "(Opcional) Carpeta de red compartida:",
"LabelOptionalNetworkPath": "Carpeta de red compartida:",
"LabelOptionalNetworkPathHelp": "Si esta carpeta se comparte en la red, el suministro de la ruta de acceso compartido de red puede permitir a las aplicaciones Jellyfin de otros dispositivos acceder directamente a los archivos multimedia.",
"LabelOriginalAspectRatio": "Relación de aspecto original:",
"LabelOriginalTitle": "Título original:",
@ -611,7 +597,7 @@
"LabelReleaseDate": "Fecha de lanzamiento:",
"LabelRemoteClientBitrateLimit": "Límite de la transmisión de tasa de bits por internet (Mbps):",
"LabelRemoteClientBitrateLimitHelp": "Especifica el bitrate máximo para los dispositivos que se encuentren fuera de la red local. Esto es útil para permitir la reproducción del contenido que tengas con una tasa de bits muy alta cuando la conexión a internet de tu servidor o la del cliente no sea lo suficientemente rápida. Esto ocasionará mayor carga, ya que el contenido que supere esta tasa de bits se convertirá para que esté dentro del límite establecido.",
"LabelRuntimeMinutes": "Tiempo de ejecución (minutos):",
"LabelRuntimeMinutes": "Tiempo de ejecución:",
"LabelSaveLocalMetadata": "Guardar imágenes y etiquetas en las carpetas de medios",
"LabelSaveLocalMetadataHelp": "Guardar imágenes y etiquetas directamente en las carpetas en las que estén los elementos hará que se puedan editar más fácilmente.",
"LabelScheduledTaskLastRan": "Última ejecución {0}, tardando {1}.",
@ -623,7 +609,7 @@
"LabelSelectVersionToInstall": "Seleccionar versión a instalar:",
"LabelSendNotificationToUsers": "Enviar la notificación a:",
"LabelSerialNumber": "Número de serie",
"LabelSeriesRecordingPath": "Ruta de grabaciones de series (opcional):",
"LabelSeriesRecordingPath": "Ruta de grabaciones de Series:",
"LabelServerHostHelp": "192.168.1.100:8096 o https://miservidor.com",
"LabelSimultaneousConnectionLimit": "Límite de transmisiones simultáneas:",
"LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el idioma de descarga",
@ -685,7 +671,6 @@
"Large": "Grande",
"LatestFromLibrary": "Reciente en {0}",
"LibraryAccessHelp": "Seleccione las bibliotecas a compartir con este usuario. Los administradores podrán editar todas las carpetas usando el gestor de etiquetas.",
"Like": "Me gusta",
"Live": "Directo",
"LiveBroadcasts": "Emisiones en vivo",
"LiveTV": "Televisión en vivo",
@ -728,7 +713,7 @@
"MessageConfirmProfileDeletion": "¿Está seguro que desea eliminar este perfil?",
"MessageConfirmRecordingCancellation": "¿Está seguro que desea cancelar esta grabación?",
"MessageConfirmRemoveMediaLocation": "¿Estás seguro que quieres quitar esta ubicación?",
"MessageConfirmRestart": "¿Está seguro de que quieres reiniciar el servidor?",
"MessageConfirmRestart": "¿Está seguro de que quieres reiniciar Jellyfin?",
"MessageConfirmRevokeApiKey": "¿Está seguro de que quieres revocar esta clave API? Las conexiones de aplicaciones que usen la API se terminarán.",
"MessageConfirmShutdown": "¿Está seguro que quiere apagar el servidor?",
"MessageContactAdminToResetPassword": "Por favor, contacta con el administrador del sistema para restablecer tu contraseña.",
@ -797,8 +782,6 @@
"OnlyForcedSubtitlesHelp": "Solo se cargarán los subtítulos marcados como forzados.",
"OnlyImageFormats": "Solo formatos de imagen (VOBSUB, PGS, SUB)",
"OptionAdminUsers": "Administradores",
"OptionAlbum": "Álbum",
"OptionAlbumArtist": "Artista de álbum",
"OptionAllUsers": "Todos los usuarios",
"OptionAllowAudioPlaybackTranscoding": "Activar la conversión del audio",
"OptionAllowBrowsingLiveTv": "Permitir acceso a la televisión en directo",
@ -815,18 +798,9 @@
"OptionAllowUserToManageServer": "Permite a este usuario administrar el servidor",
"OptionAllowVideoPlaybackRemuxing": "Activar el cambio de contenedor para el contenido cuyo audio y vídeo es compatible, pero no lo es su contenedor",
"OptionAllowVideoPlaybackTranscoding": "Activar la conversión del vídeo",
"OptionArtist": "Artista",
"OptionAscending": "Ascendente",
"OptionAutomaticallyGroupSeries": "Combinar automáticamente series que se distribuyen en varias carpetas",
"OptionAutomaticallyGroupSeriesHelp": "Si está activada, las series que se distribuyen entre varias carpetas dentro de esta biblioteca se fusionarán automáticamente en una sola serie.",
"OptionBlockBooks": "Libros",
"OptionBlockChannelContent": "Contenido de canales de Internet",
"OptionBlockLiveTvChannels": "Canales de televisión en directo",
"OptionBlockMovies": "Películas",
"OptionBlockMusic": "Música",
"OptionBlockTvShows": "Programas de televisión",
"OptionAutomaticallyGroupSeriesHelp": "Las series que se distribuyen entre varias carpetas dentro de esta biblioteca se fusionarán automáticamente en una sola serie.",
"OptionCommunityRating": "Valoración de la comunidad",
"OptionContinuing": "Continuando",
"OptionCriticRating": "Valoración de la crítica",
"OptionCustomUsers": "A medida",
"OptionDaily": "Diario",
@ -834,22 +808,13 @@
"OptionDateAddedFileTime": "Usar fecha de creación del archivo",
"OptionDateAddedImportTime": "Usar fecha escaneada de la biblioteca",
"OptionDatePlayed": "Fecha de reproducción",
"OptionDescending": "Descendente",
"OptionDisableUser": "Deshabilitar este usuario",
"OptionDisableUserHelp": "Si está deshabilitado, el servidor no aceptará conexiones de este usuario. Si existen conexiones de este usuario, finalizarán inmediatamente.",
"OptionDisableUserHelp": "El servidor no aceptará conexiones de este usuario. Si existen conexiones de este usuario, finalizarán inmediatamente.",
"OptionDislikes": "No me gusta",
"OptionDisplayFolderView": "Mostrar una vista de carpeta para ver las carpetas de medios en plano",
"OptionDisplayFolderViewHelp": "Mostrar carpetas junto con tus otras bibliotecas de medios. Esto es útil si te gustar tener una vista plana de carpetas.",
"OptionDownloadArtImage": "Arte",
"OptionDownloadBackImage": "Atrás",
"OptionDownloadBannerImage": "Pancarta",
"OptionDownloadBoxImage": "Caja",
"OptionDownloadDiscImage": "Disco",
"OptionDownloadImagesInAdvance": "Descargar imágenes con antelación",
"OptionDownloadImagesInAdvanceHelp": "Por defecto, la mayoría de las imágenes solo se descargan cuando lo solicita una aplicación Jellyfin. Activa esta opción para descargar todas las imágenes por adelantado, a medida que se importan nuevos medios. Esto puede causar escaneos de biblioteca significativamente más largos.",
"OptionDownloadMenuImage": "Menú",
"OptionDownloadPrimaryImage": "Principal",
"OptionDownloadThumbImage": "Miniatura",
"OptionDownloadImagesInAdvanceHelp": "Por defecto, la mayoría de las imágenes solo se descargan cuando son solicitadas por un cliente. Activa esta opción para descargar todas las imágenes por adelantado, a medida que se importan nuevos medios. Esto puede causar escaneos de biblioteca significativamente más largos.",
"OptionEmbedSubtitles": "Integrado con el contenedor",
"OptionEnableAccessFromAllDevices": "Habilitar acceso desde todos los equipos",
"OptionEnableAccessToAllChannels": "Habilitar acceso a todos los canales",
@ -859,38 +824,30 @@
"OptionEnableForAllTuners": "Activar para todos los dispositivos sintonizadores",
"OptionEnableM2tsMode": "Activar modo M2TS",
"OptionEnableM2tsModeHelp": "Activar modo M2TS cuando se codifique a MPEGTS.",
"OptionEnded": "Finalizado",
"OptionEquals": "Igual",
"OptionEstimateContentLength": "Estimar la longitud del contenido al convertirse",
"OptionEveryday": "Todos los días",
"OptionExternallyDownloaded": "Descarga externa",
"OptionExtractChapterImage": "Habilitar la extracción de imágenes de los capítulos",
"OptionFavorite": "Favoritos",
"OptionHasSpecialFeatures": "Características especiales",
"OptionHasSubtitles": "Subtítulos",
"OptionHasThemeSong": "Banda sonora",
"OptionHasThemeVideo": "Vídeo temático",
"OptionHideUser": "Ocultar este usuario en las pantallas de inicio de sesión",
"OptionHideUserFromLoginHelp": "Útil para privado o cuentas de administradores escondidos. El usuario tendrá que acceder entrando su nombre de usuario y contraseña manualmente.",
"OptionHlsSegmentedSubtitles": "Subtítulos segmentados HLS",
"OptionHomeVideos": "Fotos",
"OptionIgnoreTranscodeByteRangeRequests": "En las conversiones, ignorar las solicitudes de un intervalo específico de bytes",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Si está activado, estas solicitudes serán atendidas pero ignorarán el encabezado de intervalo de bytes.",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Estas solicitudes serán atendidas pero ignorarán el encabezado de intervalo de bytes.",
"OptionImdbRating": "Valoración IMDb",
"OptionLikes": "Me gusta",
"OptionMax": "Máximo",
"OptionMissingEpisode": "Episodios que faltan",
"OptionNameSort": "Nombre",
"OptionNew": "Nuevo…",
"OptionNone": "Nada",
"OptionOnInterval": "En un intervalo",
"OptionParentalRating": "Clasificación parental",
"OptionPlainStorageFolders": "Ver todas las carpetas como carpetas de almacenamiento sin formato",
"OptionPlainStorageFoldersHelp": "Si está activado, todas las carpetas se representan en DIDL como \"object.container.storageFolder\" en lugar de un tipo más específico, como por ejemplo \"object.container.person.musicArtist\".",
"OptionPlainStorageFoldersHelp": "Todas las carpetas se representan en DIDL como \"object.container.storageFolder\" en lugar de un tipo más específico, como por ejemplo \"object.container.person.musicArtist\".",
"OptionPlainVideoItems": "Mostrar todos los videos como elementos de video sin formato",
"OptionPlainVideoItemsHelp": "Si está habilitado, todos los vídeos están representados en DIDL como \"object.item.videoItem\" en lugar de un tipo más específico, como por ejemplo \"object.item.videoItem.movie\".",
"OptionPlainVideoItemsHelp": "Todos los vídeos están representados en DIDL como \"object.item.videoItem\" en lugar de un tipo más específico, como por ejemplo \"object.item.videoItem.movie\".",
"OptionPlayCount": "Número de reproducciones",
"OptionPlayed": "Reproducido",
"OptionPremiereDate": "Fecha de estreno",
"OptionProfilePhoto": "Foto",
"OptionProfileVideoAudio": "Vídeo y audio",
@ -902,14 +859,12 @@
"OptionRequirePerfectSubtitleMatchHelp": "Requerir una coincidencia perfecta filtra los subtítulos para incluir sólo aquellos que coinciden con el archivo de vídeo. Desmarcando esta opción, aumentará la probabilidad de que los subtítulos se descarguen, pero puede que el texto del subtítulo no coincida con el vídeo.",
"OptionResElement": "Elemento res",
"OptionResumable": "Se puede continuar",
"OptionRuntime": "Tiempo",
"OptionSaveMetadataAsHidden": "Guardar las etiquetas e imágenes como archivos ocultos",
"OptionSaveMetadataAsHiddenHelp": "La configuración se aplicará a las nuevas etiquetas que se creen. Las etiquetas existentes se actualizarán la próxima vez que sean guardadas por Jellyfin.",
"OptionSaveMetadataAsHiddenHelp": "La configuración se aplicará a las nuevas etiquetas que se creen. Las etiquetas existentes se actualizarán la próxima vez que sean guardadas por el servidor.",
"OptionSpecialEpisode": "Especiales",
"OptionTrackName": "Nombre de pista",
"OptionTvdbRating": "Valoración TVDB",
"OptionUnairedEpisode": "Episodios no emitidos",
"OptionUnplayed": "No reproducido",
"OptionWakeFromSleep": "Despertar",
"OptionWeekdays": "Días de la semana",
"OptionWeekends": "Fines de semana",
@ -923,7 +878,6 @@
"PasswordMatchError": "La contraseña y la confirmación de la contraseña deben de ser iguales.",
"PasswordResetComplete": "La contraseña se ha restablecido.",
"PasswordResetConfirmation": "¿Esta seguro de que desea restablecer la contraseña?",
"HeaderResetPassword": "Restablecer contraseña",
"PasswordSaved": "Contraseña guardada.",
"People": "Gente",
"PinCodeResetComplete": "El código PIN se ha restablecido.",
@ -938,9 +892,9 @@
"PleaseAddAtLeastOneFolder": "Por favor añade al menos una carpeta a esta biblioteca haciendo clic en el botón Añadir.",
"PleaseConfirmPluginInstallation": "Por favor haz clic en OK para confirmar que has leído lo de arriba y quieres proceder con la instalación del complemento.",
"PleaseEnterNameOrId": "Introduzca un nombre o un identificador externo.",
"PleaseRestartServerName": "Por favor, reinicie el Servidor de Jellyfin - {0}.",
"PleaseRestartServerName": "Por favor, reinicie Jellyfin en {0}.",
"PleaseSelectTwoItems": "Seleccione al menos dos elementos.",
"MessagePluginInstalled": "El complemento se ha instalado correctamente. El servidor Jellyfin deberá reiniciarse para que los cambios surjan efecto.",
"MessagePluginInstalled": "El complemento se ha instalado correctamente. El servidor deberá reiniciarse para que los cambios surjan efecto.",
"PreferEmbeddedTitlesOverFileNames": "Preferir títulos incrustados sobre los nombres de archivo",
"PreferEmbeddedTitlesOverFileNamesHelp": "Esto determina el título que se utilizará cuando un elemento no tenga etiquetas ni estas se hayan podido descargar de Internet.",
"Premieres": "Estrenos",
@ -998,10 +952,10 @@
"SeriesRecordingScheduled": "Grabación de series programada.",
"SeriesSettings": "Ajustes de series",
"SeriesYearToPresent": "{0} - Actualidad",
"ServerNameIsRestarting": "El servidor Jellyfin - {0} se esta reiniciando.",
"ServerNameIsShuttingDown": "El servidor Jellyfin - {0} se esta apagando.",
"ServerRestartNeededAfterPluginInstall": "El servidor Jellyfin necesitará ser reiniciado tras instalarse un complemento.",
"ServerUpdateNeeded": "El servidor necesita actualizarse. Para descargar la última versión visita {0}",
"ServerNameIsRestarting": "El servidor en {0} se está reiniciando.",
"ServerNameIsShuttingDown": "El servidor en {0} se está apagando.",
"ServerRestartNeededAfterPluginInstall": "Jellyfin necesitará ser reiniciado tras instalarse un complemento.",
"ServerUpdateNeeded": "El servidor necesita ser actualizado. Para descargar la última versión, por favor visita {0}",
"Settings": "Ajustes",
"SettingsSaved": "Configuración guardada.",
"SettingsWarning": "Cambiar estos valores puede causar inestabilidad o fallos de conectividad. Si experimenta algún problema, le recomendamos que cambie de nuevo a su valor predeterminado.",
@ -1043,12 +997,10 @@
"TabNotifications": "Notificaciones",
"TabOther": "Otros",
"TabParentalControl": "Control parental",
"TabProfile": "Perfil",
"TabProfiles": "Perfiles",
"TabResponses": "Respuestas",
"TabScheduledTasks": "Tareas programadas",
"TabServer": "Servidor",
"TabSettings": "Opciones",
"TabStreaming": "Transmisión",
"TabUpcoming": "Próximos",
"Tags": "Etiquetas",
@ -1150,7 +1102,7 @@
"EnableNextVideoInfoOverlayHelp": "Al finalizar un vídeo, mostrar información sobre el siguiente de la lista de reproducción actual.",
"EnableThemeSongsHelp": "Reproducir las canciones temáticas de fondo mientras se explora la biblioteca.",
"EnableThemeVideosHelp": "Reproducir vídeos temáticos de fondo mientras se explora la biblioteca.",
"ErrorDeletingItem": "Se ha producido un error eliminando el elemento del servidor Jellyfin. Por favor, comprueba que el servidor Jellyfin tiene permisos de escritura y prueba de nuevo.",
"ErrorDeletingItem": "Se ha producido un error eliminando el elemento del servidor. Por favor, comprueba que Jellyfin tiene permisos de escritura y prueba de nuevo.",
"Extras": "Extras",
"Features": "Características",
"Filters": "Filtros",
@ -1188,7 +1140,6 @@
"LabelSortOrder": "Orden:",
"LabelTVHomeScreen": "Modo televisión en pantalla de inicio:",
"LabelVersion": "Versión:",
"LabelVideo": "Vídeo",
"LabelXDlnaCap": "X-DNLA cap:",
"LabelXDlnaDoc": "X-DLNA doc:",
"LearnHowYouCanContribute": "Descubre cómo puedes contribuir.",
@ -1207,23 +1158,11 @@
"Normal": "Normal",
"Off": "Apagado",
"Option3D": "3D",
"OptionAuto": "Automático",
"OptionBanner": "Cabecera",
"OptionBlockTrailers": "Tráilers",
"OptionBluray": "Blu-ray",
"OptionDownloadLogoImage": "Logo",
"OptionDvd": "DVD",
"OptionHasTrailer": "Tráiler",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"AuthProviderHelp": "Selecciona un proveedor de autenticación a utilizar para autenticar la contraseña de este usuario.",
"HeaderFavoriteMovies": "Películas favoritas",
"HeaderFavoriteShows": "Series favoritas",
"HeaderFavoriteEpisodes": "Episodios favoritos",
"HeaderFavoriteAlbums": "Álbumes favoritos",
"HeaderFavoriteArtists": "Artistas favoritos",
"HeaderFavoriteSongs": "Canciones favoritas",
"HeaderFavoriteVideos": "Vídeos favoritos",
"AuthProviderHelp": "Seleccione un proveedor de autenticación que se utilizará para autenticar la contraseña de este usuario.",
"LabelAuthProvider": "Proveedor de autenticación:",
"LabelPasswordResetProvider": "Proveedor de restablecimiento de contraseña:",
"LabelServerName": "Nombre del servidor:",
@ -1235,37 +1174,26 @@
"DashboardOperatingSystem": "Sistema operativo: {0}",
"DashboardArchitecture": "Arquitectura: {0}",
"LabelWeb": "Web:",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Datos",
"MediaInfoStreamTypeEmbeddedImage": "Imagen incrustada",
"MediaInfoStreamTypeSubtitle": "Subtítulo",
"MediaInfoStreamTypeVideo": "Vídeo",
"MessageNoCollectionsAvailable": "Las colecciones te permiten disfrutar de grupos personalizados de películas, series y álbumes. Haz clic en el botón + para empezar a crear colecciones.",
"MessageNoServersAvailable": "No se ha encontrado ningún servidor usando la detección automática de servidores.",
"MusicAlbum": "Álbum de música",
"MusicArtist": "Artista musical",
"MusicVideo": "Vídeo musical",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionList": "Lista",
"OptionLoginAttemptsBeforeLockout": "Determina cuántos intentos de inicio de sesión fallidos se pueden realizar antes de que se produzca el bloqueo.",
"OptionLoginAttemptsBeforeLockoutHelp": "El valor cero implica heredar el valor por defecto de tres intentos para usuarios y cinco intentos para administradores. El valor -1 desactiva esta funcionalidad.",
"OptionPoster": "Póster",
"OptionPosterCard": "Cartelera",
"OptionProfileAudio": "Audio",
"OptionProfileVideo": "Vídeo",
"OptionProtocolHttp": "HTTP",
"OptionRegex": "Regex (expresión regular)",
"OptionSubstring": "Subcadena",
"OptionThumb": "Miniatura",
"OptionThumbCard": "Miniatura pequeña",
"PasswordResetProviderHelp": "Elige un proveedor de restablecimiento de contraseña que se utilizará cuando este usuario solicite un restablecimiento de contraseña",
"PasswordResetProviderHelp": "Elige un proveedor de restablecimiento de contraseña que se utilizará cuando este usuario solicite un restablecimiento de contraseña.",
"PerfectMatch": "Coincidencia perfecta",
"PictureInPicture": "Imagen sobre imagen",
"PlaybackData": "Datos de reproducción",
"PlayCount": "Reproducciones",
"Premiere": "Estreno",
"Raised": "Elevación",
"RefreshDialogHelp": "Las etiquetas se actualizan basándose en las configuraciones y los servicios de internet activados desde el panel de control de Jellyfin.",
"RefreshDialogHelp": "Las etiquetas se actualizan basándose en las configuraciones y los servicios de Internet activados desde el panel de control.",
"Series": "Series",
"SeriesDisplayOrderHelp": "Ordena los episodios por fecha de emisión, orden de DVD o número absoluto.",
"ShowTitle": "Mostrar título",
@ -1302,7 +1230,7 @@
"LabelPlayMethod": "Método de reproducción:",
"LabelPlayer": "Reproductor:",
"LabelFolder": "Carpeta:",
"LabelBaseUrlHelp": "Puede agregar aquí un subdirectorio personalizado para el acceso al servidor a través de una URL única.",
"LabelBaseUrlHelp": "Puede agregar aquí un subdirectorio personalizado para el acceso al servidor a través de una URL.Por ejemplo: <code>http://ejemplo.com/<b>&lt;baseurl&gt;</b></code>",
"LabelBaseUrl": "URL base:",
"LabelBitrate": "Bitrate:",
"LabelAudioSampleRate": "Frecuencia de muestreo de audio:",
@ -1310,12 +1238,10 @@
"LabelAudioChannels": "Canales de audio:",
"LabelAudioBitrate": "Bitrate de audio:",
"LabelAudioBitDepth": "Profundidad de bits de audio:",
"HeaderFavoriteBooks": "Libros Favoritos",
"CopyStreamURLSuccess": "URL copiada correctamente.",
"MusicLibraryHelp": "Revisar la {0}guía de nombres de música{1}.",
"FetchingData": "Obteniendo datos adicionales",
"ButtonAddImage": "Añadir imagen",
"HeaderFavoritePeople": "Gente favorita",
"OptionRandom": "Aleatorio",
"SelectAdminUsername": "Por favor seleccione un nombre de usuario para la cuenta administrador.",
"ButtonSplit": "Dividir",
@ -1349,7 +1275,6 @@
"EveryHour": "Cada hora",
"EveryXHours": "Cada {0} horas",
"OnApplicationStartup": "Al iniciarse el servidor",
"Track": "Pista",
"Season": "Temporada",
"Person": "Persona",
"Movie": "Película",
@ -1368,7 +1293,6 @@
"ButtonTogglePlaylist": "Lista de reproducción",
"Filter": "Filtro",
"New": "Nuevo",
"HeaderFavoritePlaylists": "Lista reproducción favorita",
"ApiKeysCaption": "Lista de las claves API actuales",
"LabelStable": "Estable",
"LabelChromecastVersion": "Versión de Chromecast",
@ -1381,7 +1305,7 @@
"LabelEnableHttps": "Activar HTTPS",
"SaveChanges": "Guardar cambios",
"EnableBlurHash": "Mostrar una representación de las imágenes mientras cargan",
"EnableBlurHashHelp": "Aparecerá una representación de los colores de las imágenes antes de que terminen de cargar",
"EnableBlurHashHelp": "Las imágenes que aún se están cargando se mostrarán con un marcador de posición único.",
"HeaderDVR": "DVR",
"SyncPlayAccessHelp": "Selecciona el nivel de acceso de este usuario para utilizar SyncPlay. SyncPlay te permite sincronizar la reproducción entre varios dispositivos.",
"MessageSyncPlayErrorMedia": "¡No se pudo activar SyncPlay! Error de medio.",
@ -1394,7 +1318,7 @@
"MessageSyncPlayGroupDoesNotExist": "No se pudo unir al grupo porque no existe.",
"MessageSyncPlayPlaybackPermissionRequired": "Requiere permiso para reproducir.",
"MessageSyncPlayNoGroupsAvailable": "No hay grupos disponibles. Reproduce algo primero.",
"MessageSyncPlayGroupWait": "<b>{0}</b> se está cargando...",
"MessageSyncPlayGroupWait": "<b>{0}</b> se está cargando",
"MessageSyncPlayUserLeft": "<b>{0}</b> abandonó el grupo.",
"MessageSyncPlayUserJoined": "<b>{0}</b> se ha unido al grupo.",
"MessageSyncPlayDisabled": "SyncPlay inactivo.",
@ -1439,5 +1363,18 @@
"MessageGetInstalledPluginsError": "Ha ocurrido un error al recuperar la lista de plugins instalados.",
"MessagePluginInstallError": "Ha ocurrido un error al instalar este plugin.",
"NextTrack": "Saltar al siguiente",
"LabelUnstable": "Inestable"
"LabelUnstable": "Inestable",
"Image": "Imagen",
"Data": "Datos",
"Poster": "Ilustración",
"PlaybackRate": "Tasa de reproducción",
"SubtitleVerticalPositionHelp": "Número de línea donde aparece el texto. Los números positivos indican de arriba hacia abajo. Los números negativos indican de abajo hacia arriba.",
"Preview": "Vista previa",
"Video": "Video",
"Subtitle": "Subtitulo",
"SpecialFeatures": "Características Especiales",
"SelectServer": "Seleccionar Servidor",
"Restart": "Reiniciar",
"ResetPassword": "Reiniciar Contraseña",
"Profile": "Perfil"
}

View file

@ -6,11 +6,6 @@
"Playlists": "Listas de reproducción",
"Photos": "Fotos",
"Movies": "Películas",
"HeaderFavoriteSongs": "Canciones favoritas",
"HeaderFavoriteShows": "Programas favoritos",
"HeaderFavoriteEpisodes": "Episodios favoritos",
"HeaderFavoriteArtists": "Artistas favoritos",
"HeaderFavoriteAlbums": "Álbumes favoritos",
"HeaderContinueWatching": "Continuar viendo",
"HeaderAlbumArtists": "Artistas del álbum",
"Genres": "Géneros",
@ -38,11 +33,9 @@
"Absolute": "Absoluto",
"YadifBob": "YADIF Bob",
"Trailers": "Trailers",
"OptionThumbCard": "Miniatura de imagen",
"OptionResElement": "elemento reanudable",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionBluray": "Blu-ray",
"OptionBlockTrailers": "Trailers",
"HeaderVideos": "Videos",
"Director": "Director",
"Depressed": "No presionado",
@ -114,7 +107,6 @@
"Tuesday": "Martes",
"Transcoding": "Transcodificando",
"TrackCount": "{0} pistas",
"Track": "Pista",
"TitlePlayback": "Reproducción",
"TitleHostingSettings": "Configuraciones de alojamiento",
"TitleHardwareAcceleration": "Aceleración por hardware",
@ -129,12 +121,10 @@
"Tags": "Etiquetas",
"TabUpcoming": "Próximamente",
"TabStreaming": "Transmisión",
"TabSettings": "Configuración",
"TabServer": "Servidor",
"TabScheduledTasks": "Tareas programadas",
"TabResponses": "Respuestas",
"TabProfiles": "Perfiles",
"TabProfile": "Perfil",
"TabPlugins": "Complementos",
"TabParentalControl": "Control parental",
"TabOther": "Otros",
@ -150,8 +140,6 @@
"TabContainers": "Contenedores",
"TabCodecs": "Códecs",
"TabCatalog": "Catálogo",
"OptionPoster": "Póster",
"OptionPlayed": "Reproducido",
"OptionPlayCount": "Contador de reproducciones",
"OptionPlainVideoItemsHelp": "Todos los videos serán representados en DIDL como «object.item.videoItem» en lugar de un tipo más específico, como «object.item.videoItem.movie».",
"OptionPlainVideoItems": "Mostrar todos los videos como elementos de video simples",
@ -159,36 +147,27 @@
"OptionPlainStorageFolders": "Mostrar todas las carpetas como carpetas de almacenamiento simples",
"OptionParentalRating": "Clasificación parental",
"OptionOnInterval": "En un intervalo",
"OptionNone": "Ninguno",
"OptionNew": "Nuevo…",
"OptionNameSort": "Nombre",
"OptionMissingEpisode": "Episodios faltantes",
"OptionMax": "Máximo",
"OptionLoginAttemptsBeforeLockoutHelp": "Un valor de cero significa heredar el valor predeterminado de tres intentos para los usuarios normales y cinco para los administradores. Ajustar esto a -1 deshabilitará la función.",
"OptionLoginAttemptsBeforeLockout": "Determina cuantos intentos de inicio de sesión incorrectos se pueden hacer antes de que ocurra el bloqueo.",
"OptionList": "Lista",
"OptionLikes": "Me gusta",
"OptionIsSD": "SD",
"OptionIsHD": "HD",
"OptionImdbRating": "Calificación de IMDb",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Estas solicitudes serán consideradas pero se ignorará el encabezado de rango de bytes.",
"OptionIgnoreTranscodeByteRangeRequests": "Ignorar solicitudes de transcodificación de rango de bytes",
"OptionHomeVideos": "Fotos",
"OptionHlsSegmentedSubtitles": "Subtítulos segmentados HLS",
"OptionHideUserFromLoginHelp": "Útil para cuentas privadas o de administrador ocultas. El usuario tendrá que iniciar sesión manualmente introduciendo su nombre de usuario y contraseña.",
"OptionHideUser": "Ocultar este usuario de las pantallas de inicio de sesión",
"OptionHasTrailer": "Trailer",
"OptionHasThemeVideo": "Video temático",
"OptionHasThemeSong": "Canción temática",
"OptionHasSubtitles": "Subtítulos",
"OptionHasSpecialFeatures": "Características especiales",
"OptionFavorite": "Favoritos",
"OptionExtractChapterImage": "Habilitar la extracción de imágenes de los capítulos",
"OptionExternallyDownloaded": "Descarga externa",
"OptionEveryday": "Todos los días",
"OptionEstimateContentLength": "Estimar la duración del contenido cuando se transcodifica",
"OptionEquals": "Igual a",
"OptionEnded": "Finalizado",
"OptionEnableM2tsModeHelp": "Habilita el modo m2ts cuando se codifican mpegts.",
"OptionEnableM2tsMode": "Habilitar modo M2TS",
"OptionEnableForAllTuners": "Habilitar para todos los dispositivos sintonizadores",
@ -199,23 +178,13 @@
"OptionEnableAccessFromAllDevices": "Habilitar acceso desde todos los dispositivos",
"OptionEmbedSubtitles": "Incrustar dentro del contenedor",
"OptionDvd": "DVD",
"OptionDownloadThumbImage": "Miniatura",
"OptionDownloadPrimaryImage": "Principal",
"OptionDownloadMenuImage": "Menú",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadImagesInAdvanceHelp": "Por defecto, la mayoría de las imágenes se descargan cuando son solicitadas por un cliente. Habilita esta opción para descargarlas todas por adelantado, a medida que se agreguen nuevos medios. Esto podría causar que los escaneos de bibliotecas sean significativamente más largos.",
"OptionDownloadImagesInAdvance": "Descargar las imágenes con antelación",
"OptionDownloadDiscImage": "Disco",
"OptionDownloadBoxImage": "Caja",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadBackImage": "Parte trasera",
"OptionDownloadArtImage": "Arte",
"OptionDisplayFolderViewHelp": "Muestra las carpetas junto con sus otras bibliotecas de medios. Esto puede ser útil si deseas tener una vista simple de carpeta.",
"OptionDisplayFolderView": "Mostrar una vista de carpetas para mostrar las carpetas simples de los medios",
"OptionDislikes": "No me gusta",
"OptionDisableUserHelp": "El servidor no aceptará conexiones de este usuario. Las conexiones existentes serán finalizadas abruptamente.",
"OptionDisableUser": "Desactivar este usuario",
"OptionDescending": "Descendente",
"OptionDatePlayed": "Fecha de reproducción",
"OptionDateAddedImportTime": "Usar la fecha de escaneo en la biblioteca",
"OptionDateAddedFileTime": "Usar la fecha de creación del archivo",
@ -223,20 +192,9 @@
"OptionDaily": "Diario",
"OptionCustomUsers": "Personalizado",
"OptionCriticRating": "Calificación de los críticos",
"OptionContinuing": "Continuando",
"OptionCommunityRating": "Calificación de la comunidad",
"OptionBlockTvShows": "Programas de TV",
"OptionBlockMusic": "Música",
"OptionBlockMovies": "Películas",
"OptionBlockLiveTvChannels": "Canales de TV en vivo",
"OptionBlockChannelContent": "Contenido de canales de Internet",
"OptionBlockBooks": "Libros",
"OptionBanner": "Banner",
"OptionAutomaticallyGroupSeriesHelp": "Series que estén repartidas en múltiples carpetas dentro de esta biblioteca serán automáticamente fusionadas en una sola serie.",
"OptionAutomaticallyGroupSeries": "Fusionar automáticamente series esparcidas a través de múltiples carpetas",
"OptionAuto": "Automático",
"OptionAscending": "Ascendente",
"OptionArtist": "Artista",
"OptionAllowVideoPlaybackTranscoding": "Permitir la reproducción de video que requiera de transcodificación",
"OptionAllowVideoPlaybackRemuxing": "Permitir reproducción de video que requiera conversión sin recodificar",
"OptionAllowUserToManageServer": "Permitir a este usuario administrar el servidor",
@ -254,8 +212,6 @@
"OptionForceRemoteSourceTranscoding": "Forzar transcodificación de fuentes remotas (como TV en vivo)",
"OptionAllowAudioPlaybackTranscoding": "Permitir la reproducción de audio que requiera transcodificación",
"OptionAllUsers": "Todos los usuarios",
"OptionAlbumArtist": "Artista del álbum",
"OptionAlbum": "Álbum",
"OptionAdminUsers": "Administradores",
"Option3D": "3D",
"OnlyImageFormats": "Solo formatos de imagen (VOBSUB, PGS, SUB)",
@ -351,7 +307,6 @@
"MessageDirectoryPickerLinuxInstruction": "Para Linux en Arch Linux, CentOS, Debian, Fedora, openSUSE o Ubuntu, debes conceder al usuario del servicio al menos permisos de lectura a tus ubicaciones de almacenamiento.",
"MessageDirectoryPickerBSDInstruction": "Para BSD, quizás necesites configurar el almacenamiento dentro de tu «jail FreeNAS» de manera que Jellyfin pueda acceder a tus medios.",
"List": "Lista",
"Like": "Me gusta",
"LibraryAccessHelp": "Selecciona las bibliotecas que deseas compartir con este usuario. Los administradores podrán editar todas las carpetas utilizando el gestor de metadatos.",
"LeaveBlankToNotSetAPassword": "Puedes dejar este campo en blanco para no establecer ninguna contraseña.",
"LearnHowYouCanContribute": "Aprende cómo puedes contribuir.",
@ -371,7 +326,6 @@
"LabelVideoResolution": "Resolución de video:",
"LabelVideoCodec": "Códec de video:",
"LabelVideoBitrate": "Velocidad de bits de video:",
"LabelVideo": "Video",
"DashboardArchitecture": "Arquitectura: {0}",
"DashboardOperatingSystem": "Sistema operativo: {0}",
"DashboardServerName": "Servidor: {0}",
@ -576,7 +530,6 @@
"People": "Personas",
"PasswordSaved": "Contraseña guardada.",
"PasswordResetProviderHelp": "Elige un proveedor de restablecimiento de contraseña para usar cuando este usuario solicite un restablecimiento de contraseña.",
"HeaderResetPassword": "Restablecer contraseña",
"PasswordResetConfirmation": "¿Estás seguro de querer restablecer la contraseña?",
"PasswordResetComplete": "La contraseña ha sido restablecida.",
"PasswordMatchError": "La contraseña y la confirmación de la contraseña deben coincidir.",
@ -590,16 +543,13 @@
"OptionWeekends": "Fines de semana",
"OptionWeekdays": "Días de semana",
"OptionWakeFromSleep": "Despertar de la suspensión",
"OptionUnplayed": "No reproducido",
"OptionUnairedEpisode": "Episodios no emitidos",
"OptionTvdbRating": "Calificación de TVDB",
"OptionTrackName": "Nombre de la pista",
"OptionThumb": "Miniatura",
"OptionSubstring": "Subcadena",
"OptionSpecialEpisode": "Especiales",
"OptionSaveMetadataAsHiddenHelp": "Cambiar esto se aplicará a los nuevos metadatos guardados en el futuro. Los archivos de metadatos existentes serán actualizados la próxima vez que sean guardados por el servidor.",
"OptionSaveMetadataAsHidden": "Guardar metadatos e imágenes como archivos ocultos",
"OptionRuntime": "Duración",
"OptionResumable": "Reanudable",
"OptionRequirePerfectSubtitleMatchHelp": "Solicitar una coincidencia perfecta filtrará los subtítulos para incluir solo aquellos que han sido probados y verificados exactamente con tu archivo de video. Desmarcar esta opción incrementará las probabilidades de que se descarguen subtítulos, pero incrementará las posibilidades de obtener subtítulos mal sincronizados o con texto incorrecto.",
"OptionRequirePerfectSubtitleMatch": "Solo descargar subtítulos que coincidan perfectamente con mis archivos de video",
@ -613,9 +563,7 @@
"OptionProfileVideoAudio": "Audio del video",
"OptionProfileVideo": "Video",
"OptionProfilePhoto": "Foto",
"OptionProfileAudio": "Audio",
"OptionPremiereDate": "Fecha de estreno",
"OptionPosterCard": "Ficha de póster",
"LabelSize": "Tamaño:",
"LabelSimultaneousConnectionLimit": "Límite de transmisiones simultáneas:",
"LabelServerName": "Nombre del servidor:",
@ -843,11 +791,6 @@
"MessageAlreadyInstalled": "Esta versión ya se encuentra instalada.",
"Menu": "Menú",
"MediaIsBeingConverted": "Los medios están siendo convertidos a un formato compatible con el dispositivo que está reproduciendo el medio.",
"MediaInfoStreamTypeVideo": "Video",
"MediaInfoStreamTypeSubtitle": "Subtítulo",
"MediaInfoStreamTypeEmbeddedImage": "Imagen incrustada",
"MediaInfoStreamTypeData": "Dato",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoTimestamp": "Fecha y hora",
"MediaInfoSize": "Tamaño",
"MediaInfoSampleRate": "Tasa de muestreo",
@ -973,16 +916,13 @@
"HeaderStopRecording": "Detener grabación",
"HeaderStatus": "Estado",
"HeaderStartNow": "Iniciar ahora",
"HeaderSpecialFeatures": "Características especiales",
"HeaderSpecialEpisodeInfo": "Información del episodio especial",
"HeaderSortOrder": "Clasificar ordenado",
"HeaderSortBy": "Ordenar por",
"HeaderSetupLibrary": "Configura tus bibliotecas de medios",
"HeaderSettings": "Configuración",
"HeaderServerSettings": "Configuración del servidor",
"HeaderSelectServerCachePathHelp": "Explora o introduce la ruta a utilizar para los archivos caché del servidor. Se debe tener permisos de escritura en dicha carpeta.",
"HeaderSelectServerCachePath": "Seleccionar ruta para la caché del servidor",
"HeaderSelectServer": "Seleccionar servidor",
"HeaderSelectPath": "Seleccionar ruta",
"HeaderSelectMetadataPathHelp": "Explora o introduce la ruta que deseas usar para los metadatos. Se debe tener permisos de escritura en esa carpeta.",
"HeaderSelectMetadataPath": "Selecciona la ruta para los metadatos",
@ -992,7 +932,6 @@
"HeaderScenes": "Escenas",
"HeaderRunningTasks": "Tareas en ejecución",
"HeaderRevisionHistory": "Historial de versiones",
"HeaderRestart": "Reiniciar",
"HeaderResponseProfileHelp": "Los perfiles de respuesta proporcionan un medio para personalizar la información enviada al dispositivo cuando se reproducen ciertos tipos de medios.",
"HeaderResponseProfile": "Perfil de respuesta",
"HeaderRemoveMediaLocation": "Remover ubicación de medios",
@ -1004,7 +943,6 @@
"HeaderRecentlyPlayed": "Reproducido recientemente",
"HeaderProfileServerSettingsHelp": "Estos valores controlan cómo el servidor se presentará a los clientes.",
"HeaderProfileInformation": "Información del perfil",
"HeaderProfile": "Perfil",
"HeaderPreferredMetadataLanguage": "Idioma preferido para los metadatos",
"HeaderPluginInstallation": "Instalación de complemento",
"HeaderPleaseSignIn": "Por favor, inicia sesión",
@ -1028,7 +966,6 @@
"HeaderMyMediaSmall": "Mis medios (pequeño)",
"HeaderMyMedia": "Mis medios",
"HeaderMyDevice": "Mi dispositivo",
"HeaderMusicVideos": "Videos musicales",
"HeaderMusicQuality": "Calidad de la música",
"HeaderMoreLikeThis": "Más como esto",
"HeaderMetadataSettings": "Configuración de metadatos",
@ -1065,8 +1002,6 @@
"HeaderFetcherSettings": "Configuración del recolector",
"HeaderFetchImages": "Obtener imágenes:",
"HeaderFeatureAccess": "Acceso a características",
"HeaderFavoritePlaylists": "Listas de reproducción favoritas",
"HeaderFavoriteVideos": "Videos favoritos",
"LabelMetadataPath": "Ruta para los metadatos:",
"LabelMetadataDownloadersHelp": "Habilita y prioriza tus recolectores de metadatos preferidos. Los recolectores de metadatos de menor prioridad solo serán utilizados para llenar información faltante.",
"LabelMetadataDownloadLanguage": "Idioma preferido para las descargas:",
@ -1105,9 +1040,6 @@
"LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart al campo extrathumbs",
"LabelKodiMetadataDateFormatHelp": "Todas las fechas dentro de los archivos NFO serán analizadas usando este formato.",
"LabelKodiMetadataDateFormat": "Formato de fecha de estreno:",
"HeaderFavoritePeople": "Personas favoritas",
"HeaderFavoriteMovies": "Películas favoritas",
"HeaderFavoriteBooks": "Libros favoritos",
"HeaderExternalIds": "IDs externos:",
"HeaderError": "Error",
"HeaderEnabledFieldsHelp": "Desmarca un campo para bloquearlo y prevenir que sus datos sean cambiados.",
@ -1251,10 +1183,8 @@
"DisplayInOtherHomeScreenSections": "Mostrar en las secciones de la pantalla de inicio como recientes o continuar viendo",
"DisplayInMyMedia": "Mostrar en la pantalla de inicio",
"Display": "Pantalla",
"Dislike": "No me gusta",
"Disconnect": "Desconectar",
"Disc": "DIsco",
"Disabled": "Desactivado",
"Directors": "Directores",
"DirectStreaming": "Transmisión directa",
"DirectStreamHelp2": "Transmitir directamente un archivo usa muy poco poder de procesamiento sin pérdida en la calidad de video.",
@ -1323,22 +1253,17 @@
"ButtonSignOut": "Cerrar sesión",
"ButtonSignIn": "Iniciar sesión",
"ButtonShutdown": "Apagar",
"ButtonSettings": "Configuración",
"ButtonSend": "Enviar",
"ButtonSelectView": "Seleccionar vista",
"ButtonSelectServer": "Seleccionar servidor",
"ButtonSelectDirectory": "Seleccionar directorio",
"ButtonScanAllLibraries": "Escanear todas las bibliotecas",
"ButtonRevoke": "Revocar",
"ButtonResume": "Continuar",
"ButtonRestart": "Reiniciar",
"ButtonResetPassword": "Restablecer contraseña",
"ButtonResetEasyPassword": "Restablecer código PIN sencillo",
"ButtonRename": "Renombrar",
"ButtonRemove": "Remover",
"ButtonRefreshGuideData": "Actualizar datos de la guía",
"ButtonQuickStartGuide": "Guía de inicio rápido",
"ButtonProfile": "Perfil",
"ButtonPreviousTrack": "Pista anterior",
"ButtonPause": "Pausar",
"ButtonParentalControl": "Control parental",
@ -1350,7 +1275,6 @@
"ButtonManualLogin": "Inicio de sesión manual",
"ButtonLibraryAccess": "Acceso a biblioteca(s)",
"ButtonInfo": "Info",
"ButtonGuide": "Guía",
"ButtonGotIt": "Hecho",
"ButtonFullscreen": "Pantalla completa",
"ButtonForgotPassword": "Olvidé mi contraseña",

View file

@ -13,5 +13,10 @@
"Albums": "Álbumes",
"Artists": "Artistas",
"Channels": "Canales",
"ButtonSyncPlay": "SyncPlay"
"ButtonSyncPlay": "SyncPlay",
"Aired": "Emitido",
"AirDate": "Fecha de Emisión",
"AddedOnValue": "Añadido {0}",
"AddToPlayQueue": "Añadir a la lista de reproducción",
"AddToCollection": "Añadir a la Colección"
}

View file

@ -9,10 +9,8 @@
"ButtonCancel": "لغو کردن",
"ButtonOk": "خوب",
"ButtonQuickStartGuide": "راهنمای شروع سریع",
"ButtonResetPassword": "تنظیم مجدد رمز",
"ButtonSignOut": "Sign out",
"DeleteMedia": "حذف رسانه",
"Disabled": "غیرفعال شده",
"FolderTypeBooks": "کتاب‌ها",
"FolderTypeMovies": "فیلم‌ها",
"FolderTypeMusic": "موسیقی‌ها",
@ -61,24 +59,18 @@
"MoreUsersCanBeAddedLater": "بعدا میتوانید کاربران بیشتری را در داشبورد اضافه کنید.",
"NextUp": "بعدی چیه",
"MessageNoNextUpItems": "چیزی یافت نشد. دیدن سریال ها یتان را شروع کنید!",
"OptionAscending": "صعودی",
"OptionDescending": "نزولی",
"OptionDislikes": "پسندیده نشده ها",
"OptionEnableAccessFromAllDevices": "فعالسازی دسترسی از همه ی دستگاه ها",
"OptionEnableAccessToAllChannels": "فعالسازی دسترسی به همه ی کانال ها",
"OptionEnableAccessToAllLibraries": "فعالسازی دسترسی به همه ی کتابخانه ها",
"OptionFavorite": "مورد علاقه ها",
"OptionLikes": "پسندها",
"OptionPlayed": "پخش شده",
"OptionProfileVideo": "ویدیو",
"OptionUnplayed": "پخش نشده",
"ShowAdvancedSettings": "نمایش تنظیمات پیشرفته",
"TabAccess": "دسترسی",
"TabAdvanced": "پیشرفته",
"TabLatest": "جدیدترین‌ها",
"TabNetworks": "شبکه ها",
"TabNotifications": "اعلان ها",
"TabProfile": "پروفایل",
"TabProfiles": "پروفایل ها",
"TabUpcoming": "بزودی",
"TellUsAboutYourself": "در مورد خودتان به ما بگویید",
@ -95,11 +87,6 @@
"Folders": "پوشه‌ها",
"Genres": "ژانرها",
"HeaderAlbumArtists": "هنرمندان آلبوم",
"HeaderFavoriteShows": "سریال‌های مورد علاقه",
"HeaderFavoriteEpisodes": "قسمت‌های مورد علاقه",
"HeaderFavoriteAlbums": "آلبوم‌های مورد علاقه",
"HeaderFavoriteArtists": "هنرمندان مورد علاقه",
"HeaderFavoriteSongs": "آهنگ‌های مورد علاقه",
"Movies": "فیلم‌ها",
"Photos": "عکس‌ها",
"Playlists": "لیست‌های پخش",
@ -115,19 +102,15 @@
"Add": "افزودن",
"Actor": "بازیگر",
"AccessRestrictedTryAgainLater": "دسترسی در حال حاضر محدود شده است. لطفا دوباره تلاش کنید.",
"ButtonSettings": "تنظیمات",
"ButtonSend": "ارسال",
"ButtonSelectView": "انتخاب نما",
"ButtonSelectServer": "انتخاب سرور",
"ButtonScanAllLibraries": "اسکن تمام کتابخانه‌ها",
"ButtonRevoke": "ابطال",
"ButtonResume": "ادامه",
"ButtonRestart": "راه اندازی مجدد",
"ButtonResetEasyPassword": "بازنشانی کد پین آسان",
"ButtonRename": "تغییر نام",
"ButtonRemove": "حذف",
"ButtonRefreshGuideData": "به‌روز‌رسانی داده‌ی راهنما",
"ButtonProfile": "نمایه",
"ButtonNextTrack": "ترانه پسین",
"ButtonPreviousTrack": "ترانه پیشین",
"ButtonPause": "مکث",
@ -138,7 +121,6 @@
"ButtonManualLogin": "ورود دستی",
"ButtonLibraryAccess": "دسترسی به کتابخانه",
"ButtonInfo": "اطلاعات",
"ButtonGuide": "راهنما",
"ButtonGotIt": "متوجه شدم",
"ButtonFullscreen": "تمام صفحه",
"ButtonForgotPassword": "فراموشی گذرواژه",
@ -206,7 +188,6 @@
"DisplayMissingEpisodesWithinSeasons": "قسمت‌های ناموجود در فصل‌ها را نمایش بده",
"DisplayInMyMedia": "نمایش در صفحه‌ی خانه",
"Display": "نمایش",
"Dislike": "دوست نداشتن",
"Disconnect": "قطع اتصال",
"Disc": "دیسک",
"Directors": "کارگردانان",
@ -266,7 +247,6 @@
"HeaderRecordingOptions": "گزینه‌های ضبط",
"HeaderRecentlyPlayed": "به تازگی پخش شده",
"HeaderProfileInformation": "اطلاعات نمایه",
"HeaderProfile": "نمایه",
"HeaderPluginInstallation": "نصب افزونه",
"HeaderPleaseSignIn": "لطفا وارد شوید",
"HeaderPlaybackError": "خطای پخش",
@ -286,7 +266,6 @@
"HeaderMyMediaSmall": "رسانه‌ی من (کوچک)",
"HeaderMyMedia": "رسانه‌ی من",
"HeaderMyDevice": "دستگاه‌های من",
"HeaderMusicVideos": "موزیک ویدیوها",
"HeaderMusicQuality": "کیفیت آهنگ",
"HeaderMoreLikeThis": "موارد مشابه با این",
"HeaderMetadataSettings": "تنظیمات ابرداده",
@ -317,10 +296,6 @@
"HeaderForKids": "برای کودکان",
"HeaderFetchImages": "دریافت عکس‌ها:",
"HeaderFeatureAccess": "دسترسی‌های برجسته",
"HeaderFavoriteVideos": "ویدیو‌های مورد علاقه",
"HeaderFavoritePeople": "افراد مورد علاقه",
"HeaderFavoriteMovies": "فیلم‌های مورد علاقه",
"HeaderFavoriteBooks": "کتاب‌های مورد علاقه",
"HeaderExternalIds": "ID های خارجی:",
"HeaderError": "خطا",
"HeaderEnabledFieldsHelp": "یک فیلد را برای جلوگیری از تغییر در داده‌ی آن علامت بزنید تا قفل بشود.",
@ -408,7 +383,6 @@
"LabelYear": "سال:",
"LabelWeb": "وب:",
"LabelVideoResolution": "کیفیت ویدیو:",
"LabelVideo": "ویدیو",
"DashboardArchitecture": "معماری: {0}",
"DashboardOperatingSystem": "سیستم عامل: {0}",
"DashboardServerName": "سرور: {0}",
@ -456,7 +430,6 @@
"Tuesday": "سه‌شنبه",
"Transcoding": "کدگذاری",
"Trailers": "تریلرها",
"Track": "آهنگ",
"TrackCount": "{0} آهنگ",
"TitlePlayback": "پخش",
"TitleHostingSettings": "تنظیمات میزبانی",
@ -533,12 +506,9 @@
"AllowedRemoteAddressesHelp": "لیستی از آدرس های IP یا ورودی‌های IP/netmask برای شبکه هایی که به آنها امکان ارتباط از راه دور داده می‌شود ، با کاما از هم جدا شدند. در صورت خالی ماندن ، تمام آدرسهای راه دور مجاز خواهند بود.",
"AllowOnTheFlySubtitleExtractionHelp": "زیرنویس های جاسازی شده را می‌توان از ویدئو ها استخراج کرد و به منظور جلوگیری از کدگذاری فیلم ، به صورت متن ساده به بازدید کننده ارسال کرد. در بعضی از سیستم‌ها این می‌تواند مدت زیادی طول بکشد و باعث شود پخش فیلم در طول فرآیند استخراج متوقف شود. این گزینه را غیرفعال کنید تا زیرنویس‌های جاسازی شده با استفاده از رمزگذاری ویدیو در حالی که به طور محلی توسط دستگاه بازدیدکننده پشتیبانی نمی‌شوند ارسال شود.",
"AdditionalNotificationServices": "برای نصب سرویس‌های اعلان اضافی، در فروشگاه افزونه‌ها جستجو کنید.",
"OptionThumbCard": "کارت بندانگشتی",
"OptionThumb": "بندانگشتی",
"OptionSubstring": "زیررشته",
"OptionSpecialEpisode": "ویژه‌ها",
"OptionSaveMetadataAsHidden": "ذخیره فراداده‌ها و عکس‌ها به عنوان فایل‌های پنهان",
"OptionRuntime": "زمان اجرا",
"OptionResumable": "قابل از سرگیری",
"OptionResElement": "عنصر res",
"OptionReleaseDate": "تاریخ انتشار",
@ -548,10 +518,7 @@
"OptionProtocolHls": "پخش مستقیم HTTP",
"OptionProfileVideoAudio": "صوتی تصویری",
"OptionProfilePhoto": "عکس",
"OptionProfileAudio": "صدا",
"OptionPremiereDate": "تاریخ پخش",
"OptionPosterCard": "کارتِ پوستر",
"OptionPoster": "پوستر",
"OptionPlayCount": "تعداد پخش",
"OptionPlainVideoItems": "نمایش همه فیلم‌ها به عنوان موارد ویدیویی ساده",
"OptionPlainStorageFolders": "نمایش همه پوشه‌ها به عنوان پوشه‌های ذخیره سازی ساده",
@ -579,7 +546,6 @@
"ButtonTogglePlaylist": "لیست پخش",
"TheseSettingsAffectSubtitlesOnThisDevice": "این تنظیمات روی زیرنویس‌ها در این دستگاه تأثیر می‌گذارد",
"TabStreaming": "در حال پخش",
"TabSettings": "تنظیمات",
"TabServer": "سرور",
"TabScheduledTasks": "وظایف زمان بندی شده",
"TabResponses": "پاسخ‌ها",
@ -602,7 +568,6 @@
"MessageItemSaved": "آیتم ذخیره شد.",
"MessageInvalidUser": "نام کاربری یا گذرواژه نامعتبر است. لطفا دوباره تلاش کنید.",
"MessageInvalidForgotPasswordPin": "کد پین نامعتبر یا منقضی شده وارد شد. لطفا دوباره تلاش کنید.",
"HeaderResetPassword": "بازنشانی گذرواژه",
"PasswordResetConfirmation": "آیا واقعا تمایل به بازنشانی گذرواژه دارید؟",
"PasswordResetComplete": "گذرواژه بازنشانی شد.",
"PasswordMatchError": "گذرواژه و تکرار گذرواژه باید یکسان باشند.",
@ -877,8 +842,6 @@
"OnlyImageFormats": "Only Image Formats (VOBSUB, PGS, SUB)",
"Option3D": "3D",
"OptionAdminUsers": "Administrators",
"OptionAlbum": "Album",
"OptionAlbumArtist": "Album Artist",
"OptionAllUsers": "All users",
"OptionAllowAudioPlaybackTranscoding": "Allow audio playback that requires transcoding",
"OptionForceRemoteSourceTranscoding": "Force transcoding of remote media sources (like LiveTV)",
@ -896,22 +859,11 @@
"OptionAllowUserToManageServer": "Allow this user to manage the server",
"OptionAllowVideoPlaybackRemuxing": "Allow video playback that requires conversion without re-encoding",
"OptionAllowVideoPlaybackTranscoding": "Allow video playback that requires transcoding",
"OptionArtist": "Artist",
"OptionAuto": "Auto",
"OptionAutomaticallyGroupSeries": "Automatically merge series that are spread across multiple folders",
"OptionAutomaticallyGroupSeriesHelp": "If enabled, series that are spread across multiple folders within this library will be automatically merged into a single series.",
"OptionBanner": "Banner",
"OptionBlockBooks": "Books",
"OptionBlockChannelContent": "Internet Channel Content",
"OptionBlockLiveTvChannels": "Live TV Channels",
"OptionBlockMovies": "Movies",
"OptionBlockMusic": "Music",
"OptionBlockTrailers": "Trailers",
"OptionBlockTvShows": "TV Shows",
"OptionBluray": "Blu-ray",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"OptionCommunityRating": "Community Rating",
"OptionContinuing": "Continuing",
"OptionCriticRating": "Critic Rating",
"OptionCustomUsers": "Custom",
"OptionDaily": "Daily",
@ -923,17 +875,8 @@
"OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.",
"OptionDisplayFolderView": "Display a folder view to show plain media folders",
"OptionDisplayFolderViewHelp": "Display folders alongside your other media libraries. This can be useful if you'd like to have a plain folder view.",
"OptionDownloadArtImage": "Art",
"OptionDownloadBackImage": "Back",
"OptionDownloadBannerImage": "Banner",
"OptionDownloadBoxImage": "Box",
"OptionDownloadDiscImage": "Disc",
"OptionDownloadImagesInAdvance": "Download images in advance",
"OptionDownloadImagesInAdvanceHelp": "By default, most images are only downloaded when requested by a Jellyfin app. Enable this option to download all images in advance, as new media is imported. This may cause significantly longer library scans.",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadMenuImage": "Menu",
"OptionDownloadPrimaryImage": "Primary",
"OptionDownloadThumbImage": "Thumb",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "Embed within container",
"OptionEnableExternalContentInSuggestions": "Enable external content in suggestions",
@ -941,17 +884,13 @@
"OptionEnableForAllTuners": "Enable for all tuner devices",
"OptionEnableM2tsMode": "Enable M2ts mode",
"OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
"OptionEnded": "Ended",
"OptionEquals": "Equals",
"OptionEstimateContentLength": "Estimate content length when transcoding",
"OptionEveryday": "Every day",
"OptionExternallyDownloaded": "External download",
"OptionExtractChapterImage": "Enable chapter image extraction",
"OptionHasSpecialFeatures": "Special Features",
"OptionHasSubtitles": "Subtitles",
"OptionHasThemeSong": "Theme Song",
"OptionHasThemeVideo": "Theme Video",
"OptionHasTrailer": "Trailer",
"OptionHideUser": "Hide this user from login screens",
"OptionHideUserFromLoginHelp": "Useful for private or hidden administrator accounts. The user will need to sign in manually by entering their username and password.",
"HeaderSendMessage": "Send Message",
@ -959,11 +898,9 @@
"HeaderSeriesStatus": "Series Status",
"HeaderServerAddressSettings": "Server Address Settings",
"HeaderServerSettings": "Server Settings",
"HeaderSettings": "Settings",
"HeaderSortBy": "Sort By",
"HeaderSortOrder": "Sort Order",
"HeaderSpecialEpisodeInfo": "Special Episode Info",
"HeaderSpecialFeatures": "Special Features",
"HeaderStartNow": "Start Now",
"HeaderStatus": "Status",
"HeaderStopRecording": "Stop Recording",
@ -1032,20 +969,16 @@
"LabelAppNameExample": "Example: Sickbeard, Sonarr",
"LabelArtists": "Artists:",
"OptionHlsSegmentedSubtitles": "HLS segmented subtitles",
"OptionHomeVideos": "Photos",
"OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
"OptionImdbRating": "IMDb Rating",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionList": "List",
"OptionLoginAttemptsBeforeLockout": "Determines how many incorrect login attempts can be made before lockout occurs.",
"OptionLoginAttemptsBeforeLockoutHelp": "A value of zero means inheriting the default of three attempts for normal users and five for administrators. Setting this to -1 will disable the feature.",
"OptionMax": "Max",
"OptionMissingEpisode": "Missing Episodes",
"OptionNameSort": "Name",
"OptionNew": "New…",
"OptionNone": "None",
"LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time.",
"LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
"LabelMaxStreamingBitrate": "Maximum streaming quality:",
@ -1161,7 +1094,6 @@
"HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
"HeaderContinueListening": "Continue Listening",
"HeaderDVR": "DVR",
"HeaderFavoritePlaylists": "Favorite Playlists",
"HeaderHttpsSettings": "HTTPS Settings",
"HeaderNavigation": "Navigation",
"HeaderProfileServerSettingsHelp": "These values control how Jellyfin Server will present itself to the device.",
@ -1171,7 +1103,6 @@
"HeaderRemoveMediaLocation": "Remove Media Location",
"HeaderResponseProfile": "Response Profile",
"HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
"HeaderRestart": "Restart",
"HeaderRevisionHistory": "Revision History",
"HeaderRunningTasks": "Running Tasks",
"HeaderScenes": "Scenes",
@ -1181,7 +1112,6 @@
"HeaderSelectMetadataPath": "Select Metadata Path",
"HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.",
"HeaderSelectPath": "Select Path",
"HeaderSelectServer": "Select Server",
"LabelFolder": "Folder:",
"LabelSyncPlayLeaveGroupDescription": "Disable SyncPlay",
"LabelSyncPlayAccessCreateAndJoinGroups": "Allow user to create and join groups",
@ -1221,7 +1151,6 @@
"LanNetworksHelp": "Comma separated list of IP addresses or IP/netmask entries for networks that will be considered on local network when enforcing bandwidth restrictions. If set, all other IP addresses will be considered to be on the external network and will be subject to the external bandwidth restrictions. If left blank, only the server's subnet is considered to be on the local network.",
"LearnHowYouCanContribute": "Learn how you can contribute.",
"LeaveBlankToNotSetAPassword": "You can leave this field blank to set no password.",
"Like": "Like",
"List": "List",
"Live": "Live",
"LiveBroadcasts": "Live broadcasts",
@ -1255,11 +1184,6 @@
"MediaInfoSampleRate": "Sample rate",
"MediaInfoSize": "Size",
"MediaInfoTimestamp": "Timestamp",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Data",
"MediaInfoStreamTypeEmbeddedImage": "Embedded Image",
"MediaInfoStreamTypeSubtitle": "Subtitle",
"MediaInfoStreamTypeVideo": "Video",
"MediaIsBeingConverted": "The media is being converted into a format that is compatible with the device that is playing the media.",
"Menu": "Menu",
"MessageAlreadyInstalled": "This version is already installed.",

View file

@ -2,7 +2,6 @@
"MessageBrowsePluginCatalog": "Selaa lisäosakuvastoamme katsoaksesi saatavilla olevia lisäosia.",
"ButtonAddUser": "Lisää Käyttäjä",
"ButtonCancel": "Peruuta",
"ButtonResetPassword": "Nollaa salasana",
"ButtonSignOut": "Sign out",
"Delete": "Poista",
"DeleteImage": "Poista Kuva",
@ -34,7 +33,6 @@
"PasswordSaved": "Salasana tallennettu.",
"Save": "Tallenna",
"SettingsSaved": "Asetukset tallennettu.",
"TabProfile": "Profiili",
"TabProfiles": "Profiilit",
"TellUsAboutYourself": "Kerro meille itsestäsi",
"ThisWizardWillGuideYou": "Tämä työkalu auttaa sinua asennusprosessin aikana. Valitse kieli aloittaaksesi.",
@ -104,7 +102,6 @@
"ButtonForgotPassword": "Unohtuiko salasana",
"ButtonFullscreen": "Kokonäyttötila",
"ButtonGotIt": "Selvä",
"ButtonGuide": "Opas",
"ButtonInfo": "Tiedot",
"ButtonLibraryAccess": "Kiraston pääsy",
"ButtonManualLogin": "Manuaalinen kirjautuminen",
@ -117,21 +114,17 @@
"ButtonParentalControl": "Lapsilukko",
"ButtonPause": "Tauko",
"ButtonPreviousTrack": "Edellinen raita",
"ButtonProfile": "Profiili",
"ButtonQuickStartGuide": "Pikaopas",
"ButtonRefreshGuideData": "Päivitä oppaan tiedot",
"ButtonRemove": "Poista",
"ButtonRename": "Nimeä uudelleen",
"ButtonResetEasyPassword": "Nollaa helppo PIN-koodi",
"ButtonRestart": "Käynnistä uudelleen",
"ButtonResume": "Jatka",
"ButtonRevoke": "Peruuta",
"ButtonScanAllLibraries": "Skannaa kaikki kirjastot",
"ButtonSelectDirectory": "Valitse hakemisto",
"ButtonSelectServer": "Valitse palvelin",
"ButtonSelectView": "Valitse näkymä",
"ButtonSend": "Lähetä",
"ButtonSettings": "Asetukset",
"ButtonShutdown": "Sammuta",
"ButtonSignIn": "Kirjaudu sisään",
"ButtonStart": "Käynnistä",
@ -181,10 +174,8 @@
"DirectStreaming": "Suora suoratoisto",
"Director": "Ohjaaja",
"Directors": "Ohjaajat",
"Disabled": "Pois päältä kytkettynä",
"Disc": "Levy",
"Disconnect": "Katkaise yhteys",
"Dislike": "Älä tykkää",
"DisplayInMyMedia": "Näytä kotinäytöllä",
"DisplayInOtherHomeScreenSections": "Näytä kotinäytöllä osastoja kuten viimeisin media ja jatka katselua",
"DisplayMissingEpisodesWithinSeasons": "Näytä puuttuvat jaksot tuotantokausissa",
@ -206,11 +197,6 @@
"CopyStreamURL": "Kopioi Toiston Osoite",
"ButtonAddImage": "Lisää kuva",
"Movies": "Elokuvat",
"HeaderFavoriteSongs": "Lempikappaleet",
"HeaderFavoriteShows": "Lempisarjat",
"HeaderFavoriteEpisodes": "Lempijaksot",
"HeaderFavoriteArtists": "Lempiartistit",
"HeaderFavoriteAlbums": "Lempialbumit",
"HeaderContinueWatching": "Jatka katsomista",
"HeaderAlbumArtists": "Albumin esittäjä",
"Genres": "Tyylilajit",
@ -262,19 +248,15 @@
"Play": "Toista",
"PinCodeResetConfirmation": "Haluatko varmasti nollata PIN-koodin?",
"People": "Ihmiset",
"HeaderResetPassword": "Nollaa salasana",
"OriginalAirDateValue": "Alkuperäinen esityspäivä: {0}",
"OptionWeekly": "Viikottainen",
"OptionWeekends": "Viikonloput",
"OptionWeekdays": "Arkipäivät",
"OptionTvdbRating": "TVDB luokitus",
"OptionTrackName": "Raidan nimi",
"OptionThumbCard": "Pienoiskuvakortti",
"OptionThumb": "Pienoiskuva",
"OptionSubstring": "Substring",
"OptionSpecialEpisode": "Erikoisjaksot",
"OptionSaveMetadataAsHidden": "Tallenna metadata ja kuvat piilotettuina tiedostoina",
"OptionRuntime": "Kesto",
"OptionResumable": "Jatkettavissa oleva",
"OptionResElement": "res element",
"OptionReleaseDate": "Julkaisupäivä",
@ -285,51 +267,32 @@
"OptionProfileVideoAudio": "Video Audio",
"OptionProfileVideo": "Video",
"OptionProfilePhoto": "Kuva",
"OptionProfileAudio": "Audio",
"OptionPremiereDate": "Ensi-iltapäivä",
"OptionPosterCard": "Julistekortti",
"OptionPoster": "Juliste",
"OptionPlayCount": "Toistokerrat",
"OptionPlayed": "Toistettu",
"OptionNew": "Uusi…",
"OptionNameSort": "Nimi",
"OptionMissingEpisode": "Puuttuvat jaksot",
"OptionMax": "Maksimi",
"OptionList": "Lista",
"OptionLikes": "Likes",
"OptionIsSD": "SD",
"OptionIsHD": "HD",
"OptionImdbRating": "IMDb Luokitus",
"OptionHomeVideos": "Kuvat",
"OptionHideUser": "Piilota tämä käyttäjä kirjautumisnäkymästä",
"OptionHasTrailer": "Traileri",
"OptionHasThemeVideo": "Tunnusvideo",
"OptionHasThemeSong": "Tunnuskappale",
"OptionHasSubtitles": "Tekstitykset",
"OptionHasSpecialFeatures": "Erikoisominaisuudet",
"OptionFavorite": "Suosikit",
"OptionExtractChapterImage": "Ota käyttöön kappalekuvien luonti",
"OptionExternallyDownloaded": "Ulkoinen lataus",
"OptionEveryday": "Joka päivä",
"OptionEnded": "Loppuneet",
"OptionEnableM2tsMode": "Ota käyttöön M2ts tila",
"OptionEnableForAllTuners": "Ota käyttöön kaikille viritinlaitteille",
"OptionEnableAccessToAllLibraries": "Salli pääsy kaikkiin kirjastoihin",
"OptionEnableAccessToAllChannels": "Salli pääsy kaikille kanaville",
"OptionEnableAccessFromAllDevices": "Salli pääsy kaikista laitteista",
"OptionDvd": "DVD",
"OptionDownloadThumbImage": "Pienoiskuva",
"OptionDownloadPrimaryImage": "Ensisijainen",
"OptionDownloadMenuImage": "Valikko",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadImagesInAdvance": "Lataa kuvat etukäteen",
"OptionDislikes": "Disliket",
"OptionCustomUsers": "Mukautettu",
"OptionCriticRating": "Kriitikoiden luokitus",
"OptionContinuing": "Jatkuvat",
"OptionCommunityRating": "Yhteisön luokitus",
"OptionBlockLiveTvChannels": "Live-TV kanavat",
"OptionBanner": "Lippu",
"OnlyForcedSubtitlesHelp": "Vain pakotetuiksi merkityt tekstitykset ladataan.",
"OnlyImageFormats": "Vain kuvaformaatit (VOBSUB, PGS, SUB)",
"OnlyForcedSubtitles": "Vain pakotetut",
@ -392,7 +355,6 @@
"HeaderThisUserIsCurrentlyDisabled": "Tämä käyttäjä on poistettu käytöstä",
"HeaderSystemDlnaProfiles": "Järjestelmäprofiilit",
"HeaderSubtitleDownloads": "Tekstitysten lataukset",
"HeaderSpecialFeatures": "Lisäominaisuudet",
"HeaderSpecialEpisodeInfo": "Erikoisjakson tiedot",
"HeaderSortOrder": "Lajittelujärjestys",
"HeaderSetupLibrary": "Aseta mediakirjastosi",
@ -420,10 +382,6 @@
"HeaderLoginFailure": "Kirjautumisvirhe",
"HeaderIdentifyItemHelp": "Anna yksi tai useampi hakukriteeri. Poista kriteerejä lisätäksesi hakutuloksia.",
"HeaderIdentificationCriteriaHelp": "Lisää ainakin yksi tunnistuskriteeri.",
"HeaderFavoriteVideos": "Suosikkivideot",
"HeaderFavoritePeople": "Suosikki-ihmiset",
"HeaderFavoriteMovies": "Suosikkielokuvat",
"HeaderFavoriteBooks": "Suosikkikirjat",
"HeaderExternalIds": "Ulkoiset IDt:",
"HeaderDirectPlayProfile": "Suoratoistoprofiili",
"HeaderEasyPinCode": "Helppo PIN-koodi",
@ -444,23 +402,13 @@
"HeaderAlert": "Hälytys",
"HeaderActivity": "Toiminta",
"HDPrograms": "HD-ohjelmat",
"OptionDownloadArtImage": "Taide",
"OptionDownloadDiscImage": "Levy",
"OptionDownloadBoxImage": "Laatikko",
"OptionDownloadBannerImage": "Lippu",
"OptionDownloadBackImage": "Tausta",
"OptionDisableUser": "Poista tämä käyttäjä käytöstä",
"OptionDescending": "Laskeva",
"OptionDatePlayed": "Toistopäivä",
"OptionDateAddedImportTime": "Käytä kirjastoon skannauspäivää",
"OptionDateAddedFileTime": "Käytä tiedoston luontipäivää",
"OptionDateAdded": "Lisäyspäivä",
"OptionDaily": "Päivittäinen",
"OptionBluray": "Blu-ray",
"OptionBlockTvShows": "TV-sarjat",
"OptionBlockTrailers": "Trailerit",
"OptionBlockMusic": "Musiikki",
"OptionBlockMovies": "Elokuvat",
"HeaderMoreLikeThis": "Lisää tällaista",
"HeaderMetadataSettings": "Metadata-asetukset",
"MoreMediaInfo": "Mediainfo",
@ -476,7 +424,6 @@
"HeaderFrequentlyPlayed": "Usein toistetut",
"HeaderFetcherSettings": "Hakijan asetukset",
"HeaderFetchImages": "Hae kuvia:",
"OptionBlockBooks": "Kirjat",
"Filters": "Suodattimet",
"FastForward": "Hyppää eteenpäin",
"YadifBob": "YADIF Bob",
@ -489,10 +436,6 @@
"MessageAreYouSureDeleteSubtitles": "Haluatko varmasti poistaa tämän tekstitystiedoston?",
"MessageAlreadyInstalled": "Tämä versio on jo asennettu.",
"Menu": "Valikko",
"MediaInfoStreamTypeVideo": "Video",
"MediaInfoStreamTypeSubtitle": "Tekstitys",
"MediaInfoStreamTypeData": "Data",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoTimestamp": "Aikaleima",
"MediaInfoResolution": "Resoluutio",
"MediaInfoSize": "Koko",
@ -522,7 +465,6 @@
"LabelZipCode": "Postinumero:",
"LabelYear": "Vuosi:",
"LabelVideoResolution": "Videon resoluutio:",
"LabelVideo": "Video",
"DashboardArchitecture": "Arkkitehtuuri: {0}",
"DashboardOperatingSystem": "Käyttöjärjestelmä: {0}",
"DashboardServerName": "Palvelin: {0}",
@ -616,7 +558,6 @@
"TagsValue": "Tunnisteet: {0}",
"Tags": "Tunnisteet",
"TabUpcoming": "Tulevat",
"TabSettings": "Asetukset",
"TabServer": "Palvelin",
"TabScheduledTasks": "Ajastetut tehtävät",
"TabResponses": "Vastaukset",
@ -681,9 +622,6 @@
"RecordingCancelled": "Tallennus peruttu.",
"RecordSeries": "Tallenna sarja",
"Record": "Tallenna",
"OptionAuto": "Auto",
"OptionAscending": "Nousevassa järjestyksessä",
"OptionArtist": "Artisti",
"OptionAllowVideoPlaybackTranscoding": "Salli transkoodausta vaativan videon toistaminen",
"OptionAllowVideoPlaybackRemuxing": "Salli videon toistaminen, joka vaatii muuntamista ilman koodausta",
"OptionAllowMediaPlaybackTranscodingHelp": "Transkoodauksen estäminen voi aiheuttaa toistovirheitä Jellyfin-sovelluksissa ei-tuettujen mediaformaattien takia.",
@ -704,8 +642,6 @@
"OptionAllowLinkSharing": "Salli jakaminen sosiaaliseen mediaan",
"OptionAllowAudioPlaybackTranscoding": "Salli äänen toistaminen joka vaatii uudelleenpakkausta",
"OptionAllUsers": "Kaikki käyttäjät",
"OptionAlbumArtist": "Albumin artisti",
"OptionAlbum": "Albumi",
"OptionAdminUsers": "Järjestelmänvalvojat",
"Option3D": "3D",
"MusicVideo": "Musiikkivideo",
@ -825,17 +761,12 @@
"HeaderSubtitleAppearance": "Tekstityksen ulkonäkö",
"HeaderStatus": "Tila",
"HeaderServerSettings": "Palvelimen asetukset",
"HeaderSettings": "Asetukset",
"HeaderSendMessage": "Lähetä viesti",
"HeaderSelectServer": "Valitse palvelin",
"HeaderSeasons": "Kaudet",
"HeaderRestart": "Uudelleenkäynnistys",
"HeaderProfile": "Profiili",
"HeaderPlayAll": "Toista kaikki",
"HeaderPassword": "Salasana",
"HeaderNewApiKey": "Uusi API-avain",
"HeaderNavigation": "Navigaatio",
"HeaderMusicVideos": "Musiikkivideot",
"HeaderMusicQuality": "Musiikin laatu",
"HeaderLibraries": "Kirjastot",
"HeaderIdentification": "Tunnistautuminen",
@ -926,7 +857,6 @@
"DailyAt": "Päivittäin klo {0}",
"Uniform": "Yhtenäinen",
"TrackCount": "{0} raitaa",
"Track": "Raita",
"TitleHardwareAcceleration": "Laitteistokiihdytys",
"Thumb": "Pikkukuva",
"TabStreaming": "Suoratoisto",
@ -953,7 +883,6 @@
"OptionWakeFromSleep": "Herätä lepotilasta",
"OptionUnairedEpisode": "Julkaisemattomat jaksot",
"OptionParentalRating": "Ikäraja",
"OptionNone": "Ei mitään",
"OptionIgnoreTranscodeByteRangeRequests": "Ohita transkoodauksen tavualuepyynnöt",
"OptionHlsSegmentedSubtitles": "HLS segmentoidut tekstitykset",
"OptionEnableExternalContentInSuggestions": "Ota käyttöön ulkoinen sisältö ehdotuksissa",
@ -972,7 +901,6 @@
"MessageConfirmRemoveMediaLocation": "Haluatko varmasti poistaa tämän sijainnin?",
"MessageConfirmRecordingCancellation": "Peruuta tallennus?",
"MessageConfirmDeleteGuideProvider": "Haluatko varmasti poistaa tämän ohjelmaoppaan tarjoajan?",
"MediaInfoStreamTypeEmbeddedImage": "Upotettu kuva",
"MediaInfoSampleRate": "Näytteenottotaajuus",
"MediaInfoPixelFormat": "Pikseliformaatti",
"MediaInfoLayout": "Asettelu",
@ -980,7 +908,6 @@
"MediaInfoCodecTag": "Codec-tunniste",
"MediaInfoCodec": "Codec",
"MediaInfoBitrate": "Bitrate",
"Like": "Tykkää",
"LabelVideoBitrate": "Videon bitrate:",
"LabelWeb": "Web:",
"LabelVideoCodec": "Videon codec:",
@ -1004,7 +931,6 @@
"HeaderLiveTvTunerSetup": "Live-TV virittimen määritys",
"HeaderLibrarySettings": "Kirjaston asetukset",
"HeaderGuideProviders": "TV-ohjelmaoppaiden tarjoajat",
"HeaderFavoritePlaylists": "Suosikki soittolistat",
"HeaderEnabledFields": "Käytössä olevat kentät",
"HeaderCodecProfile": "Codec-profiili",
"HeaderContainerProfile": "Säiliöprofiili",

View file

@ -5,7 +5,6 @@
"ButtonCancel": "Annuler",
"ButtonGotIt": "J'ai compris",
"ButtonQuickStartGuide": "Guide de démarrage rapide",
"ButtonRestart": "Redémarrer",
"ButtonSignOut": "Sign out",
"ConfirmDeleteItem": "La suppression de cet élément le supprimera à la fois du système de fichiers et de votre médiathèque. Êtes-vous sûr de vouloir continuer ?",
"Delete": "Supprimer",
@ -144,7 +143,6 @@
"ButtonEditOtherUserPreferences": "Modifier ce profil utilisateur, son avatar et ses préférences personnelles.",
"ButtonForgotPassword": "Mot de passe oublié",
"ButtonFullscreen": "Plein écran",
"ButtonGuide": "Guide",
"ButtonInfo": "Informations",
"ButtonLibraryAccess": "Accès à la médiathèque",
"ButtonManualLogin": "Connexion manuelle",
@ -158,11 +156,6 @@
"AlbumArtist": "Artiste de l'Album",
"Album": "Album",
"AuthProviderHelp": "Sélectionner un fournisseur d'authentification pour authentifier le mot de passe de cet utilisateur.",
"HeaderFavoriteSongs": "Chansons favorites",
"HeaderFavoriteShows": "Séries favorites",
"HeaderFavoriteEpisodes": "Épisodes favoris",
"HeaderFavoriteArtists": "Artistes favoris",
"HeaderFavoriteAlbums": "Albums favoris",
"ButtonSyncPlay": "SyncPlay",
"Default": "Défaut",
"DeathDateValue": "Mort: {0}",
@ -192,19 +185,15 @@
"ButtonStart": "Démarrer",
"ButtonSignIn": "Se connecter",
"ButtonShutdown": "Éteindre",
"ButtonSettings": "Paramètres",
"ButtonSend": "Envoyer",
"ButtonSelectServer": "Sélectionner le serveur",
"ButtonSelectDirectory": "Sélectionner le répertoire",
"ButtonScanAllLibraries": "Analyser toutes les médiathèques",
"ButtonRevoke": "Révoquer",
"ButtonResume": "Reprendre la lecture",
"ButtonResetPassword": "Réinitialiser le mot de passe",
"ButtonResetEasyPassword": "Remettre à nouveau le code NIP facile",
"ButtonRename": "Renommer",
"ButtonRemove": "Enlever",
"ButtonRefreshGuideData": "Rafraîchir les données de guide",
"ButtonProfile": "Profil",
"ButtonPreviousTrack": "Piste précédente",
"ButtonPause": "Pause",
"ButtonParentalControl": "Contrôle parentale",
@ -232,5 +221,6 @@
"CommunityRating": "Évaluation de la communauté",
"ColorTransfer": "Transfert de couleur",
"ColorSpace": "Espace colorimétrique",
"ColorPrimaries": "Primaires colorimétriques"
"ColorPrimaries": "Primaires colorimétriques",
"EnablePhotos": "Voir les photos"
}

View file

@ -72,22 +72,17 @@
"ButtonOpen": "Ouvrir",
"ButtonParentalControl": "Contrôle parental",
"ButtonPreviousTrack": "Piste précédente",
"ButtonProfile": "Profil",
"ButtonQuickStartGuide": "Guide de démarrage rapide",
"ButtonRefreshGuideData": "Actualiser les données du guide",
"ButtonRemove": "Supprimer",
"ButtonRename": "Renommer",
"ButtonResetEasyPassword": "Réinitialiser le code easy PIN",
"ButtonResetPassword": "Réinitialiser le mot de passe",
"ButtonRestart": "Redémarrer",
"ButtonResume": "Reprendre",
"ButtonRevoke": "Révoquer",
"ButtonScanAllLibraries": "Actualiser toutes les médiathèques",
"ButtonSelectDirectory": "Sélectionner le répertoire",
"ButtonSelectServer": "Sélectionner le serveur",
"ButtonSelectView": "Sélectionnez une vue",
"ButtonSend": "Envoyer",
"ButtonSettings": "Paramètres",
"ButtonShutdown": "Éteindre",
"ButtonSignIn": "Se connecter",
"ButtonSignOut": "Se déconnecter",
@ -147,10 +142,8 @@
"DirectStreaming": "Streaming direct",
"Director": "Réalisateur(trice)",
"Directors": "Réalisateurs",
"Disabled": "Désactivé",
"Disc": "Disque",
"Disconnect": "Déconnecter",
"Dislike": "Je n'aime pas",
"Display": "Affichage",
"DisplayInMyMedia": "Afficher sur lécran daccueil",
"DisplayInOtherHomeScreenSections": "Afficher dans les sections de lécran daccueil comme Ajouts récents et Reprendre",
@ -322,7 +315,6 @@
"HeaderMetadataSettings": "Paramètres des métadonnées",
"HeaderMoreLikeThis": "Similaires",
"HeaderMusicQuality": "Qualité de la musique :",
"HeaderMusicVideos": "Vidéos musicales",
"HeaderMyDevice": "Cet appareil",
"HeaderMyMedia": "Mes Médias",
"HeaderMyMediaSmall": "Mes médias (Petit)",
@ -345,7 +337,6 @@
"HeaderPleaseSignIn": "Merci de vous identifier",
"HeaderPluginInstallation": "Installation de l'extension",
"HeaderPreferredMetadataLanguage": "Langue de métadonnées préférée",
"HeaderProfile": "Profil",
"HeaderProfileInformation": "Information de profil",
"HeaderProfileServerSettingsHelp": "Ces valeurs contrôlent la façon dont le serveur se présentera aux clients.",
"HeaderRecentlyPlayed": "Lus récemment",
@ -356,7 +347,6 @@
"HeaderRemoveMediaLocation": "Supprimer l'emplacement de média",
"HeaderResponseProfile": "Profil de réponse",
"HeaderResponseProfileHelp": "Les profils de réponse permettent de personnaliser l'information envoyée à l'appareil lors de la lecture de certains types de média.",
"HeaderRestart": "Redémarrer",
"HeaderRevisionHistory": "Historique des révisions",
"HeaderRunningTasks": "Tâches en cours d'exécution",
"HeaderScenes": "Scènes",
@ -366,7 +356,6 @@
"HeaderSelectMetadataPath": "Sélectionner le chemin d'accès des métadonnées",
"HeaderSelectMetadataPathHelp": "Parcourir ou saisir le chemin d'accès où vous aimeriez stocker les métadonnées. Le dossier doit être accessible en écriture.",
"HeaderSelectPath": "Sélectionnez un chemin",
"HeaderSelectServer": "Sélectionner le serveur",
"HeaderSelectServerCachePath": "Sélectionner le chemin d'accès du cache de serveur",
"HeaderSelectServerCachePathHelp": "Parcourir ou saisir le chemin d'accès à utiliser pour les fichiers cache du serveur. Le dossier doit être accessible en écriture.",
"HeaderSelectTranscodingPath": "Sélectionner le chemin d'accès du dossier temporaire de transcodage",
@ -375,12 +364,10 @@
"HeaderSeriesOptions": "Options de la série",
"HeaderSeriesStatus": "Statut de la série",
"HeaderServerSettings": "Paramètres du serveur",
"HeaderSettings": "Paramètres",
"HeaderSetupLibrary": "Configurer vos médiathèques",
"HeaderSortBy": "Trier par",
"HeaderSortOrder": "Ordre de tri",
"HeaderSpecialEpisodeInfo": "Informations de l'épisode spécial",
"HeaderSpecialFeatures": "Bonus",
"HeaderStartNow": "Commencer maintenant",
"HeaderStatus": "État",
"HeaderStopRecording": "Arrêter l'enregistrement",
@ -738,7 +725,6 @@
"LabelValue": "Valeur :",
"LabelVersion": "Version :",
"LabelVersionInstalled": "{0} installé(s)",
"LabelVideo": "Vidéo",
"LabelXDlnaCap": "Cap X-DLNA :",
"LabelXDlnaCapHelp": "Détermine le contenu de l'élément X_DLNACAP dans l'espace de nom urn:schemas-dlna-org:device-1-0.",
"LabelXDlnaDoc": "Doc X-DLNA :",
@ -753,7 +739,6 @@
"LatestFromLibrary": "{0}, ajouts récents",
"LearnHowYouCanContribute": "Voir comment vous pouvez contribuer.",
"LibraryAccessHelp": "Sélectionnez les médiathèques à partager avec cet utilisateur. Les administrateurs pourront modifier tous les dossiers en utilisant le gestionnaire de métadonnées.",
"Like": "J'aime",
"List": "Liste",
"Live": "En direct",
"LiveBroadcasts": "Diffusions en direct",
@ -869,7 +854,6 @@
"OnlyForcedSubtitlesHelp": "Seuls les sous-titres marqués comme forcés seront chargés.",
"OnlyImageFormats": "Seulement les formats image (VOBSUB, PGS, SUB)",
"OptionAdminUsers": "Administrateurs",
"OptionAlbumArtist": "Artiste de l'album",
"OptionAllUsers": "Tous les utilisateurs",
"OptionAllowAudioPlaybackTranscoding": "Permettre la lecture audio nécessitant un transcodage",
"OptionAllowBrowsingLiveTv": "Autoriser l'accès à la TV en direct",
@ -886,20 +870,9 @@
"OptionAllowUserToManageServer": "Autoriser la gestion du serveur à cet utilisateur",
"OptionAllowVideoPlaybackRemuxing": "Autoriser la lecture de vidéos nécessitant une conversion sans réencodage",
"OptionAllowVideoPlaybackTranscoding": "Autoriser la lecture de vidéos nécessitant un transcodage",
"OptionArtist": "Artiste",
"OptionAscending": "Croissant",
"OptionAuto": "Automatique",
"OptionAutomaticallyGroupSeries": "Fusionner automatiquement les séries qui sont réparties en plusieurs dossiers",
"OptionAutomaticallyGroupSeriesHelp": "Les séries qui sont réparties en plusieurs dossiers dans la médiathèque seront automatiquement fusionnées en une seule série.",
"OptionBlockBooks": "Livres",
"OptionBlockChannelContent": "Chaînes Internet",
"OptionBlockLiveTvChannels": "Chaînes TV en direct",
"OptionBlockMovies": "Films",
"OptionBlockMusic": "Musique",
"OptionBlockTrailers": "Bandes-annonces",
"OptionBlockTvShows": "Émissions TV",
"OptionCommunityRating": "Note de la communauté",
"OptionContinuing": "En cours",
"OptionCriticRating": "Note des critiques",
"OptionCustomUsers": "Personnalisé",
"OptionDaily": "Quotidien",
@ -907,20 +880,13 @@
"OptionDateAddedFileTime": "Utiliser la date de création du fichier",
"OptionDateAddedImportTime": "Utiliser la date d'ajout dans la médiathèque",
"OptionDatePlayed": "Date de lecture",
"OptionDescending": "Décroissant",
"OptionDisableUser": "Désactiver cet utilisateur",
"OptionDisableUserHelp": "Le serveur n'autorisera pas de connexion de cet utilisateur. Les connexions existantes seront interrompues.",
"OptionDislikes": "Pas aimés",
"OptionDisplayFolderView": "Afficher une vue de dossiers pour montrer les dossiers multimédia en intégralité",
"OptionDisplayFolderViewHelp": "Afficher les dossier au côté de votre médiathèque. Cela peut être utile si vous souhaitez avoir une vue complète des dossiers.",
"OptionDownloadBackImage": "Dos",
"OptionDownloadBannerImage": "Bannière",
"OptionDownloadBoxImage": "Boîtier",
"OptionDownloadDiscImage": "Disque",
"OptionDownloadImagesInAdvance": "Télécharger les images en avance",
"OptionDownloadImagesInAdvanceHelp": "Par défaut, la plupart des images sont téléchargées seulement lorsqu'un client le demande. Sélectionnez cette option pour télécharger toutes les images à l'avance, lorsqu'un nouveau média est importé. Cela peut allonger significativement la durée d'actualisation de la médiathèque.",
"OptionDownloadPrimaryImage": "Principal",
"OptionDownloadThumbImage": "Vignette",
"OptionDvd": "DVD",
"OptionEmbedSubtitles": "Inclure dans le conteneur",
"OptionEnableAccessFromAllDevices": "Autoriser l'accès depuis tous les appareils",
@ -931,31 +897,23 @@
"OptionEnableForAllTuners": "Autoriser pour tous les tuners",
"OptionEnableM2tsMode": "Activer le mode M2TS",
"OptionEnableM2tsModeHelp": "Active le mode M2TS lors d'encodage en MPEGTS.",
"OptionEnded": "Terminé",
"OptionEquals": "Égal",
"OptionEstimateContentLength": "Estimer la taille du contenu lors d'encodage",
"OptionEveryday": "Tous les jours",
"OptionExternallyDownloaded": "Téléchargement externe",
"OptionExtractChapterImage": "Activer l'extraction des images de chapitres",
"OptionFavorite": "Favoris",
"OptionHasSpecialFeatures": "Bonus",
"OptionHasSubtitles": "Sous-titres",
"OptionHasThemeSong": "Chanson thème",
"OptionHasThemeVideo": "Vidéo du générique",
"OptionHasTrailer": "Bande-annonce",
"OptionHideUser": "Ne pas afficher cet utilisateur dans les écrans de connexion",
"OptionHideUserFromLoginHelp": "Recommandé pour les comptes administrateurs privés ou cachés. L'utilisateur devra s'authentifier manuellement en saisissant son nom d'utilisateur et son mot de passe.",
"OptionHlsSegmentedSubtitles": "Sous-titres segmentés HLS",
"OptionHomeVideos": "Photos",
"OptionIgnoreTranscodeByteRangeRequests": "Ignore les requêtes de transcodage de plage d'octets",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Ces requêtes seront honorées mais l'en-tête de plage d'octets sera ignoré.",
"OptionImdbRating": "Note IMDb",
"OptionLikes": "Aimés",
"OptionMax": "Maximum",
"OptionMissingEpisode": "Épisodes manquantes",
"OptionNameSort": "Nom",
"OptionNew": "Nouveau…",
"OptionNone": "Aucun",
"OptionOnInterval": "Par intervalle",
"OptionParentalRating": "Classification parentale",
"OptionPlainStorageFolders": "Afficher tous les dossiers en tant que simples dossiers de stockage",
@ -963,7 +921,6 @@
"OptionPlainVideoItems": "Afficher les vidéos en tant que simples éléments vidéos",
"OptionPlainVideoItemsHelp": "Toutes les vidéos seront affichées dans le DIDL en tant que \"object.item.videoItem\" au lieu de formats plus spécifiques comme, par exemple \"object.item.videoItem.movie\".",
"OptionPlayCount": "Nombre de lectures",
"OptionPlayed": "Lu",
"OptionPremiereDate": "Date de la première",
"OptionProfileVideo": "Vidéo",
"OptionProfileVideoAudio": "Vidéo Audio",
@ -975,7 +932,6 @@
"OptionRequirePerfectSubtitleMatchHelp": "En activant cette option, seuls les sous-titres ayant été testés et vérifiés avec votre fichier vidéo seront téléchargés. En désactivant cette option, vous aurez plus de chance que des sous-titres soient téléchargés, mais ils risquent d'être décalés ou incorrects.",
"OptionResElement": "Résolution d'élément",
"OptionResumable": "Reprise possible",
"OptionRuntime": "Durée",
"OptionSaveMetadataAsHidden": "Enregistrer les métadonnées et les images en tant que fichier cachés",
"OptionSaveMetadataAsHiddenHelp": "La modification s'appliquera aux nouvelles métadonnées enregistrées à l'avenir. Les fichiers de métadonnées existants seront mis à jour la prochaine fois qu'ils seront enregistrés par le serveur.",
"OptionSpecialEpisode": "Spéciaux",
@ -983,7 +939,6 @@
"OptionTrackName": "Titre",
"OptionTvdbRating": "Note d'évaluation TVDB",
"OptionUnairedEpisode": "Épisodes non diffusés",
"OptionUnplayed": "Non lu",
"OptionWakeFromSleep": "Sortie de veille",
"OptionWeekdays": "Jours de la semaine",
"OptionWeekends": "Week-ends",
@ -997,7 +952,6 @@
"PasswordMatchError": "Le mot de passe et sa confirmation doivent correspondre.",
"PasswordResetComplete": "Le mot de passe a été réinitialisé.",
"PasswordResetConfirmation": "Êtes-vous sûr de vouloir réinitialiser le mot de passe ?",
"HeaderResetPassword": "Réinitialiser le mot de passe",
"PasswordSaved": "Mot de passe sauvegardé.",
"People": "Personnes",
"PerfectMatch": "Correspondance parfaite",
@ -1129,12 +1083,10 @@
"TabNfoSettings": "Paramètres NFO",
"TabOther": "Autre",
"TabParentalControl": "Contrôle Parental",
"TabProfile": "Profil",
"TabProfiles": "Profils",
"TabResponses": "Réponses",
"TabScheduledTasks": "Tâches planifiées",
"TabServer": "Serveur",
"TabSettings": "Paramètres",
"TabUpcoming": "À venir",
"Tags": "Étiquettes",
"TagsValue": "Mots clés: {0}",
@ -1204,7 +1156,6 @@
"Art": "Illustration",
"Audio": "Audio",
"Auto": "Auto",
"ButtonGuide": "Guide",
"ButtonPause": "Pause",
"Collections": "Collections",
"Extras": "Extras",
@ -1225,14 +1176,9 @@
"MessageImageTypeNotSelected": "Veuillez sélectionner un type d'image dans le menu déroulant.",
"Normal": "Normal",
"Option3D": "3D",
"OptionAlbum": "Album",
"OptionBluray": "Blu-ray",
"OptionDownloadArtImage": "Illustration",
"OptionDownloadLogoImage": "Logo",
"OptionDownloadMenuImage": "Menu",
"OptionIsHD": "HD",
"OptionIsSD": "SD",
"OptionProfileAudio": "Audio",
"OptionProfilePhoto": "Photo",
"OptionProtocolHttp": "HTTP",
"OptionRegex": "Expression régulière",
@ -1249,35 +1195,18 @@
"ValueMinutes": "{0} min",
"ValueOneAlbum": "1 album",
"OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
"HeaderFavoriteMovies": "Films favoris",
"HeaderFavoriteShows": "Séries favorites",
"HeaderFavoriteEpisodes": "Épisodes favoris",
"HeaderFavoriteAlbums": "Albums favoris",
"HeaderFavoriteArtists": "Artistes préférés",
"HeaderFavoriteSongs": "Chansons préférées",
"HeaderFavoriteVideos": "Vidéos préférées",
"LabelServerName": "Nom du serveur :",
"DashboardVersionNumber": "Version : {0}",
"DashboardServerName": "Serveur : {0}",
"LabelWeb": "Web :",
"MediaInfoStreamTypeAudio": "Audio",
"MediaInfoStreamTypeData": "Données",
"MediaInfoStreamTypeSubtitle": "Sous-titres",
"MediaInfoStreamTypeVideo": "Video",
"AuthProviderHelp": "Sélectionner un fournisseur d'authentification pour authentifier le mot de passe de cet utilisateur.",
"PasswordResetProviderHelp": "Choisissez un fournisseur de réinitialisation de mot de passe à utiliser lorsqu'un utilisateur demande la réinitialisation de son mot de passe.",
"LabelUserLoginAttemptsBeforeLockout": "Tentatives de connexion échouées avant que l'utilisateur ne soit verrouillé:",
"DashboardOperatingSystem": "Système d'Exploitation: {0}",
"DashboardArchitecture": "Architecture : {0}",
"MediaInfoStreamTypeEmbeddedImage": "Miniature",
"MessageNoCollectionsAvailable": "Les collections vous permettent de profiter de groupes personnalisés de Films, Séries et d'Albums. Cliquer sur le bouton + pour commencer à créer des collections.",
"MessageNoServersAvailable": "Aucun serveur n'a été trouvé en utilisant la recherche automatique de serveur.",
"OptionBanner": "Bannière",
"OptionList": "Liste",
"OptionLoginAttemptsBeforeLockout": "Définis le nombre de tentatives de connexion échouées avant blocage du compte.",
"OptionPoster": "Affiche",
"OptionPosterCard": "Affichette",
"OptionThumb": "Vignette",
"LabelAuthProvider": "Fournisseur d'authentification :",
"LabelPasswordResetProvider": "Fournisseur de réinitialisation du mot de passe :",
"LabelTranscodePath": "Emplacement du transcodeur :",
@ -1288,7 +1217,6 @@
"OptionLoginAttemptsBeforeLockoutHelp": "Une valeur de 0 signifie la règle par défaut soit 3 essais pour les utilisateurs et 5 pour les administrateurs. Une valeur à -1 désactive le blocage.",
"TabNetworking": "Réseau",
"PlaybackData": "Données de lecture",
"OptionThumbCard": "Vignette (cadre)",
"SubtitleOffset": "Décalage des sous-titres",
"ButtonAddImage": "Ajouter une image",
"LabelSize": "Taille :",
@ -1309,12 +1237,10 @@
"LabelAudioSampleRate": "Taux déchantillonnage audio :",
"LabelAudioCodec": "Codec audio :",
"LabelAudioChannels": "Canaux audio :",
"HeaderFavoriteBooks": "Livres préférés",
"FetchingData": "Récupérer des données supplémentaires",
"CopyStreamURLSuccess": "URL copiée avec succès.",
"CopyStreamURL": "Copier l'URL du flux",
"LabelBaseUrlHelp": "Ajoute un sous-répertoire personnalisé à l'adresse URL du serveur. Par exemple : <code>http://exemple.com/<b>&lt;baseurl&gt;</b></code>",
"HeaderFavoritePeople": "Personnes préférées",
"OptionRandom": "Aléatoire",
"ButtonSplit": "Séparer",
"SelectAdminUsername": "Veuillez choisir un nom d'utilisateur pour le compte administrateur.",
@ -1334,7 +1260,6 @@
"PreferEmbeddedEpisodeInfosOverFileNames": "Préférer les informations intégrées aux noms de fichiers",
"PreferEmbeddedEpisodeInfosOverFileNamesHelp": "Utilise les informations des métadonnées intégrées, si disponible.",
"ClientSettings": "Paramètres Client",
"Track": "Piste",
"Season": "Saison",
"Person": "Personne",
"Movie": "Film",
@ -1365,7 +1290,6 @@
"ButtonTogglePlaylist": "Liste de lecture",
"Filter": "Filtre",
"New": "Nouveau",
"HeaderFavoritePlaylists": "Listes de lecture favorites",
"LabelChromecastVersion": "Version de Chromecast",
"LabelEnableHttpsHelp": "Écouter les requêtes HTTPS sur le port configuré. Un certificat valide doit être fourni pour permettre ce mode de fonctionnement.",
"LabelEnableHttps": "Activer HTTPS",

View file

@ -3,7 +3,6 @@
"ButtonCancel": "Abbreche",
"ButtonOk": "OK",
"ButtonQuickStartGuide": "Schnellstart Instruktione",
"ButtonResetPassword": "Passwort zrug setze",
"ButtonSignOut": "Uslogge",
"ChannelAccessHelp": "Wähl en Kanal us, um de mit dem User z'teile. Administratore werded immer d'Möglichkeit ha alli Kanäl mitm Metadate Manager z'bearbeite.",
"Continuing": "Fortlaufend",
@ -47,31 +46,21 @@
"MoreUsersCanBeAddedLater": "Meh User chönt spöter im Dashboard hinzuegfüegt werde.",
"NewCollectionNameExample": "Biispell: Star Wars Sammlig",
"MessageNoNextUpItems": "Nix da. Fang mal a Serie luege!",
"OptionAlbumArtist": "Album-Artist",
"OptionAscending": "Ufstiigend",
"OptionBluray": "BluRay",
"OptionCommunityRating": "Community Bewertig",
"OptionContinuing": "Fortlaufend",
"OptionCriticRating": "Kritiker Bewertig",
"OptionDateAdded": "Dezue gfüegt am",
"OptionDatePlayed": "Abgspellt am",
"OptionDescending": "Abstiigend",
"OptionDvd": "DVD",
"OptionEnableAccessFromAllDevices": "Aktiviere de Zuegriff vo allne Grät",
"OptionEnableAccessToAllChannels": "Aktiviere de Zuegriff zu allne Kanäl",
"OptionEnableAccessToAllLibraries": "Aktiviere de Zuegriff zu allne Bibliotheke",
"OptionEnded": "Beendent",
"OptionFavorite": "Favorite",
"OptionHasSubtitles": "Undertitel",
"OptionImdbRating": "IMDB Bewertig",
"OptionParentalRating": "Altersfriigab",
"OptionPlayCount": "Zähler",
"OptionPlayed": "Gspellt",
"OptionPremiereDate": "Premiere Datum",
"OptionReleaseDate": "Release Ziit",
"OptionResumable": "Chan fortgsetzt werde",
"OptionRuntime": "Laufziit",
"OptionUnplayed": "Ungspellt",
"ParentalRating": "Parental Rating",
"Saturday": "Samstig",
"Save": "Speichere",
@ -84,7 +73,6 @@
"TabMyPlugins": "Miini Plugins",
"TabNetworks": "Studios",
"TabNotifications": "Mitteilige",
"TabProfile": "Profil",
"TabProfiles": "Profil",
"TabUpcoming": "Usstehend",
"TellUsAboutYourself": "Verzell was über dech selber",
@ -105,11 +93,6 @@
"Genres": "Genres",
"HeaderAlbumArtists": "Album-Künstler",
"HeaderContinueWatching": "weiter schauen",
"HeaderFavoriteAlbums": "Lieblingsalben",
"HeaderFavoriteArtists": "Lieblings-Künstler",
"HeaderFavoriteEpisodes": "Lieblingsepisoden",
"HeaderFavoriteShows": "Lieblingsserien",
"HeaderFavoriteSongs": "Lieblingslieder",
"Movies": "Film",
"Photos": "Fotis",
"Playlists": "Wedergabeliste",

View file

@ -23,8 +23,6 @@
"ButtonQuickStartGuide": "מדריך מהיר",
"ButtonRefreshGuideData": "רענן את מדריך השידור",
"ButtonRemove": "הסר",
"ButtonResetPassword": "איפוס סיסמא",
"ButtonRestart": "הפעל מחדש",
"ButtonSelectDirectory": "בחר תיקיות",
"ButtonShutdown": "כבה",
"ButtonSignIn": "היכנס",
@ -48,7 +46,6 @@
"DeleteImageConfirmation": "האם אתה בטוח שברצונך למחוק תמונה זו?",
"DeleteMedia": "מחק מדיה",
"DeleteUser": "מחק משתמש",
"Dislike": "לא אוהב",
"DoNotRecord": "אל תקליט",
"Download": "הורדה",
"Edit": "ערוך",
@ -100,7 +97,6 @@
"HeaderLatestRecordings": "הקלטות אחרונות",
"HeaderMediaFolders": "ספריות מדיה",
"HeaderMetadataSettings": "הגדרות מטא-דאטה",
"HeaderMusicVideos": "קליפים",
"HeaderMyMedia": "המדיה שלי",
"HeaderPaths": "נתיבים",
"HeaderPlayAll": "נגן הכל",
@ -113,7 +109,6 @@
"HeaderServerSettings": "הגדרות שרת",
"HeaderSetupLibrary": "הגדר את ספריית המדיה שלך",
"HeaderSpecialEpisodeInfo": "פרטי אפיזודות מיוחדות",
"HeaderSpecialFeatures": "מאפיינים מיוחדים",
"HeaderStatus": "מצב",
"HeaderSystemDlnaProfiles": "פרופילי מערכת",
"HeaderUsers": "משתמשים",
@ -242,7 +237,6 @@
"LabelYear": "שנה:",
"LabelYoureDone": "סיימת!",
"LibraryAccessHelp": "בחר את הספריות אשר ישותפו עם המשתמש. מנהלים יוכלו לערות את כל התיקיות באמצעות עורך המידע.",
"Like": "אוהב",
"Live": "שידור חי",
"LiveBroadcasts": "שידורים חיים",
"MarkPlayed": "סמן נוגן",
@ -275,66 +269,40 @@
"NoSubtitleSearchResultsFound": "לא נמצאו תוצאות.",
"Option3D": "תלת מימד",
"OptionAdminUsers": "מנהלים",
"OptionAlbum": "אלבום",
"OptionAlbumArtist": "אמן אלבום",
"OptionAllUsers": "כל המשתמשים",
"OptionAllowLinkSharing": "אפשר שיתוף ברשתות חברתיות",
"OptionAllowMediaPlayback": "אפשר ניגון מדיה",
"OptionAllowUserToManageServer": "אפשר למשתמש זה לנהל את השרת",
"OptionArtist": "אמן",
"OptionAscending": "סדר עולה",
"OptionBlockMovies": "סרטים",
"OptionBlockTvShows": "תוכניות טלויזיה",
"OptionBluray": "בלו-ריי",
"OptionCommunityRating": "דירוג הקהילה",
"OptionContinuing": "ממשיך",
"OptionCriticRating": "ציון מבקרים",
"OptionCustomUsers": "מותאם אישית",
"OptionDaily": "כל יום",
"OptionDateAdded": "תאריך הוספה",
"OptionDatePlayed": "תאריך ניגון",
"OptionDescending": "סדר יורד",
"OptionDisableUser": "בטל משתמש זה",
"OptionDisableUserHelp": "השרת לא יאפשר חיבורים ממשתמש זה. חיבורים פעילים יבוטלו מייד.",
"OptionDislikes": "לא אוהב",
"OptionDownloadArtImage": "עטיפה",
"OptionDownloadBackImage": "גב",
"OptionDownloadBannerImage": "באנר",
"OptionDownloadBoxImage": "מארז",
"OptionDownloadDiscImage": "דיסק",
"OptionDownloadLogoImage": "לוגו",
"OptionDownloadMenuImage": "תפריט",
"OptionDownloadPrimaryImage": "ראשי",
"OptionDvd": "DVD",
"OptionEnded": "הסתיים",
"OptionFavorite": "מועדפים",
"OptionHasSpecialFeatures": "מאפיינים מיוחדים",
"OptionHasSubtitles": "כתוביות",
"OptionHasThemeSong": "שיר נושא",
"OptionHasThemeVideo": "סרט נושא",
"OptionHasTrailer": "קדימון",
"OptionHideUser": "הסתר משתמש זה בחלון ההתחברות",
"OptionImdbRating": "דירוג IMDb",
"OptionLikes": "נבחרים",
"OptionMissingEpisode": "פרקים חסרים",
"OptionNameSort": "שם",
"OptionNew": "חדש…",
"OptionOnInterval": "כל פרק זמן",
"OptionParentalRating": "דירוג בקרת הורים",
"OptionPlayCount": "כמות ניגונים",
"OptionPlayed": "נוגן",
"OptionPremiereDate": "תאריך בכורה",
"OptionProfileAudio": "צליל",
"OptionProfilePhoto": "תמונה",
"OptionProfileVideo": "וידאו",
"OptionProfileVideoAudio": "צליל וידאו",
"OptionResumable": "ניתן להמשיך",
"OptionRuntime": "זמן ריצה",
"OptionSpecialEpisode": "ספיישלים",
"OptionTrackName": "שם הרצועה",
"OptionTvdbRating": "דירוג TVDB",
"OptionUnairedEpisode": "פרקים שלא שודרו",
"OptionUnplayed": "לא נוגן",
"OptionWakeFromSleep": "הער ממצב שינה",
"OptionWeekly": "כל שבוע",
"OriginalAirDateValue": "תאריך אוויר מקורי: {0}",
@ -414,10 +382,8 @@
"TabMyPlugins": "התוספים שלי",
"TabNetworks": "רשתות",
"TabNotifications": "התראות",
"TabProfile": "פרופיל",
"TabProfiles": "פרופילים",
"TabServer": "שרת",
"TabSettings": "הגדרות",
"TabUpcoming": "בקרוב",
"Tags": "מילות מפתח",
"TellUsAboutYourself": "ספר לנו על עצמך",
@ -478,12 +444,7 @@
"Yesterday": "אתמול",
"HeaderAlbumArtists": "אמני האלבום",
"Favorites": "מועדפים",
"HeaderFavoriteAlbums": "אלבומים מועדפים",
"HeaderFavoriteArtists": "אמנים מועדפים",
"Folders": "תיקיות",
"HeaderFavoriteShows": "תוכניות מועדפות",
"HeaderFavoriteEpisodes": "פרקים מועדפים",
"HeaderFavoriteSongs": "שירים מועדפים",
"Collections": "אוספים",
"Channels": "ערוצים",
"HeaderContinueWatching": "המשך לצפות",
@ -509,10 +470,8 @@
"ButtonTrailer": "קדימון",
"ButtonSplit": "פיצול",
"ButtonStop": "עצור",
"ButtonSettings": "הגדרות",
"ButtonSend": "שלח",
"ButtonSelectView": "בחר תצוגה",
"ButtonSelectServer": "בחר שרת",
"ButtonRename": "שנה שם",
"ButtonPause": "השהה",
"ButtonParentalControl": "בקרת הורים",
@ -533,14 +492,10 @@
"HeaderStopRecording": "עצור הקלטה",
"HeaderSortOrder": "סדר מיון",
"HeaderSortBy": "מיין לפי",
"HeaderSettings": "הגדרות",
"HeaderSendMessage": "שלח הודעה",
"HeaderSelectServer": "בחר שרת",
"HeaderSecondsValue": "{0} שניות",
"HeaderSeasons": "עונות",
"HeaderRestart": "הפעלה מחדש",
"HeaderProfileInformation": "מידע פרופיל",
"HeaderProfile": "פרופיל",
"HeaderPreferredMetadataLanguage": "שפת מטא-דאטה מועדפת",
"HeaderPluginInstallation": "התקנת תוסף",
"HeaderPlayOn": "נגן על",
@ -561,10 +516,6 @@
"HeaderInstall": "התקנה",
"HeaderImageOptions": "הגדרות תמונה",
"HeaderForKids": "עבור ילדים",
"HeaderFavoriteVideos": "סרטונים מועדפים",
"HeaderFavoritePeople": "אנשים מועדפים",
"HeaderFavoriteMovies": "סרטים מועדפים",
"HeaderFavoriteBooks": "ספרים מועדפים",
"HeaderError": "שגיאה",
"HeaderDownloadSync": "הורדה וסנכרון",
"HeaderDevices": "מכשירים",
@ -609,7 +560,6 @@
"Down": "למטה",
"Display": "תצוגה",
"Disc": "דיסק",
"Disabled": "לא מאופשר",
"DirectStreaming": "הזרמה ישירה",
"DirectPlaying": "ניגון ישיר",
"DetectingDevices": "מזהה מכשירים",
@ -626,17 +576,14 @@
"ButtonRevoke": "בטל",
"TabScheduledTasks": "משימות מתוזמנות",
"ButtonResume": "המשך",
"ButtonProfile": "פרופיל",
"ButtonOpen": "פתח",
"HeaderTracks": "רצועות",
"ButtonPreviousTrack": "הרצועה הקודמת",
"ButtonNextTrack": "הרצועה הבאה",
"ButtonGuide": "מדריך",
"ButtonForgotPassword": "שחזור סיסמה",
"ButtonEditOtherUserPreferences": "ערוך את הפרופיל, התמונה וההגדרות האישיות של משתמש זה.",
"ButtonChangeServer": "החלף שרת",
"ButtonBack": "חזרה",
"OptionBanner": "באנר",
"ButtonAudioTracks": "רצועות שמע",
"ButtonArrowRight": "ימינה",
"ButtonArrowLeft": "שמאלה",
@ -723,10 +670,6 @@
"Logo": "לוגו",
"OptionDateAddedImportTime": "השתמש בתאריך הסריקה לתוך הספרייה",
"OptionDateAddedFileTime": "השתמש בתאריך יצירת הקובץ",
"OptionBlockTrailers": "קדימונים",
"OptionBlockMusic": "מוזיקה",
"OptionBlockLiveTvChannels": "ערוצי שידורים חיים",
"OptionBlockBooks": "ספרים",
"OptionAllowRemoteSharedDevices": "אפשר שליטה מרחוק על מכשירים משותפים",
"OptionAllowRemoteControlOthers": "אפשר שליטה מרחוק על משתמשים אחרים",
"SelectAdminUsername": "נא לבחור שם משתמש עבור חשבון המנהל.",
@ -736,7 +679,6 @@
"HeaderAdmin": "מנהל",
"Suggestions": "המלצות",
"MessageSyncPlayNoGroupsAvailable": "אין קבוצות זמינות. התחל לנגן משהו קודם.",
"OptionHomeVideos": "תמונות",
"Home": "בית",
"LabelServerName": "שם השרת:",
"TabPlugins": "תוספים",
@ -766,11 +708,8 @@
"OptionReleaseDate": "תאריך שחרור",
"OptionRegex": "ביטוי-רגולרי",
"OptionRandom": "אקראי",
"OptionPoster": "פוסטר",
"OptionNone": "כלום",
"OptionMax": "מקסימום",
"List": "רשימה",
"OptionList": "רשימה",
"OptionIsSD": "הבחנה רגילה (SD)",
"OptionIsHD": "הבחנה גבוהה (HD)",
"OptionExternallyDownloaded": "הורדה חיצונית",

View file

@ -38,7 +38,6 @@
"ButtonManualLogin": "मैनुअल लॉगिन",
"ButtonLibraryAccess": "पुस्तकालय का उपयोग",
"ButtonInfo": "जानकारी",
"ButtonGuide": "मार्गदर्शक",
"ButtonGotIt": "समझ गया",
"ButtonFullscreen": "पूर्ण स्क्रीन",
"ButtonForgotPassword": "पासवर्ड भूल गए",

View file

@ -29,7 +29,6 @@
"ButtonForgotPassword": "Zaboravili ste lozinku",
"ButtonFullscreen": "Puni zaslon",
"ButtonGotIt": "Shvaćam",
"ButtonGuide": "Vodič",
"ButtonLibraryAccess": "Pristup biblioteci",
"ButtonManualLogin": "Ručna prijava",
"ButtonMore": "Više",
@ -40,21 +39,16 @@
"ButtonParentalControl": "Roditeljska kontrola",
"ButtonPause": "Pauza",
"ButtonPreviousTrack": "Prethodna pjesma",
"ButtonProfile": "Profil",
"ButtonQuickStartGuide": "Vodič za brzi početak",
"ButtonRefreshGuideData": "Osvježi TV vodič",
"ButtonRemove": "Ukloni",
"ButtonRename": "Preimenuj",
"ButtonResetEasyPassword": "Poništi jednostavan PIN kod",
"ButtonResetPassword": "Resetiraj lozinku",
"ButtonRestart": "Ponovo pokreni",
"ButtonResume": "Nastavi",
"ButtonRevoke": "Opozvati",
"ButtonSelectDirectory": "Odaberi mapu",
"ButtonSelectServer": "Odaberi Server",
"ButtonSelectView": "Odaberi pogled",
"ButtonSend": "Pošalji",
"ButtonSettings": "Postavke",
"ButtonShutdown": "Ugasi",
"ButtonSignIn": "Prijava",
"ButtonSignOut": "Odjava",
@ -89,7 +83,6 @@
"DeleteUserConfirmation": "Da li ste sigurni da želite izbrisati odabranog korisnika?",
"DeviceAccessHelp": "To se odnosi samo na uređaje koji se mogu jedinstveno identificirati i neće spriječiti pristup preglednika. Filtriranje pristupa korisničkim uređajima spriječiti će ih u korištenju novih uređaja sve dok nisu ovdje odobreni.",
"Director": "Režiser",
"Dislike": "Ne sviđa mi se",
"DoNotRecord": "Ne snimi",
"Download": "Preuzimanje",
"DrmChannelsNotImported": "Kanali s DRM se neće uvesti.",
@ -205,7 +198,6 @@
"HeaderMediaFolders": "Medijska mapa",
"HeaderMetadataSettings": "Postavke meta-podataka",
"HeaderMoreLikeThis": "Više ovakvih",
"HeaderMusicVideos": "Muzički spotovi",
"HeaderMyMedia": "Moji mediji",
"HeaderNewApiKey": "Novi API ključ",
"HeaderOtherItems": "Ostale stavke",
@ -217,7 +209,6 @@
"HeaderPleaseSignIn": "Molim, prijavite se",
"HeaderPluginInstallation": "Instalacija dodataka",
"HeaderPreferredMetadataLanguage": "Željeni jezik meta-podataka",
"HeaderProfile": "Profil",
"HeaderProfileInformation": "Informacija profila",
"HeaderProfileServerSettingsHelp": "Ove vrijednosti kontroliraju kako će se Jellyfin Server predstaviti na uređaju.",
"HeaderRecentlyPlayed": "Zadnje izvođeno",
@ -227,7 +218,6 @@
"HeaderRemoveMediaLocation": "Ukloni lokacije medija",
"HeaderResponseProfile": "Profil odziva",
"HeaderResponseProfileHelp": "Profili odgovora pružaju način prilagodbe informacija koje se šalju na uređaj kada reproducirate određene vrste medija.",
"HeaderRestart": "Ponovo pokreni",
"HeaderRevisionHistory": "Povijest revizije",
"HeaderRunningTasks": "Zadatci koji se izvode",
"HeaderScenes": "Scene",
@ -236,7 +226,6 @@
"HeaderSelectMetadataPath": "Odaberite putanju meta-podataka",
"HeaderSelectMetadataPathHelp": "Pregledajte ili unesite putanju za pohranu meta-podataka. U mapu se mora moći pisati.",
"HeaderSelectPath": "Odaberi putanju",
"HeaderSelectServer": "Odaberi Server",
"HeaderSelectServerCachePath": "Odaberite putanju predmemorije servera",
"HeaderSelectServerCachePathHelp": "Pregledajte ili unesite putanju za korištenje predmemorijskih datoteka. U mapu se mora moći pisati.",
"HeaderSelectTranscodingPath": "Odaberite privremenu putanju konvertiranja",
@ -244,12 +233,10 @@
"HeaderSendMessage": "Pošalji poruku",
"HeaderSeriesOptions": "Opcije serija",
"HeaderServerSettings": "Postavke Servera",
"HeaderSettings": "Postavke",
"HeaderSetupLibrary": "Postavite vaše medijske biblioteke",
"HeaderSortBy": "Složi po",
"HeaderSortOrder": "Redoslijed",
"HeaderSpecialEpisodeInfo": "Posebni podaci o epizodi",
"HeaderSpecialFeatures": "Specijalne značajke",
"HeaderSubtitleProfile": "Profil titlova prijevoda",
"HeaderSubtitleProfiles": "Profili titlova prijevoda",
"HeaderSubtitleProfilesHelp": "Profili titlova prijevoda opisuju format titlova koji podržava uređaj.",
@ -540,7 +527,6 @@
"LabelffmpegPath": "FFmpeg putanja:",
"LabelffmpegPathHelp": "Putanja do FFmpeg aplikacijske datoteke ili mape koja sadrži FFmpeg.",
"LibraryAccessHelp": "Odaberite medijske mape za djeljenje sa ovim korisnikom. Administratori će moći mjenjati sve mape preko Metadata menadžera.",
"Like": "Sviđa mi se",
"Live": "Uživo",
"LiveBroadcasts": "Emitiranja uživo",
"MapChannels": "Mapiraj kanale",
@ -633,8 +619,6 @@
"NoSubtitleSearchResultsFound": "Nije ništa pronađeno.",
"NumLocationsValue": "{0} mape",
"OptionAdminUsers": "Administratori",
"OptionAlbum": "Albumu",
"OptionAlbumArtist": "Albumu izvođača",
"OptionAllUsers": "Svi korisnici",
"OptionAllowAudioPlaybackTranscoding": "Dopusti audio reprodukciju koja zahtijeva konvertiranje",
"OptionAllowBrowsingLiveTv": "Dopusti pristup TV uživo",
@ -649,18 +633,7 @@
"OptionAllowUserToManageServer": "Dopusti ovom korisniku da upravlja serverom",
"OptionAllowVideoPlaybackRemuxing": "Dopusti video reprodukciju koja zahtijeva konvertiranje bez ponovnog kodiranja",
"OptionAllowVideoPlaybackTranscoding": "Dopusti video reprodukciju koja zahtijeva konvertiranje",
"OptionArtist": "Izvođaču",
"OptionAscending": "Uzlazno",
"OptionAuto": "Automatski",
"OptionBlockBooks": "Knjige",
"OptionBlockChannelContent": "Sadržaj Internet kanala",
"OptionBlockLiveTvChannels": "TV kanali uživo",
"OptionBlockMovies": "Filmovi",
"OptionBlockMusic": "Glazba",
"OptionBlockTrailers": "Kratki filmovi",
"OptionBlockTvShows": "TV emisije",
"OptionCommunityRating": "Ocjeni zajednice",
"OptionContinuing": "Nastavlja se",
"OptionCriticRating": "Ocjeni kritike",
"OptionCustomUsers": "Prilagođeno",
"OptionDaily": "Dnevno",
@ -668,21 +641,12 @@
"OptionDateAddedFileTime": "Koristi datum stvaranja datoteke",
"OptionDateAddedImportTime": "Koristi skenirano datumom u biblioteku",
"OptionDatePlayed": "Datumu izvođenja",
"OptionDescending": "Silazno",
"OptionDisableUser": "Onemogući ovog korisnika",
"OptionDisableUserHelp": "Ako je onemogućen server neće dopustiti nikakve veze od ovog korisnika. Postojeće veze će odmah biti prekinute.",
"OptionDislikes": "Nevolim",
"OptionDisplayFolderView": "Prikaz pogleda mape za prikaz obične medijske mape",
"OptionDisplayFolderViewHelp": "Ako je omogućeno, Jellyfin aplikacija će prikazati kategoriju mape uz vašu medijsku biblioteku. To je korisno ako želite imati običan pogled mapa.",
"OptionDownloadArtImage": "Grafike",
"OptionDownloadBackImage": "Druga str.",
"OptionDownloadBannerImage": "Zaglavlje",
"OptionDownloadBoxImage": "Kutija",
"OptionDownloadDiscImage": "Disk",
"OptionDownloadImagesInAdvance": "Preuzmi slike unaprijed",
"OptionDownloadMenuImage": "Meni",
"OptionDownloadPrimaryImage": "Primarno",
"OptionDownloadThumbImage": "Sličica",
"OptionEmbedSubtitles": "Omogući unutar spremnika",
"OptionEnableAccessFromAllDevices": "Omogući pristup svim uređajima",
"OptionEnableAccessToAllChannels": "Omogući pristup svim kanalima",
@ -692,31 +656,23 @@
"OptionEnableForAllTuners": "Omogući za sve TV/Radio uređaje",
"OptionEnableM2tsMode": "Omogući M2ts način",
"OptionEnableM2tsModeHelp": "Omogući M2ts način kada se kodira u mpegts.",
"OptionEnded": "Završeno",
"OptionEquals": "Jednako",
"OptionEstimateContentLength": "Procjena duljine sadržaja kada se konvertira",
"OptionEveryday": "Svaki dan",
"OptionExternallyDownloaded": "Vanjsko preuzimanje",
"OptionExtractChapterImage": "Omogući preuzimanje slika iz poglavlja",
"OptionFavorite": "Omiljeni",
"OptionHasSpecialFeatures": "Specijalne opcije",
"OptionHasSubtitles": "Titlovi",
"OptionHasThemeSong": "Pjesma teme",
"OptionHasThemeVideo": "Video teme",
"OptionHasTrailer": "Kratki video",
"OptionHideUser": "Sakrij korisnika sa prozora prijave",
"OptionHideUserFromLoginHelp": "Korisno za privatne ili skrivene administratorske račune. Korisnik će se morati prijaviti ručno unosom svojeg korisničkog imena i lozinke.",
"OptionHlsSegmentedSubtitles": "Hls dijelovi titlova prijevoda",
"OptionHomeVideos": "Kućni videi i slike",
"OptionIgnoreTranscodeByteRangeRequests": "Zanemari raspon zahtjeva prikrivenog bajta",
"OptionIgnoreTranscodeByteRangeRequestsHelp": "Ako je omogućeno, zahtjevi će biti poštovani, ali će ignorirati zaglavlja raspona bajta.",
"OptionImdbRating": "IMDb ocjena",
"OptionLikes": "Volim",
"OptionMax": "Maksimalno",
"OptionMissingEpisode": "Epizode koje nedostaju",
"OptionNameSort": "Nazivu",
"OptionNew": "Novo…",
"OptionNone": "Ništa",
"OptionOnInterval": "U intervalu",
"OptionParentalRating": "Roditeljska ocjena",
"OptionPlainStorageFolders": "Prikaži sve mape kako jednostavne mape za skladištenje",
@ -724,7 +680,6 @@
"OptionPlainVideoItems": "Prikaži sve video zapise kao jednostavne video stavke",
"OptionPlainVideoItemsHelp": "Ako je omogućeno, sav video se prezentira u DIDL-u kao \"objekt.stavka.videoStavka\" umjesto više specijaliziranog tipa kao \"objekt.stavka.videoStavka.film\".",
"OptionPlayCount": "Broju izvođenja",
"OptionPlayed": "Izvođeni",
"OptionPremiereDate": "Datum premijere",
"OptionProfilePhoto": "Slika",
"OptionProtocolHls": "Http strujanje uživo",
@ -733,7 +688,6 @@
"OptionReportByteRangeSeekingWhenTranscodingHelp": "To je potrebno za neke uređaje koji ne mogu dobro koristiti pretraživanje vremena.",
"OptionRequirePerfectSubtitleMatch": "Samo preuzimanje titlova prijevoda koji su savršen izbor za moje video datoteke",
"OptionResumable": "Nastavi",
"OptionRuntime": "Trajanje",
"OptionSaveMetadataAsHidden": "Spremite meta-podatke i slike kao skrivene datoteke",
"OptionSaveMetadataAsHiddenHelp": "Promjena ovoga će se primjenjivati na nove meta-podatke spremljene unaprijed. Postojeće datoteke meta-podataka će se ažurirati sljedeći puta kada ih spremi Jellyfin Server.",
"OptionSpecialEpisode": "Specijal",
@ -741,7 +695,6 @@
"OptionTrackName": "Nazivu pjesme",
"OptionTvdbRating": "Ocjeni Tvdb",
"OptionUnairedEpisode": "Ne emitirane epizode",
"OptionUnplayed": "Neizvođeni",
"OptionWakeFromSleep": "Pokreni iz stanja mirovanja",
"OptionWeekdays": "Radni dani",
"OptionWeekends": "Vikendi",
@ -755,7 +708,6 @@
"PasswordMatchError": "Lozinka i lozinka potvrde moraju biti identične.",
"PasswordResetComplete": "Lozinka je resetirana.",
"PasswordResetConfirmation": "Da li ste sigurni da želite resetirati lozinku?",
"HeaderResetPassword": "Poništi lozinku",
"PasswordSaved": "Lozinka snimljena.",
"People": "Ljudi",
"PinCodeResetComplete": "PIN je resetiran.",
@ -844,11 +796,9 @@
"TabOther": "Ostalo",
"TabParentalControl": "Roditeljska kontrola",
"TabPlugins": "Dodaci",
"TabProfile": "Profil",
"TabProfiles": "Profili",
"TabResponses": "Odazivi",
"TabScheduledTasks": "Zakazani zadaci",
"TabSettings": "Postavke",
"TabStreaming": "Strujanje",
"TabUpcoming": "Uskoro",
"Tags": "Oznake",
@ -916,11 +866,6 @@
"Songs": "Pjesme",
"Shows": "Serije",
"Photos": "Slike",
"HeaderFavoriteSongs": "Omiljene pjesme",
"HeaderFavoriteArtists": "Omiljeni izvođači",
"HeaderFavoriteAlbums": "Omiljeni albumi",
"HeaderFavoriteEpisodes": "Omiljene epizode",
"HeaderFavoriteShows": "Omiljene serije",
"HeaderContinueWatching": "Nastavi gledati",
"HeaderAlbumArtists": "Izvođači na albumu",
"Folders": "Mape",
@ -964,18 +909,12 @@
"Box": "Kutija",
"AskAdminToCreateLibrary": "Traži administratora da kreira biblioteku.",
"PictureInPicture": "Slika u slici",
"OptionThumb": "Sličica",
"OptionProtocolHttp": "HTTP",
"OptionProfileVideo": "Video",
"OptionProfileAudio": "Audio",
"OptionPoster": "Poster",
"OptionList": "Lista",
"OptionIsSD": "SD",
"OptionIsHD": "HD",
"OptionDvd": "DVD",
"OptionDownloadLogoImage": "Logo",
"OptionBluray": "Blu-ray",
"OptionBanner": "Zaglavlje",
"Option3D": "3D",
"OneChannel": "Jedan kanal",
"Off": "Isključi",
@ -998,14 +937,9 @@
"MessageNoRepositories": "Nema repozitorija.",
"MessageConfirmAppExit": "Da li želite izaći?",
"Menu": "Meni",
"MediaInfoStreamTypeVideo": "Video",
"MediaInfoStreamTypeSubtitle": "Prijevod",
"MediaInfoStreamTypeData": "Podaci",
"MediaInfoStreamTypeAudio": "Audio",
"Logo": "Logo",
"List": "Lista",
"LabelYear": "Godina:",
"LabelVideo": "Video",
"DashboardArchitecture": "Arhitektura: {0}",
"DashboardOperatingSystem": "Operativni sustav: {0}",
"DashboardServerName": "Server: {0}",
@ -1068,9 +1002,6 @@
"HeaderNavigation": "Navigacija",
"HeaderMyDevice": "Moj uređaj",
"HeaderLibrarySettings": "Postavke biblioteke",
"HeaderFavoritePeople": "Omiljeni ljudi",
"HeaderFavoriteMovies": "Omiljeni filmovi",
"HeaderFavoriteBooks": "Omiljene knjige",
"HeaderDVR": "DVR",
"HeaderDownloadSync": "Preuzmi i sinkroniziraj",
"HeaderContinueListening": "Nastavi slušati",
@ -1104,7 +1035,6 @@
"Display": "Prikaz",
"Disconnect": "Odspoji",
"Disc": "Disk",
"Disabled": "Onemogućeno",
"Directors": "Režiseri",
"DirectPlaying": "Direktna reprodukcija",
"DetectingDevices": "Tražim uređaje",

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