mirror of
https://github.com/jellyfin/jellyfin-web
synced 2025-03-30 19:56:21 +00:00
Merge remote-tracking branch 'upstream/master' into translate-everything
This commit is contained in:
commit
bdfc3d97b2
50 changed files with 809 additions and 581 deletions
143
gulpfile.js
143
gulpfile.js
|
@ -18,6 +18,8 @@ const stream = require('webpack-stream');
|
||||||
const inject = require('gulp-inject');
|
const inject = require('gulp-inject');
|
||||||
const postcss = require('gulp-postcss');
|
const postcss = require('gulp-postcss');
|
||||||
const sass = require('gulp-sass');
|
const sass = require('gulp-sass');
|
||||||
|
const gulpif = require('gulp-if');
|
||||||
|
const lazypipe = require('lazypipe');
|
||||||
|
|
||||||
sass.compiler = require('node-sass');
|
sass.compiler = require('node-sass');
|
||||||
|
|
||||||
|
@ -28,6 +30,30 @@ if (mode.production()) {
|
||||||
config = require('./webpack.dev.js');
|
config = require('./webpack.dev.js');
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const options = {
|
||||||
|
javascript: {
|
||||||
|
query: ['src/**/*.js', '!src/bundle.js', '!src/standalone.js', '!src/scripts/apploader.js']
|
||||||
|
},
|
||||||
|
apploader: {
|
||||||
|
query: ['src/standalone.js', 'src/scripts/apploader.js']
|
||||||
|
},
|
||||||
|
css: {
|
||||||
|
query: ['src/**/*.css', 'src/**/*.scss']
|
||||||
|
},
|
||||||
|
html: {
|
||||||
|
query: ['src/**/*.html', '!src/index.html']
|
||||||
|
},
|
||||||
|
images: {
|
||||||
|
query: ['src/**/*.png', 'src/**/*.jpg', 'src/**/*.gif', 'src/**/*.svg']
|
||||||
|
},
|
||||||
|
copy: {
|
||||||
|
query: ['src/**/*.json', 'src/**/*.ico']
|
||||||
|
},
|
||||||
|
injectBundle: {
|
||||||
|
query: 'src/index.html'
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
function serve() {
|
function serve() {
|
||||||
browserSync.init({
|
browserSync.init({
|
||||||
server: {
|
server: {
|
||||||
|
@ -36,40 +62,89 @@ function serve() {
|
||||||
port: 8080
|
port: 8080
|
||||||
});
|
});
|
||||||
|
|
||||||
watch(['src/**/*.js', '!src/bundle.js'], series(javascript, standalone));
|
let events = ['add', 'change'];
|
||||||
watch('src/bundle.js', webpack);
|
|
||||||
watch('src/**/*.css', css);
|
|
||||||
watch(['src/**/*.html', '!src/index.html'], html);
|
|
||||||
watch(['src/**/*.png', 'src/**/*.jpg', 'src/**/*.gif', 'src/**/*.svg'], images);
|
|
||||||
watch(['src/**/*.json', 'src/**/*.ico'], copy);
|
|
||||||
watch('src/index.html', injectBundle);
|
|
||||||
}
|
|
||||||
|
|
||||||
function standalone() {
|
watch(options.javascript.query).on('all', function (event, path) {
|
||||||
return src(['src/standalone.js', 'src/scripts/apploader.js'], { base: './src/' })
|
if (events.includes(event)) {
|
||||||
.pipe(concat('scripts/apploader.js'))
|
javascript(path);
|
||||||
.pipe(dest('dist/'))
|
}
|
||||||
.pipe(browserSync.stream());
|
});
|
||||||
|
|
||||||
|
watch(options.apploader.query, apploader(true));
|
||||||
|
|
||||||
|
watch('src/bundle.js', webpack);
|
||||||
|
|
||||||
|
watch(options.css.query).on('all', function (event, path) {
|
||||||
|
if (events.includes(event)) {
|
||||||
|
css(path);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
watch(options.html.query).on('all', function (event, path) {
|
||||||
|
if (events.includes(event)) {
|
||||||
|
html(path);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
watch(options.images.query).on('all', function (event, path) {
|
||||||
|
if (events.includes(event)) {
|
||||||
|
images(path);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
watch(options.copy.query).on('all', function (event, path) {
|
||||||
|
if (events.includes(event)) {
|
||||||
|
copy(path);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
watch(options.injectBundle.query, injectBundle);
|
||||||
}
|
}
|
||||||
|
|
||||||
function clean() {
|
function clean() {
|
||||||
return del(['dist/']);
|
return del(['dist/']);
|
||||||
}
|
}
|
||||||
|
|
||||||
function javascript() {
|
let pipelineJavascript = lazypipe()
|
||||||
return src(['src/**/*.js', '!src/bundle.js'], { base: './src/' })
|
.pipe(function () {
|
||||||
.pipe(mode.development(sourcemaps.init({ loadMaps: true })))
|
return mode.development(sourcemaps.init({ loadMaps: true }));
|
||||||
.pipe(babel({
|
})
|
||||||
|
.pipe(function () {
|
||||||
|
return babel({
|
||||||
presets: [
|
presets: [
|
||||||
['@babel/preset-env']
|
['@babel/preset-env']
|
||||||
]
|
]
|
||||||
}))
|
});
|
||||||
.pipe(terser({
|
})
|
||||||
|
.pipe(function () {
|
||||||
|
return terser({
|
||||||
keep_fnames: true,
|
keep_fnames: true,
|
||||||
mangle: false
|
mangle: false
|
||||||
}))
|
});
|
||||||
.pipe(mode.development(sourcemaps.write('.')))
|
})
|
||||||
|
.pipe(function () {
|
||||||
|
return mode.development(sourcemaps.write('.'));
|
||||||
|
});
|
||||||
|
|
||||||
|
function javascript(query) {
|
||||||
|
return src(typeof query !== 'function' ? query : options.javascript.query, { base: './src/' })
|
||||||
|
.pipe(pipelineJavascript())
|
||||||
.pipe(dest('dist/'))
|
.pipe(dest('dist/'))
|
||||||
|
.pipe(browserSync.stream());
|
||||||
|
}
|
||||||
|
|
||||||
|
function apploader(standalone) {
|
||||||
|
function task() {
|
||||||
|
return src(options.apploader.query, { base: './src/' })
|
||||||
|
.pipe(gulpif(standalone, concat('scripts/apploader.js')))
|
||||||
|
.pipe(pipelineJavascript())
|
||||||
|
.pipe(dest('dist/'))
|
||||||
|
.pipe(browserSync.stream());
|
||||||
|
};
|
||||||
|
|
||||||
|
task.displayName = 'apploader';
|
||||||
|
|
||||||
|
return task;
|
||||||
}
|
}
|
||||||
|
|
||||||
function webpack() {
|
function webpack() {
|
||||||
|
@ -78,8 +153,8 @@ function webpack() {
|
||||||
.pipe(browserSync.stream());
|
.pipe(browserSync.stream());
|
||||||
}
|
}
|
||||||
|
|
||||||
function css() {
|
function css(query) {
|
||||||
return src(['src/**/*.css', 'src/**/*.scss'], { base: './src/' })
|
return src(typeof query !== 'function' ? query : options.css.query, { base: './src/' })
|
||||||
.pipe(mode.development(sourcemaps.init({ loadMaps: true })))
|
.pipe(mode.development(sourcemaps.init({ loadMaps: true })))
|
||||||
.pipe(sass().on('error', sass.logError))
|
.pipe(sass().on('error', sass.logError))
|
||||||
.pipe(postcss())
|
.pipe(postcss())
|
||||||
|
@ -88,28 +163,28 @@ function css() {
|
||||||
.pipe(browserSync.stream());
|
.pipe(browserSync.stream());
|
||||||
}
|
}
|
||||||
|
|
||||||
function html() {
|
function html(query) {
|
||||||
return src(['src/**/*.html', '!src/index.html'], { base: './src/' })
|
return src(typeof query !== 'function' ? query : options.html.query, { base: './src/' })
|
||||||
.pipe(mode.production(htmlmin({ collapseWhitespace: true })))
|
.pipe(mode.production(htmlmin({ collapseWhitespace: true })))
|
||||||
.pipe(dest('dist/'))
|
.pipe(dest('dist/'))
|
||||||
.pipe(browserSync.stream());
|
.pipe(browserSync.stream());
|
||||||
}
|
}
|
||||||
|
|
||||||
function images() {
|
function images(query) {
|
||||||
return src(['src/**/*.png', 'src/**/*.jpg', 'src/**/*.gif', 'src/**/*.svg'], { base: './src/' })
|
return src(typeof query !== 'function' ? query : options.images.query, { base: './src/' })
|
||||||
.pipe(mode.production(imagemin()))
|
.pipe(mode.production(imagemin()))
|
||||||
.pipe(dest('dist/'))
|
.pipe(dest('dist/'))
|
||||||
.pipe(browserSync.stream());
|
.pipe(browserSync.stream());
|
||||||
}
|
}
|
||||||
|
|
||||||
function copy() {
|
function copy(query) {
|
||||||
return src(['src/**/*.json', 'src/**/*.ico'], { base: './src/' })
|
return src(typeof query !== 'function' ? query : options.copy.query, { base: './src/' })
|
||||||
.pipe(dest('dist/'))
|
.pipe(dest('dist/'))
|
||||||
.pipe(browserSync.stream());
|
.pipe(browserSync.stream());
|
||||||
}
|
}
|
||||||
|
|
||||||
function injectBundle() {
|
function injectBundle() {
|
||||||
return src('src/index.html', { base: './src/' })
|
return src(options.injectBundle.query, { base: './src/' })
|
||||||
.pipe(inject(
|
.pipe(inject(
|
||||||
src(['src/scripts/apploader.js'], { read: false }, { base: './src/' }), { relative: true }
|
src(['src/scripts/apploader.js'], { read: false }, { base: './src/' }), { relative: true }
|
||||||
))
|
))
|
||||||
|
@ -117,6 +192,10 @@ function injectBundle() {
|
||||||
.pipe(browserSync.stream());
|
.pipe(browserSync.stream());
|
||||||
}
|
}
|
||||||
|
|
||||||
exports.default = series(clean, parallel(javascript, webpack, css, html, images, copy), injectBundle);
|
function build(standalone) {
|
||||||
exports.standalone = series(exports.default, standalone);
|
return series(clean, parallel(javascript, apploader(standalone), webpack, css, html, images, copy), injectBundle);
|
||||||
|
}
|
||||||
|
|
||||||
|
exports.default = build(false);
|
||||||
|
exports.standalone = build(true);
|
||||||
exports.serve = series(exports.standalone, serve);
|
exports.serve = series(exports.standalone, serve);
|
||||||
|
|
10
package.json
10
package.json
|
@ -24,6 +24,7 @@
|
||||||
"gulp-cli": "^2.2.0",
|
"gulp-cli": "^2.2.0",
|
||||||
"gulp-concat": "^2.6.1",
|
"gulp-concat": "^2.6.1",
|
||||||
"gulp-htmlmin": "^5.0.1",
|
"gulp-htmlmin": "^5.0.1",
|
||||||
|
"gulp-if": "^3.0.0",
|
||||||
"gulp-imagemin": "^7.1.0",
|
"gulp-imagemin": "^7.1.0",
|
||||||
"gulp-inject": "^5.0.5",
|
"gulp-inject": "^5.0.5",
|
||||||
"gulp-mode": "^1.0.2",
|
"gulp-mode": "^1.0.2",
|
||||||
|
@ -32,6 +33,7 @@
|
||||||
"gulp-sourcemaps": "^2.6.5",
|
"gulp-sourcemaps": "^2.6.5",
|
||||||
"gulp-terser": "^1.2.0",
|
"gulp-terser": "^1.2.0",
|
||||||
"html-webpack-plugin": "^3.2.0",
|
"html-webpack-plugin": "^3.2.0",
|
||||||
|
"lazypipe": "^1.0.2",
|
||||||
"node-sass": "^4.13.1",
|
"node-sass": "^4.13.1",
|
||||||
"postcss-loader": "^3.0.0",
|
"postcss-loader": "^3.0.0",
|
||||||
"postcss-preset-env": "^6.7.0",
|
"postcss-preset-env": "^6.7.0",
|
||||||
|
@ -73,7 +75,13 @@
|
||||||
"babel": {
|
"babel": {
|
||||||
"presets": ["@babel/preset-env"],
|
"presets": ["@babel/preset-env"],
|
||||||
"overrides": [{
|
"overrides": [{
|
||||||
"test": ["src/components/cardbuilder/cardBuilder.js"],
|
"test": [
|
||||||
|
"src/components/cardbuilder/cardBuilder.js",
|
||||||
|
"src/components/filedownloader.js",
|
||||||
|
"src/components/filesystem.js",
|
||||||
|
"src/components/input/keyboardnavigation.js",
|
||||||
|
"src/components/sanatizefilename.js"
|
||||||
|
],
|
||||||
"plugins": ["@babel/plugin-transform-modules-amd"]
|
"plugins": ["@babel/plugin-transform-modules-amd"]
|
||||||
}]
|
}]
|
||||||
},
|
},
|
||||||
|
|
|
@ -63,6 +63,10 @@ progress[aria-valuenow]::before {
|
||||||
}
|
}
|
||||||
|
|
||||||
.adminDrawerLogo {
|
.adminDrawerLogo {
|
||||||
|
display: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.layout-mobile .adminDrawerLogo {
|
||||||
padding: 1.5em 1em 1.2em;
|
padding: 1.5em 1em 1.2em;
|
||||||
border-bottom: 1px solid #e0e0e0;
|
border-bottom: 1px solid #e0e0e0;
|
||||||
margin-bottom: 1em;
|
margin-bottom: 1em;
|
||||||
|
@ -161,7 +165,7 @@ div[data-role=controlgroup] a.ui-btn-active {
|
||||||
|
|
||||||
@media all and (min-width: 40em) {
|
@media all and (min-width: 40em) {
|
||||||
.content-primary {
|
.content-primary {
|
||||||
padding-top: 7em;
|
padding-top: 4.6em;
|
||||||
}
|
}
|
||||||
|
|
||||||
.withTabs .content-primary {
|
.withTabs .content-primary {
|
||||||
|
|
|
@ -313,7 +313,7 @@
|
||||||
}
|
}
|
||||||
|
|
||||||
.dashboardDocument .mainDrawer-scrollContainer {
|
.dashboardDocument .mainDrawer-scrollContainer {
|
||||||
margin-top: 6em !important;
|
margin-top: 4.6em !important;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1123,3 +1123,46 @@ div:not(.sectionTitleContainer-cards) > .sectionTitle-cards {
|
||||||
.layout-mobile #myPreferencesMenuPage {
|
.layout-mobile #myPreferencesMenuPage {
|
||||||
padding-top: 3.75em;
|
padding-top: 3.75em;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.itemDetailsGroup {
|
||||||
|
margin-bottom: 1.5em;
|
||||||
|
}
|
||||||
|
|
||||||
|
.trackSelections {
|
||||||
|
max-width: 44em;
|
||||||
|
}
|
||||||
|
|
||||||
|
.detailsGroupItem,
|
||||||
|
.trackSelections .selectContainer {
|
||||||
|
display: flex;
|
||||||
|
max-width: 44em;
|
||||||
|
margin: 0 0 0.5em !important;
|
||||||
|
}
|
||||||
|
|
||||||
|
.trackSelections .selectContainer {
|
||||||
|
margin: 0 0 0.3em !important;
|
||||||
|
}
|
||||||
|
|
||||||
|
.detailsGroupItem .label,
|
||||||
|
.trackSelections .selectContainer .selectLabel {
|
||||||
|
cursor: default;
|
||||||
|
flex-grow: 0;
|
||||||
|
flex-shrink: 0;
|
||||||
|
flex-basis: 6.25em;
|
||||||
|
margin: 0 0.6em 0 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.trackSelections .selectContainer .selectLabel {
|
||||||
|
margin: 0 0.2em 0 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
.trackSelections .selectContainer .detailTrackSelect {
|
||||||
|
font-size: inherit;
|
||||||
|
padding: 0;
|
||||||
|
overflow: hidden;
|
||||||
|
}
|
||||||
|
|
||||||
|
.trackSelections .selectContainer .selectArrowContainer .selectArrow {
|
||||||
|
margin-top: 0;
|
||||||
|
font-size: 1.4em;
|
||||||
|
}
|
||||||
|
|
|
@ -280,11 +280,11 @@ define(["appSettings", "browser", "events", "htmlMediaHelper"], function (appSet
|
||||||
//features.push("multiserver");
|
//features.push("multiserver");
|
||||||
features.push("screensaver");
|
features.push("screensaver");
|
||||||
|
|
||||||
if (!browser.orsay && !browser.tizen && !browser.msie && (browser.firefox || browser.ps4 || browser.edge || supportsCue())) {
|
if (!browser.orsay && !browser.msie && (browser.firefox || browser.ps4 || browser.edge || supportsCue())) {
|
||||||
features.push("subtitleappearancesettings");
|
features.push("subtitleappearancesettings");
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!browser.orsay && !browser.tizen) {
|
if (!browser.orsay) {
|
||||||
features.push("subtitleburnsettings");
|
features.push("subtitleburnsettings");
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -74,17 +74,17 @@ define([], function () {
|
||||||
}
|
}
|
||||||
|
|
||||||
function addEventListenerWithOptions(target, type, handler, options) {
|
function addEventListenerWithOptions(target, type, handler, options) {
|
||||||
var optionsOrCapture = options;
|
var optionsOrCapture = options || {};
|
||||||
if (!supportsCaptureOption) {
|
if (!supportsCaptureOption) {
|
||||||
optionsOrCapture = options.capture;
|
optionsOrCapture = optionsOrCapture.capture;
|
||||||
}
|
}
|
||||||
target.addEventListener(type, handler, optionsOrCapture);
|
target.addEventListener(type, handler, optionsOrCapture);
|
||||||
}
|
}
|
||||||
|
|
||||||
function removeEventListenerWithOptions(target, type, handler, options) {
|
function removeEventListenerWithOptions(target, type, handler, options) {
|
||||||
var optionsOrCapture = options;
|
var optionsOrCapture = options || {};
|
||||||
if (!supportsCaptureOption) {
|
if (!supportsCaptureOption) {
|
||||||
optionsOrCapture = options.capture;
|
optionsOrCapture = optionsOrCapture.capture;
|
||||||
}
|
}
|
||||||
target.removeEventListener(type, handler, optionsOrCapture);
|
target.removeEventListener(type, handler, optionsOrCapture);
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,8 +1,6 @@
|
||||||
define(['multi-download'], function (multiDownload) {
|
import multiDownload from "multi-download"
|
||||||
'use strict';
|
|
||||||
|
|
||||||
return {
|
export function download(items) {
|
||||||
download: function (items) {
|
|
||||||
|
|
||||||
if (window.NativeShell) {
|
if (window.NativeShell) {
|
||||||
items.map(function (item) {
|
items.map(function (item) {
|
||||||
|
@ -13,6 +11,4 @@ define(['multi-download'], function (multiDownload) {
|
||||||
return item.url;
|
return item.url;
|
||||||
}));
|
}));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
};
|
|
||||||
});
|
|
||||||
|
|
|
@ -1,18 +1,13 @@
|
||||||
define([], function () {
|
export function fileExists(path) {
|
||||||
'use strict';
|
|
||||||
|
|
||||||
return {
|
|
||||||
fileExists: function (path) {
|
|
||||||
if (window.NativeShell && window.NativeShell.FileSystem) {
|
if (window.NativeShell && window.NativeShell.FileSystem) {
|
||||||
return window.NativeShell.FileSystem.fileExists(path);
|
return window.NativeShell.FileSystem.fileExists(path);
|
||||||
}
|
}
|
||||||
return Promise.reject();
|
return Promise.reject();
|
||||||
},
|
}
|
||||||
directoryExists: function (path) {
|
|
||||||
|
export function directoryExists(path) {
|
||||||
if (window.NativeShell && window.NativeShell.FileSystem) {
|
if (window.NativeShell && window.NativeShell.FileSystem) {
|
||||||
return window.NativeShell.FileSystem.directoryExists(path);
|
return window.NativeShell.FileSystem.directoryExists(path);
|
||||||
}
|
}
|
||||||
return Promise.reject();
|
return Promise.reject();
|
||||||
}
|
}
|
||||||
};
|
|
||||||
});
|
|
||||||
|
|
|
@ -1,11 +1,10 @@
|
||||||
define(["inputManager", "layoutManager"], function (inputManager, layoutManager) {
|
import inputManager from "inputManager";
|
||||||
"use strict";
|
import layoutManager from "layoutManager";
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Key name mapping.
|
* Key name mapping.
|
||||||
*/
|
*/
|
||||||
// Add more to support old browsers
|
const KeyNames = {
|
||||||
var KeyNames = {
|
|
||||||
13: "Enter",
|
13: "Enter",
|
||||||
19: "Pause",
|
19: "Pause",
|
||||||
27: "Escape",
|
27: "Escape",
|
||||||
|
@ -32,57 +31,57 @@ define(["inputManager", "layoutManager"], function (inputManager, layoutManager)
|
||||||
10233: "MediaTrackNext",
|
10233: "MediaTrackNext",
|
||||||
// MediaPlayPause (Tizen)
|
// MediaPlayPause (Tizen)
|
||||||
10252: "MediaPlayPause"
|
10252: "MediaPlayPause"
|
||||||
};
|
};
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Keys used for keyboard navigation.
|
* Keys used for keyboard navigation.
|
||||||
*/
|
*/
|
||||||
var NavigationKeys = ["ArrowLeft", "ArrowRight", "ArrowUp", "ArrowDown"];
|
const NavigationKeys = ["ArrowLeft", "ArrowRight", "ArrowUp", "ArrowDown"];
|
||||||
|
|
||||||
var hasFieldKey = false;
|
let hasFieldKey = false;
|
||||||
try {
|
try {
|
||||||
hasFieldKey = "key" in new KeyboardEvent("keydown");
|
hasFieldKey = "key" in new KeyboardEvent("keydown");
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
console.error("error checking 'key' field");
|
console.error("error checking 'key' field");
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!hasFieldKey) {
|
if (!hasFieldKey) {
|
||||||
// Add [a..z]
|
// Add [a..z]
|
||||||
for (var i = 65; i <= 90; i++) {
|
for (let i = 65; i <= 90; i++) {
|
||||||
KeyNames[i] = String.fromCharCode(i).toLowerCase();
|
KeyNames[i] = String.fromCharCode(i).toLowerCase();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Returns key name from event.
|
* Returns key name from event.
|
||||||
*
|
*
|
||||||
* @param {KeyboardEvent} keyboard event
|
* @param {KeyboardEvent} event keyboard event
|
||||||
* @return {string} key name
|
* @return {string} key name
|
||||||
*/
|
*/
|
||||||
function getKeyName(event) {
|
export function getKeyName(event) {
|
||||||
return KeyNames[event.keyCode] || event.key;
|
return KeyNames[event.keyCode] || event.key;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Returns _true_ if key is used for navigation.
|
* Returns _true_ if key is used for navigation.
|
||||||
*
|
*
|
||||||
* @param {string} key name
|
* @param {string} key name
|
||||||
* @return {boolean} _true_ if key is used for navigation
|
* @return {boolean} _true_ if key is used for navigation
|
||||||
*/
|
*/
|
||||||
function isNavigationKey(key) {
|
export function isNavigationKey(key) {
|
||||||
return NavigationKeys.indexOf(key) != -1;
|
return NavigationKeys.indexOf(key) != -1;
|
||||||
}
|
}
|
||||||
|
|
||||||
function enable() {
|
export function enable() {
|
||||||
document.addEventListener("keydown", function (e) {
|
document.addEventListener("keydown", function (e) {
|
||||||
var key = getKeyName(e);
|
const key = getKeyName(e);
|
||||||
|
|
||||||
// Ignore navigation keys for non-TV
|
// Ignore navigation keys for non-TV
|
||||||
if (!layoutManager.tv && isNavigationKey(key)) {
|
if (!layoutManager.tv && isNavigationKey(key)) {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
var capture = true;
|
let capture = true;
|
||||||
|
|
||||||
switch (key) {
|
switch (key) {
|
||||||
case "ArrowLeft":
|
case "ArrowLeft":
|
||||||
|
@ -144,22 +143,15 @@ define(["inputManager", "layoutManager"], function (inputManager, layoutManager)
|
||||||
e.preventDefault();
|
e.preventDefault();
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
// Gamepad initialisation. No script is required if no gamepads are present at init time, saving a bit of resources.
|
// Gamepad initialisation. No script is required if no gamepads are present at init time, saving a bit of resources.
|
||||||
// Whenever the gamepad is connected, we hand all the control of the gamepad to gamepadtokey.js by removing the event handler
|
// Whenever the gamepad is connected, we hand all the control of the gamepad to gamepadtokey.js by removing the event handler
|
||||||
function attachGamepadScript(e) {
|
function attachGamepadScript(e) {
|
||||||
console.log("Gamepad connected! Attaching gamepadtokey.js script");
|
console.log("Gamepad connected! Attaching gamepadtokey.js script");
|
||||||
window.removeEventListener("gamepadconnected", attachGamepadScript);
|
window.removeEventListener("gamepadconnected", attachGamepadScript);
|
||||||
require(["components/input/gamepadtokey"]);
|
require(["components/input/gamepadtokey"]);
|
||||||
}
|
}
|
||||||
|
|
||||||
// No need to check for gamepads manually at load time, the eventhandler will be fired for that
|
// No need to check for gamepads manually at load time, the eventhandler will be fired for that
|
||||||
window.addEventListener("gamepadconnected", attachGamepadScript);
|
window.addEventListener("gamepadconnected", attachGamepadScript);
|
||||||
|
|
||||||
return {
|
|
||||||
enable: enable,
|
|
||||||
getKeyName: getKeyName,
|
|
||||||
isNavigationKey: isNavigationKey
|
|
||||||
};
|
|
||||||
});
|
|
||||||
|
|
|
@ -1,33 +1,30 @@
|
||||||
// From https://github.com/parshap/node-sanitize-filename
|
// From https://github.com/parshap/node-sanitize-filename
|
||||||
|
|
||||||
define([], function () {
|
const illegalRe = /[\/\?<>\\:\*\|":]/g;
|
||||||
'use strict';
|
// eslint-disable-next-line no-control-regex
|
||||||
|
const controlRe = /[\x00-\x1f\x80-\x9f]/g;
|
||||||
|
const reservedRe = /^\.+$/;
|
||||||
|
const windowsReservedRe = /^(con|prn|aux|nul|com[0-9]|lpt[0-9])(\..*)?$/i;
|
||||||
|
const windowsTrailingRe = /[\. ]+$/;
|
||||||
|
|
||||||
var illegalRe = /[\/\?<>\\:\*\|":]/g;
|
function isHighSurrogate(codePoint) {
|
||||||
// eslint-disable-next-line no-control-regex
|
|
||||||
var controlRe = /[\x00-\x1f\x80-\x9f]/g;
|
|
||||||
var reservedRe = /^\.+$/;
|
|
||||||
var windowsReservedRe = /^(con|prn|aux|nul|com[0-9]|lpt[0-9])(\..*)?$/i;
|
|
||||||
var windowsTrailingRe = /[\. ]+$/;
|
|
||||||
|
|
||||||
function isHighSurrogate(codePoint) {
|
|
||||||
return codePoint >= 0xd800 && codePoint <= 0xdbff;
|
return codePoint >= 0xd800 && codePoint <= 0xdbff;
|
||||||
}
|
}
|
||||||
|
|
||||||
function isLowSurrogate(codePoint) {
|
function isLowSurrogate(codePoint) {
|
||||||
return codePoint >= 0xdc00 && codePoint <= 0xdfff;
|
return codePoint >= 0xdc00 && codePoint <= 0xdfff;
|
||||||
}
|
}
|
||||||
|
|
||||||
function getByteLength(string) {
|
function getByteLength(string) {
|
||||||
if (typeof string !== "string") {
|
if (typeof string !== "string") {
|
||||||
throw new Error("Input must be string");
|
throw new Error("Input must be string");
|
||||||
}
|
}
|
||||||
|
|
||||||
var charLength = string.length;
|
const charLength = string.length;
|
||||||
var byteLength = 0;
|
let byteLength = 0;
|
||||||
var codePoint = null;
|
let codePoint = null;
|
||||||
var prevCodePoint = null;
|
let prevCodePoint = null;
|
||||||
for (var i = 0; i < charLength; i++) {
|
for (let i = 0; i < charLength; i++) {
|
||||||
codePoint = string.charCodeAt(i);
|
codePoint = string.charCodeAt(i);
|
||||||
// handle 4-byte non-BMP chars
|
// handle 4-byte non-BMP chars
|
||||||
// low surrogate
|
// low surrogate
|
||||||
|
@ -49,19 +46,19 @@ define([], function () {
|
||||||
}
|
}
|
||||||
|
|
||||||
return byteLength;
|
return byteLength;
|
||||||
}
|
}
|
||||||
|
|
||||||
function truncate(string, byteLength) {
|
function truncate(string, byteLength) {
|
||||||
if (typeof string !== "string") {
|
if (typeof string !== "string") {
|
||||||
throw new Error("Input must be string");
|
throw new Error("Input must be string");
|
||||||
}
|
}
|
||||||
|
|
||||||
var charLength = string.length;
|
const charLength = string.length;
|
||||||
var curByteLength = 0;
|
let curByteLength = 0;
|
||||||
var codePoint;
|
let codePoint;
|
||||||
var segment;
|
let segment;
|
||||||
|
|
||||||
for (var i = 0; i < charLength; i += 1) {
|
for (let i = 0; i < charLength; i += 1) {
|
||||||
codePoint = string.charCodeAt(i);
|
codePoint = string.charCodeAt(i);
|
||||||
segment = string[i];
|
segment = string[i];
|
||||||
|
|
||||||
|
@ -80,17 +77,14 @@ define([], function () {
|
||||||
}
|
}
|
||||||
|
|
||||||
return string;
|
return string;
|
||||||
}
|
}
|
||||||
|
|
||||||
return {
|
export function sanitize(input, replacement) {
|
||||||
sanitize: function (input, replacement) {
|
const sanitized = input
|
||||||
var sanitized = input
|
|
||||||
.replace(illegalRe, replacement)
|
.replace(illegalRe, replacement)
|
||||||
.replace(controlRe, replacement)
|
.replace(controlRe, replacement)
|
||||||
.replace(reservedRe, replacement)
|
.replace(reservedRe, replacement)
|
||||||
.replace(windowsReservedRe, replacement)
|
.replace(windowsReservedRe, replacement)
|
||||||
.replace(windowsTrailingRe, replacement);
|
.replace(windowsTrailingRe, replacement);
|
||||||
return truncate(sanitized, 255);
|
return truncate(sanitized, 255);
|
||||||
}
|
}
|
||||||
};
|
|
||||||
});
|
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
define(['playbackManager', 'text!./subtitlesync.template.html', 'css!./subtitlesync'], function (playbackManager, template, css) {
|
define(['playbackManager', 'layoutManager', 'text!./subtitlesync.template.html', 'css!./subtitlesync'], function (playbackManager, layoutManager, template, css) {
|
||||||
"use strict";
|
"use strict";
|
||||||
|
|
||||||
var player;
|
var player;
|
||||||
|
@ -10,6 +10,7 @@ define(['playbackManager', 'text!./subtitlesync.template.html', 'css!./subtitles
|
||||||
function init(instance) {
|
function init(instance) {
|
||||||
|
|
||||||
var parent = document.createElement('div');
|
var parent = document.createElement('div');
|
||||||
|
document.body.appendChild(parent);
|
||||||
parent.innerHTML = template;
|
parent.innerHTML = template;
|
||||||
|
|
||||||
subtitleSyncSlider = parent.querySelector(".subtitleSyncSlider");
|
subtitleSyncSlider = parent.querySelector(".subtitleSyncSlider");
|
||||||
|
@ -17,6 +18,14 @@ define(['playbackManager', 'text!./subtitlesync.template.html', 'css!./subtitles
|
||||||
subtitleSyncCloseButton = parent.querySelector(".subtitleSync-closeButton");
|
subtitleSyncCloseButton = parent.querySelector(".subtitleSync-closeButton");
|
||||||
subtitleSyncContainer = parent.querySelector(".subtitleSyncContainer");
|
subtitleSyncContainer = parent.querySelector(".subtitleSyncContainer");
|
||||||
|
|
||||||
|
if (layoutManager.tv) {
|
||||||
|
subtitleSyncSlider.classList.add("focusable");
|
||||||
|
// HACK: Delay to give time for registered element attach (Firefox)
|
||||||
|
setTimeout(function () {
|
||||||
|
subtitleSyncSlider.enableKeyboardDragging();
|
||||||
|
}, 0);
|
||||||
|
}
|
||||||
|
|
||||||
subtitleSyncContainer.classList.add("hide");
|
subtitleSyncContainer.classList.add("hide");
|
||||||
|
|
||||||
subtitleSyncTextField.updateOffset = function(offset) {
|
subtitleSyncTextField.updateOffset = function(offset) {
|
||||||
|
@ -87,8 +96,6 @@ define(['playbackManager', 'text!./subtitlesync.template.html', 'css!./subtitles
|
||||||
SubtitleSync.prototype.toggle("forceToHide");
|
SubtitleSync.prototype.toggle("forceToHide");
|
||||||
});
|
});
|
||||||
|
|
||||||
document.body.appendChild(parent);
|
|
||||||
|
|
||||||
instance.element = parent;
|
instance.element = parent;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -703,26 +703,9 @@ define(["loading", "appRouter", "layoutManager", "connectionManager", "userSetti
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
function renderUserInfo(page, item) {
|
|
||||||
var lastPlayedElement = page.querySelector(".itemLastPlayed");
|
|
||||||
|
|
||||||
if (item.UserData && item.UserData.LastPlayedDate) {
|
|
||||||
lastPlayedElement.classList.remove("hide");
|
|
||||||
var datePlayed = datetime.parseISO8601Date(item.UserData.LastPlayedDate);
|
|
||||||
lastPlayedElement.innerHTML = globalize.translate("DatePlayed") + ": " + datetime.toLocaleDateString(datePlayed) + " " + datetime.getDisplayTime(datePlayed);
|
|
||||||
} else {
|
|
||||||
lastPlayedElement.classList.add("hide");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
function renderLinks(linksElem, item) {
|
function renderLinks(linksElem, item) {
|
||||||
var html = [];
|
var html = [];
|
||||||
|
|
||||||
if (item.DateCreated && itemHelper.enableDateAddedDisplay(item)) {
|
|
||||||
var dateCreated = datetime.parseISO8601Date(item.DateCreated);
|
|
||||||
html.push(globalize.translate("AddedOnValue", datetime.toLocaleDateString(dateCreated) + " " + datetime.getDisplayTime(dateCreated)));
|
|
||||||
}
|
|
||||||
|
|
||||||
var links = [];
|
var links = [];
|
||||||
|
|
||||||
if (!layoutManager.tv && item.HomePageUrl) {
|
if (!layoutManager.tv && item.HomePageUrl) {
|
||||||
|
@ -736,7 +719,7 @@ define(["loading", "appRouter", "layoutManager", "connectionManager", "userSetti
|
||||||
}
|
}
|
||||||
|
|
||||||
if (links.length) {
|
if (links.length) {
|
||||||
html.push(globalize.translate("LinksValue", links.join(", ")));
|
html.push(links.join(", "));
|
||||||
}
|
}
|
||||||
|
|
||||||
linksElem.innerHTML = html.join(", ");
|
linksElem.innerHTML = html.join(", ");
|
||||||
|
@ -1032,13 +1015,17 @@ define(["loading", "appRouter", "layoutManager", "connectionManager", "userSetti
|
||||||
context: context
|
context: context
|
||||||
}) + '">' + p.Name + "</a>";
|
}) + '">' + p.Name + "</a>";
|
||||||
}).join(", ");
|
}).join(", ");
|
||||||
var elem = page.querySelector(".genres");
|
|
||||||
elem.innerHTML = globalize.translate(genres.length > 1 ? "GenresValue" : "GenreValue", html);
|
|
||||||
|
|
||||||
|
var genresLabel = page.querySelector(".genresLabel");
|
||||||
|
genresLabel.innerHTML = globalize.translate(genres.length > 1 ? "Genres" : "Genre");
|
||||||
|
var genresValue = page.querySelector(".genres");
|
||||||
|
genresValue.innerHTML = html;
|
||||||
|
|
||||||
|
var genresGroup = page.querySelector(".genresGroup");
|
||||||
if (genres.length) {
|
if (genres.length) {
|
||||||
elem.classList.remove("hide");
|
genresGroup.classList.remove("hide");
|
||||||
} else {
|
} else {
|
||||||
elem.classList.add("hide");
|
genresGroup.classList.add("hide");
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1056,13 +1043,17 @@ define(["loading", "appRouter", "layoutManager", "connectionManager", "userSetti
|
||||||
context: context
|
context: context
|
||||||
}) + '">' + p.Name + "</a>";
|
}) + '">' + p.Name + "</a>";
|
||||||
}).join(", ");
|
}).join(", ");
|
||||||
var elem = page.querySelector(".directors");
|
|
||||||
elem.innerHTML = globalize.translate(directors.length > 1 ? "DirectorsValue" : "DirectorValue", html);
|
|
||||||
|
|
||||||
|
var directorsLabel = page.querySelector(".directorsLabel");
|
||||||
|
directorsLabel.innerHTML = globalize.translate(directors.length > 1 ? "Directors" : "Director");
|
||||||
|
var directorsValue = page.querySelector(".directors");
|
||||||
|
directorsValue.innerHTML = html;
|
||||||
|
|
||||||
|
var directorsGroup = page.querySelector(".directorsGroup");
|
||||||
if (directors.length) {
|
if (directors.length) {
|
||||||
elem.classList.remove("hide");
|
directorsGroup.classList.remove("hide");
|
||||||
} else {
|
} else {
|
||||||
elem.classList.add("hide");
|
directorsGroup.classList.add("hide");
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -1120,7 +1111,6 @@ define(["loading", "appRouter", "layoutManager", "connectionManager", "userSetti
|
||||||
|
|
||||||
reloadUserDataButtons(page, item);
|
reloadUserDataButtons(page, item);
|
||||||
renderLinks(externalLinksElem, item);
|
renderLinks(externalLinksElem, item);
|
||||||
renderUserInfo(page, item);
|
|
||||||
renderTags(page, item);
|
renderTags(page, item);
|
||||||
renderSeriesAirTime(page, item, isStatic);
|
renderSeriesAirTime(page, item, isStatic);
|
||||||
}
|
}
|
||||||
|
|
|
@ -109,7 +109,7 @@
|
||||||
}
|
}
|
||||||
|
|
||||||
.selectArrow {
|
.selectArrow {
|
||||||
margin-top: 0.35em;
|
margin-top: 1.2em;
|
||||||
font-size: 1.7em;
|
font-size: 1.7em;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
|
@ -144,7 +144,7 @@ define(['layoutManager', 'browser', 'actionsheet', 'css!./emby-select', 'registe
|
||||||
this.parentNode.insertBefore(label, this);
|
this.parentNode.insertBefore(label, this);
|
||||||
|
|
||||||
if (this.classList.contains('emby-select-withcolor')) {
|
if (this.classList.contains('emby-select-withcolor')) {
|
||||||
this.parentNode.insertAdjacentHTML('beforeend', '<div class="selectArrowContainer"><div style="visibility:hidden;">0</div><i class="selectArrow material-icons keyboard_arrow_down"></i></div>');
|
this.parentNode.insertAdjacentHTML('beforeend', '<div class="selectArrowContainer"><div style="visibility:hidden;display:none;">0</div><i class="selectArrow material-icons keyboard_arrow_down"></i></div>');
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
|
@ -111,22 +111,32 @@
|
||||||
<div class="detailImageContainer padded-left"></div>
|
<div class="detailImageContainer padded-left"></div>
|
||||||
<div class="detailPageContent">
|
<div class="detailPageContent">
|
||||||
<div class="detailPagePrimaryContent padded-left padded-right">
|
<div class="detailPagePrimaryContent padded-left padded-right">
|
||||||
<div class="detailSection" style="margin-bottom: 0;">
|
<div class="detailSection">
|
||||||
<div class="itemMiscInfo nativeName hide"></div>
|
<div class="itemMiscInfo nativeName hide"></div>
|
||||||
<div class="genres hide" style="margin: .7em 0;font-size:92%;"></div>
|
|
||||||
<div class="directors hide" style="margin: .7em 0;font-size:92%;"></div>
|
|
||||||
|
|
||||||
<form class="trackSelections flex align-items-center flex-wrap-wrap hide focuscontainer-x">
|
<div class="itemDetailsGroup">
|
||||||
<div class="selectContainer selectContainer-inline selectSourceContainer hide trackSelectionFieldContainer flex-shrink-zero">
|
<div class="detailsGroupItem genresGroup hide">
|
||||||
|
<div class="genresLabel label"></div>
|
||||||
|
<div class="genres content"></div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="detailsGroupItem directorsGroup hide">
|
||||||
|
<div class="directorsLabel label"></div>
|
||||||
|
<div class="directors content"></div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<form class="trackSelections hide focuscontainer-x">
|
||||||
|
<div class="selectContainer selectSourceContainer hide trackSelectionFieldContainer flex-shrink-zero">
|
||||||
<select is="emby-select" class="selectSource detailTrackSelect" label=""></select>
|
<select is="emby-select" class="selectSource detailTrackSelect" label=""></select>
|
||||||
</div>
|
</div>
|
||||||
<div class="selectContainer selectContainer-inline selectVideoContainer hide trackSelectionFieldContainer flex-shrink-zero">
|
<div class="selectContainer selectVideoContainer hide trackSelectionFieldContainer flex-shrink-zero">
|
||||||
<select is="emby-select" class="selectVideo detailTrackSelect" label=""></select>
|
<select is="emby-select" class="selectVideo detailTrackSelect" label=""></select>
|
||||||
</div>
|
</div>
|
||||||
<div class="selectContainer selectContainer-inline selectAudioContainer hide trackSelectionFieldContainer flex-shrink-zero">
|
<div class="selectContainer selectAudioContainer hide trackSelectionFieldContainer flex-shrink-zero">
|
||||||
<select is="emby-select" class="selectAudio detailTrackSelect" label=""></select>
|
<select is="emby-select" class="selectAudio detailTrackSelect" label=""></select>
|
||||||
</div>
|
</div>
|
||||||
<div class="selectContainer selectContainer-inline selectSubtitlesContainer hide trackSelectionFieldContainer">
|
<div class="selectContainer selectSubtitlesContainer hide trackSelectionFieldContainer">
|
||||||
<select is="emby-select" class="selectSubtitles detailTrackSelect" label=""></select>
|
<select is="emby-select" class="selectSubtitles detailTrackSelect" label=""></select>
|
||||||
</div>
|
</div>
|
||||||
</form>
|
</form>
|
||||||
|
|
|
@ -101,8 +101,7 @@
|
||||||
"Desktop": "Работен плот",
|
"Desktop": "Работен плот",
|
||||||
"DeviceAccessHelp": "Това се отнася само за устройства, които могат да бъдат различени и няма да попречи на достъп от мрежов четец. Филтрирането на потребителски устройства ще предотврати използването им докато не бъдат одобрени тук.",
|
"DeviceAccessHelp": "Това се отнася само за устройства, които могат да бъдат различени и няма да попречи на достъп от мрежов четец. Филтрирането на потребителски устройства ще предотврати използването им докато не бъдат одобрени тук.",
|
||||||
"Director": "Режисьор",
|
"Director": "Режисьор",
|
||||||
"DirectorValue": "Режисьор: {0}",
|
"Directors": "Режисьори",
|
||||||
"DirectorsValue": "Режисьори: {0}",
|
|
||||||
"Disc": "Диск",
|
"Disc": "Диск",
|
||||||
"Dislike": "Нехаресване",
|
"Dislike": "Нехаресване",
|
||||||
"Display": "Показване",
|
"Display": "Показване",
|
||||||
|
@ -137,9 +136,8 @@
|
||||||
"FormatValue": "Формат: {0}",
|
"FormatValue": "Формат: {0}",
|
||||||
"Friday": "Петък",
|
"Friday": "Петък",
|
||||||
"Fullscreen": "Цял екран",
|
"Fullscreen": "Цял екран",
|
||||||
"GenreValue": "Жанр: {0}",
|
"Genre": "Жанр",
|
||||||
"Genres": "Жанрове",
|
"Genres": "Жанрове",
|
||||||
"GenresValue": "Жанрове: {0}",
|
|
||||||
"GroupVersions": "Групиране на версиите",
|
"GroupVersions": "Групиране на версиите",
|
||||||
"GuestStar": "Гостуваща звезда",
|
"GuestStar": "Гостуваща звезда",
|
||||||
"Guide": "Справочник",
|
"Guide": "Справочник",
|
||||||
|
@ -435,7 +433,7 @@
|
||||||
"LabelStatus": "Състояние:",
|
"LabelStatus": "Състояние:",
|
||||||
"LabelStopWhenPossible": "Спирай, когато е възможно:",
|
"LabelStopWhenPossible": "Спирай, когато е възможно:",
|
||||||
"LabelSubtitlePlaybackMode": "Режим на субтитрите:",
|
"LabelSubtitlePlaybackMode": "Режим на субтитрите:",
|
||||||
"LabelSubtitles": "Субтитри:",
|
"LabelSubtitles": "Субтитри",
|
||||||
"LabelSupportedMediaTypes": "Поддържани типове медия:",
|
"LabelSupportedMediaTypes": "Поддържани типове медия:",
|
||||||
"LabelTag": "Етикет:",
|
"LabelTag": "Етикет:",
|
||||||
"LabelTextColor": "Цвят на текста:",
|
"LabelTextColor": "Цвят на текста:",
|
||||||
|
@ -812,7 +810,7 @@
|
||||||
"MediaInfoLayout": "Подредба",
|
"MediaInfoLayout": "Подредба",
|
||||||
"MusicVideo": "Музикален клип",
|
"MusicVideo": "Музикален клип",
|
||||||
"MediaInfoStreamTypeVideo": "Видео",
|
"MediaInfoStreamTypeVideo": "Видео",
|
||||||
"LabelVideo": "Видео:",
|
"LabelVideo": "Видео",
|
||||||
"HeaderVideoTypes": "Видове видеа",
|
"HeaderVideoTypes": "Видове видеа",
|
||||||
"HeaderVideoType": "Вид на видеото",
|
"HeaderVideoType": "Вид на видеото",
|
||||||
"EnableExternalVideoPlayers": "Външни възпроизводители",
|
"EnableExternalVideoPlayers": "Външни възпроизводители",
|
||||||
|
|
|
@ -461,7 +461,7 @@
|
||||||
"LabelArtist": "Umělec",
|
"LabelArtist": "Umělec",
|
||||||
"LabelArtists": "Umělci:",
|
"LabelArtists": "Umělci:",
|
||||||
"LabelArtistsHelp": "Odděl pomocí ;",
|
"LabelArtistsHelp": "Odděl pomocí ;",
|
||||||
"LabelAudio": "Zvuk:",
|
"LabelAudio": "Zvuk",
|
||||||
"LabelAudioLanguagePreference": "Preferovaný jazyk zvuku:",
|
"LabelAudioLanguagePreference": "Preferovaný jazyk zvuku:",
|
||||||
"LabelBindToLocalNetworkAddress": "Vázat na místní síťovou adresu:",
|
"LabelBindToLocalNetworkAddress": "Vázat na místní síťovou adresu:",
|
||||||
"LabelBindToLocalNetworkAddressHelp": "Volitelné. Přepsat lokální IP adresu vazanou na http server. Pokud je ponecháno prázdné, server se sváže ke všem dostupným adresám (aplikace bude dostupná na všech síťových zařízení, které server nabízí). Změna této hodnoty vyžaduje restartování Jellyfin Serveru.",
|
"LabelBindToLocalNetworkAddressHelp": "Volitelné. Přepsat lokální IP adresu vazanou na http server. Pokud je ponecháno prázdné, server se sváže ke všem dostupným adresám (aplikace bude dostupná na všech síťových zařízení, které server nabízí). Změna této hodnoty vyžaduje restartování Jellyfin Serveru.",
|
||||||
|
@ -709,7 +709,7 @@
|
||||||
"LabelStopping": "Zastavování",
|
"LabelStopping": "Zastavování",
|
||||||
"LabelSubtitleFormatHelp": "Příklad: srt",
|
"LabelSubtitleFormatHelp": "Příklad: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Mód titulků:",
|
"LabelSubtitlePlaybackMode": "Mód titulků:",
|
||||||
"LabelSubtitles": "Titulky:",
|
"LabelSubtitles": "Titulky",
|
||||||
"LabelSupportedMediaTypes": "Podporované typy médií:",
|
"LabelSupportedMediaTypes": "Podporované typy médií:",
|
||||||
"LabelTagline": "Slogan:",
|
"LabelTagline": "Slogan:",
|
||||||
"LabelTextBackgroundColor": "Barva pozadí textu:",
|
"LabelTextBackgroundColor": "Barva pozadí textu:",
|
||||||
|
@ -1276,8 +1276,7 @@
|
||||||
"DetectingDevices": "Hledání zařízení",
|
"DetectingDevices": "Hledání zařízení",
|
||||||
"DirectPlayError": "Chyba přímého přehrávání",
|
"DirectPlayError": "Chyba přímého přehrávání",
|
||||||
"DirectStreamHelp2": "Přímé streamování souboru používá velmi malý výkon bez ztráty kvality videa.",
|
"DirectStreamHelp2": "Přímé streamování souboru používá velmi malý výkon bez ztráty kvality videa.",
|
||||||
"DirectorValue": "Režisér: {0}",
|
"Directors": "Režiséři",
|
||||||
"DirectorsValue": "Režiséři: {0}",
|
|
||||||
"Disabled": "Vypnuto",
|
"Disabled": "Vypnuto",
|
||||||
"DisplayInMyMedia": "Zobrazit na domovské obrazovce",
|
"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í",
|
"DisplayInOtherHomeScreenSections": "Zobrazení v sekcích domovské obrazovky, jako jsou nejnovější média, a pokračování ve sledování",
|
||||||
|
@ -1297,8 +1296,7 @@
|
||||||
"Filters": "Filtry",
|
"Filters": "Filtry",
|
||||||
"Folders": "Složky",
|
"Folders": "Složky",
|
||||||
"General": "Hlavní",
|
"General": "Hlavní",
|
||||||
"GenreValue": "Žánr: {0}",
|
"Genre": "Žánr",
|
||||||
"GenresValue": "Žánry: {0}",
|
|
||||||
"GroupBySeries": "Seskupit podle série",
|
"GroupBySeries": "Seskupit podle série",
|
||||||
"HandledByProxy": "Zpracováno reverzním proxy",
|
"HandledByProxy": "Zpracováno reverzním proxy",
|
||||||
"HeaderAddLocalUser": "Přidat místního uživatele",
|
"HeaderAddLocalUser": "Přidat místního uživatele",
|
||||||
|
@ -1395,7 +1393,7 @@
|
||||||
"LabelUrl": "URL:",
|
"LabelUrl": "URL:",
|
||||||
"LabelUserAgent": "User agent:",
|
"LabelUserAgent": "User agent:",
|
||||||
"LabelUserRemoteClientBitrateLimitHelp": "Přepíše výchozí globální hodnotu nastavenou v nastavení přehrávání serveru.",
|
"LabelUserRemoteClientBitrateLimitHelp": "Přepíše výchozí globální hodnotu nastavenou v nastavení přehrávání serveru.",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LabelVideoCodec": "Video kodek:",
|
"LabelVideoCodec": "Video kodek:",
|
||||||
"LeaveBlankToNotSetAPassword": "Můžete ponechat prázdné pro nastavení bez hesla.",
|
"LeaveBlankToNotSetAPassword": "Můžete ponechat prázdné pro nastavení bez hesla.",
|
||||||
"LetterButtonAbbreviation": "A",
|
"LetterButtonAbbreviation": "A",
|
||||||
|
|
|
@ -1166,8 +1166,7 @@
|
||||||
"DirectStreamHelp1": "Medie filen er kompatibel med enheden i forhold til opløsning og medie type (H.264,AC3, etc.), men er i en ikke kompatibel fil container (mkv, avi, wmv, etc). Videoen vil blive genpakket live før den streames til enheden.",
|
"DirectStreamHelp1": "Medie filen er kompatibel med enheden i forhold til opløsning og medie type (H.264,AC3, etc.), men er i en ikke kompatibel fil container (mkv, avi, wmv, etc). Videoen vil blive genpakket live før den streames til enheden.",
|
||||||
"DirectStreamHelp2": "Direkte Streaming af en fil bruger meget lidt processor kraft uden nogen tab af video kvalitet.",
|
"DirectStreamHelp2": "Direkte Streaming af en fil bruger meget lidt processor kraft uden nogen tab af video kvalitet.",
|
||||||
"DirectStreaming": "Direkte streaming",
|
"DirectStreaming": "Direkte streaming",
|
||||||
"DirectorValue": "Instruktør: {0}",
|
"Directors": "Instruktører",
|
||||||
"DirectorsValue": "Instruktører: {0}",
|
|
||||||
"Disc": "Disk",
|
"Disc": "Disk",
|
||||||
"Dislike": "Kan ikke lide",
|
"Dislike": "Kan ikke lide",
|
||||||
"Display": "Visning",
|
"Display": "Visning",
|
||||||
|
@ -1207,8 +1206,7 @@
|
||||||
"Features": "Funktioner",
|
"Features": "Funktioner",
|
||||||
"Filters": "Filtre",
|
"Filters": "Filtre",
|
||||||
"FormatValue": "Format: {0}",
|
"FormatValue": "Format: {0}",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"GenresValue": "Genrer: {0}",
|
|
||||||
"GroupBySeries": "Gruppér efter serie",
|
"GroupBySeries": "Gruppér efter serie",
|
||||||
"Guide": "Vejledning",
|
"Guide": "Vejledning",
|
||||||
"GuideProviderLogin": "Log Ind",
|
"GuideProviderLogin": "Log Ind",
|
||||||
|
@ -1270,7 +1268,7 @@
|
||||||
"Label3DFormat": "3D format:",
|
"Label3DFormat": "3D format:",
|
||||||
"LabelAlbum": "Album:",
|
"LabelAlbum": "Album:",
|
||||||
"LabelArtist": "Kunstner",
|
"LabelArtist": "Kunstner",
|
||||||
"LabelAudio": "Lyd:",
|
"LabelAudio": "Lyd",
|
||||||
"LabelBitrateMbps": "Bitrate (Mbps):",
|
"LabelBitrateMbps": "Bitrate (Mbps):",
|
||||||
"LabelBlockContentWithTags": "Blokér filer med mærkerne:",
|
"LabelBlockContentWithTags": "Blokér filer med mærkerne:",
|
||||||
"LabelBurnSubtitles": "Brænd undertekster:",
|
"LabelBurnSubtitles": "Brænd undertekster:",
|
||||||
|
@ -1315,7 +1313,7 @@
|
||||||
"LabelSortOrder": "Sorteringsorden:",
|
"LabelSortOrder": "Sorteringsorden:",
|
||||||
"LabelSoundEffects": "Lydeffekter:",
|
"LabelSoundEffects": "Lydeffekter:",
|
||||||
"LabelStatus": "Status:",
|
"LabelStatus": "Status:",
|
||||||
"LabelSubtitles": "Undertekster:",
|
"LabelSubtitles": "Undertekster",
|
||||||
"LabelSyncNoTargetsHelp": "Det ser ud til at du ikke har nogen apps der understøtter offline hentning.",
|
"LabelSyncNoTargetsHelp": "Det ser ud til at du ikke har nogen apps der understøtter offline hentning.",
|
||||||
"LabelTVHomeScreen": "TV modus hjemmeskærm:",
|
"LabelTVHomeScreen": "TV modus hjemmeskærm:",
|
||||||
"LabelTag": "Mærke:",
|
"LabelTag": "Mærke:",
|
||||||
|
@ -1329,7 +1327,7 @@
|
||||||
"LabelUrl": "Link:",
|
"LabelUrl": "Link:",
|
||||||
"LabelVersion": "Version:",
|
"LabelVersion": "Version:",
|
||||||
"LabelVersionNumber": "Version {0}",
|
"LabelVersionNumber": "Version {0}",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LabelVideoCodec": "Video codec:",
|
"LabelVideoCodec": "Video codec:",
|
||||||
"LabelWindowBackgroundColor": "Tekst baggrundsfarve:",
|
"LabelWindowBackgroundColor": "Tekst baggrundsfarve:",
|
||||||
"LabelXDlnaCap": "X-DLNA begrænsning:",
|
"LabelXDlnaCap": "X-DLNA begrænsning:",
|
||||||
|
|
|
@ -175,8 +175,7 @@
|
||||||
"DirectStreamHelp2": "Direktes Streaming von Dateien benötigt sehr wenig Rechenleistung ohne Verlust der Videoqualität.",
|
"DirectStreamHelp2": "Direktes Streaming von Dateien benötigt sehr wenig Rechenleistung ohne Verlust der Videoqualität.",
|
||||||
"DirectStreaming": "Direktes Streaming",
|
"DirectStreaming": "Direktes Streaming",
|
||||||
"Director": "Regisseur",
|
"Director": "Regisseur",
|
||||||
"DirectorValue": "Regisseur: {0}",
|
"Directors": "Regisseure",
|
||||||
"DirectorsValue": "Regisseure: {0}",
|
|
||||||
"Disabled": "Abgeschaltet",
|
"Disabled": "Abgeschaltet",
|
||||||
"Disc": "Disk",
|
"Disc": "Disk",
|
||||||
"Disconnect": "Verbindung trennen",
|
"Disconnect": "Verbindung trennen",
|
||||||
|
@ -759,7 +758,7 @@
|
||||||
"LabelSubtitleDownloaders": "Untertitel Downloader:",
|
"LabelSubtitleDownloaders": "Untertitel Downloader:",
|
||||||
"LabelSubtitleFormatHelp": "Beispiel: srt",
|
"LabelSubtitleFormatHelp": "Beispiel: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Untertitelmodus:",
|
"LabelSubtitlePlaybackMode": "Untertitelmodus:",
|
||||||
"LabelSubtitles": "Untertitel:",
|
"LabelSubtitles": "Untertitel",
|
||||||
"LabelSupportedMediaTypes": "Unterstüzte Medientypen:",
|
"LabelSupportedMediaTypes": "Unterstüzte Medientypen:",
|
||||||
"LabelTVHomeScreen": "TV-Mode Startseite:",
|
"LabelTVHomeScreen": "TV-Mode Startseite:",
|
||||||
"LabelTextBackgroundColor": "Hintergrundfarbe des Textes:",
|
"LabelTextBackgroundColor": "Hintergrundfarbe des Textes:",
|
||||||
|
@ -1293,9 +1292,8 @@
|
||||||
"Extras": "Extras",
|
"Extras": "Extras",
|
||||||
"FolderTypeTvShows": "TV Serien",
|
"FolderTypeTvShows": "TV Serien",
|
||||||
"FormatValue": "Format: {0}",
|
"FormatValue": "Format: {0}",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"Genres": "Genres",
|
"Genres": "Genres",
|
||||||
"GenresValue": "Genres: {0}",
|
|
||||||
"HeaderAdmin": "Admin",
|
"HeaderAdmin": "Admin",
|
||||||
"HeaderApp": "App",
|
"HeaderApp": "App",
|
||||||
"HeaderGenres": "Genres",
|
"HeaderGenres": "Genres",
|
||||||
|
@ -1307,7 +1305,7 @@
|
||||||
"Home": "Startseite",
|
"Home": "Startseite",
|
||||||
"Horizontal": "Horizontal",
|
"Horizontal": "Horizontal",
|
||||||
"LabelAlbum": "Album:",
|
"LabelAlbum": "Album:",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelCache": "Cache:",
|
"LabelCache": "Cache:",
|
||||||
"LabelFormat": "Format:",
|
"LabelFormat": "Format:",
|
||||||
"LabelH264Crf": "H264 Encodierungs-CRF:",
|
"LabelH264Crf": "H264 Encodierungs-CRF:",
|
||||||
|
@ -1326,7 +1324,7 @@
|
||||||
"LabelTypeText": "Text",
|
"LabelTypeText": "Text",
|
||||||
"LabelVersion": "Version:",
|
"LabelVersion": "Version:",
|
||||||
"LabelVersionNumber": "Version {0}",
|
"LabelVersionNumber": "Version {0}",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LeaveBlankToNotSetAPassword": "Du kannst dieses Feld frei lassen um kein Passwort zu setzen.",
|
"LeaveBlankToNotSetAPassword": "Du kannst dieses Feld frei lassen um kein Passwort zu setzen.",
|
||||||
"LinksValue": "Links: {0}",
|
"LinksValue": "Links: {0}",
|
||||||
"MessageImageFileTypeAllowed": "Nur JPEG- und PNG-Dateien werden unterstützt.",
|
"MessageImageFileTypeAllowed": "Nur JPEG- und PNG-Dateien werden unterstützt.",
|
||||||
|
|
|
@ -166,8 +166,7 @@
|
||||||
"DirectStreamHelp2": "Η άμεση ροή ενός αρχείου χρησιμοποιεί ελάχιστη ισχύ επεξεργασίας χωρίς απώλεια της ποιότητας του βίντεο.",
|
"DirectStreamHelp2": "Η άμεση ροή ενός αρχείου χρησιμοποιεί ελάχιστη ισχύ επεξεργασίας χωρίς απώλεια της ποιότητας του βίντεο.",
|
||||||
"DirectStreaming": "Απευθείας Αναμετάδοση",
|
"DirectStreaming": "Απευθείας Αναμετάδοση",
|
||||||
"Director": "Σκηνοθέτης",
|
"Director": "Σκηνοθέτης",
|
||||||
"DirectorValue": "Σκηνοθέτης: {0}",
|
"Directors": "Σκηνοθέτες",
|
||||||
"DirectorsValue": "Σκηνοθέτες: {0}",
|
|
||||||
"Disabled": "Απενεργοποιημένο",
|
"Disabled": "Απενεργοποιημένο",
|
||||||
"Disc": "Δίσκος",
|
"Disc": "Δίσκος",
|
||||||
"Disconnect": "Αποσύνδεση",
|
"Disconnect": "Αποσύνδεση",
|
||||||
|
@ -233,9 +232,8 @@
|
||||||
"Friday": "Παρασκευή",
|
"Friday": "Παρασκευή",
|
||||||
"Fullscreen": "ΠΛΗΡΗΣ ΟΘΟΝΗ",
|
"Fullscreen": "ΠΛΗΡΗΣ ΟΘΟΝΗ",
|
||||||
"General": "Γενικά",
|
"General": "Γενικά",
|
||||||
"GenreValue": "Είδος: {0}",
|
"Genre": "Είδος",
|
||||||
"Genres": "Είδη",
|
"Genres": "Είδη",
|
||||||
"GenresValue": "Είδη: {0}",
|
|
||||||
"GroupBySeries": "Ομαδοποίηση κατά σειρά",
|
"GroupBySeries": "Ομαδοποίηση κατά σειρά",
|
||||||
"GroupVersions": "Ομαδικές εκδόσεις",
|
"GroupVersions": "Ομαδικές εκδόσεις",
|
||||||
"GuestStar": "Φιλική Συμμετοχή",
|
"GuestStar": "Φιλική Συμμετοχή",
|
||||||
|
@ -452,7 +450,7 @@
|
||||||
"LabelAppNameExample": "Παράδειγμα: Sickbeard, NzbDrone",
|
"LabelAppNameExample": "Παράδειγμα: Sickbeard, NzbDrone",
|
||||||
"LabelArtists": "Καλλιτέχνες:",
|
"LabelArtists": "Καλλιτέχνες:",
|
||||||
"LabelArtistsHelp": "Ξεχωρίστε πολλαπλά χρησιμοποιώντας;",
|
"LabelArtistsHelp": "Ξεχωρίστε πολλαπλά χρησιμοποιώντας;",
|
||||||
"LabelAudio": "Ήχος:",
|
"LabelAudio": "Ήχος",
|
||||||
"LabelAudioLanguagePreference": "Προτιμώμενη γλώσσα ήχου:",
|
"LabelAudioLanguagePreference": "Προτιμώμενη γλώσσα ήχου:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Αυτόματη ανανέωση μεταδεδομένων από το internet:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Αυτόματη ανανέωση μεταδεδομένων από το internet:",
|
||||||
"LabelBirthDate": "Ημερομηνία Γενεθλίων:",
|
"LabelBirthDate": "Ημερομηνία Γενεθλίων:",
|
||||||
|
@ -666,7 +664,7 @@
|
||||||
"LabelStopWhenPossible": "Διακοπή όταν είναι δυνατόν:",
|
"LabelStopWhenPossible": "Διακοπή όταν είναι δυνατόν:",
|
||||||
"LabelSubtitleFormatHelp": "Παράδειγμα: srt",
|
"LabelSubtitleFormatHelp": "Παράδειγμα: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Λειτουργία υποτίτλων:",
|
"LabelSubtitlePlaybackMode": "Λειτουργία υποτίτλων:",
|
||||||
"LabelSubtitles": "Υπότιτλοι:",
|
"LabelSubtitles": "Υπότιτλοι",
|
||||||
"LabelSupportedMediaTypes": "Υποστηριζόμενοι τύποι μέσων:",
|
"LabelSupportedMediaTypes": "Υποστηριζόμενοι τύποι μέσων:",
|
||||||
"LabelTVHomeScreen": "Αρχική οθόνη λειτουργίας τηλεόρασης:",
|
"LabelTVHomeScreen": "Αρχική οθόνη λειτουργίας τηλεόρασης:",
|
||||||
"LabelTag": "Ετικέτα:",
|
"LabelTag": "Ετικέτα:",
|
||||||
|
@ -696,7 +694,7 @@
|
||||||
"LabelVersion": "Έκδοση:",
|
"LabelVersion": "Έκδοση:",
|
||||||
"LabelVersionInstalled": "{0} εγκαταστήθηκε",
|
"LabelVersionInstalled": "{0} εγκαταστήθηκε",
|
||||||
"LabelVersionNumber": "Έκδοση {0}",
|
"LabelVersionNumber": "Έκδοση {0}",
|
||||||
"LabelVideo": "Βίντεο:",
|
"LabelVideo": "Βίντεο",
|
||||||
"LabelXDlnaCapHelp": "Καθορίζει το περιεχόμενο του στοιχείου X_DLNACAP στο urn:schemas-dlna-org:device-1-0 namespace.",
|
"LabelXDlnaCapHelp": "Καθορίζει το περιεχόμενο του στοιχείου X_DLNACAP στο urn:schemas-dlna-org:device-1-0 namespace.",
|
||||||
"LabelXDlnaDocHelp": "Καθορίζει το περιεχόμενο του στοιχείου X_DLNACAP στο urn:schemas-dlna-org:device-1-0 namespace.",
|
"LabelXDlnaDocHelp": "Καθορίζει το περιεχόμενο του στοιχείου X_DLNACAP στο urn:schemas-dlna-org:device-1-0 namespace.",
|
||||||
"LabelYear": "Έτος:",
|
"LabelYear": "Έτος:",
|
||||||
|
|
|
@ -223,8 +223,7 @@
|
||||||
"DirectStreamHelp2": "Direct Streaming a file uses very little processing power without any loss in video quality.",
|
"DirectStreamHelp2": "Direct Streaming a file uses very little processing power without any loss in video quality.",
|
||||||
"DirectStreaming": "Direct streaming",
|
"DirectStreaming": "Direct streaming",
|
||||||
"Director": "Director",
|
"Director": "Director",
|
||||||
"DirectorValue": "Director: {0}",
|
"Directors": "Directors",
|
||||||
"DirectorsValue": "Directors: {0}",
|
|
||||||
"Disabled": "Disabled",
|
"Disabled": "Disabled",
|
||||||
"Disc": "Disc",
|
"Disc": "Disc",
|
||||||
"Disconnect": "Disconnect",
|
"Disconnect": "Disconnect",
|
||||||
|
@ -299,8 +298,7 @@
|
||||||
"Friday": "Friday",
|
"Friday": "Friday",
|
||||||
"Fullscreen": "Full screen",
|
"Fullscreen": "Full screen",
|
||||||
"General": "General",
|
"General": "General",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"GenresValue": "Genres: {0}",
|
|
||||||
"GroupBySeries": "Group by series",
|
"GroupBySeries": "Group by series",
|
||||||
"GroupVersions": "Group versions",
|
"GroupVersions": "Group versions",
|
||||||
"GuestStar": "Guest star",
|
"GuestStar": "Guest star",
|
||||||
|
@ -808,7 +806,7 @@
|
||||||
"LabelTag": "Tag:",
|
"LabelTag": "Tag:",
|
||||||
"LabelTVHomeScreen": "TV mode home screen:",
|
"LabelTVHomeScreen": "TV mode home screen:",
|
||||||
"LabelSupportedMediaTypes": "Supported Media Types:",
|
"LabelSupportedMediaTypes": "Supported Media Types:",
|
||||||
"LabelSubtitles": "Subtitles:",
|
"LabelSubtitles": "Subtitles",
|
||||||
"LabelSubtitlePlaybackMode": "Subtitle mode:",
|
"LabelSubtitlePlaybackMode": "Subtitle mode:",
|
||||||
"LabelSubtitleFormatHelp": "Example: srt",
|
"LabelSubtitleFormatHelp": "Example: srt",
|
||||||
"LabelSubtitleDownloaders": "Subtitle downloaders:",
|
"LabelSubtitleDownloaders": "Subtitle downloaders:",
|
||||||
|
@ -1169,7 +1167,7 @@
|
||||||
"LabelAudioChannels": "Audio channels:",
|
"LabelAudioChannels": "Audio channels:",
|
||||||
"LabelAudioBitrate": "Audio bitrate:",
|
"LabelAudioBitrate": "Audio bitrate:",
|
||||||
"LabelAudioBitDepth": "Audio bit depth:",
|
"LabelAudioBitDepth": "Audio bit depth:",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelArtistsHelp": "Separate multiple using ;",
|
"LabelArtistsHelp": "Separate multiple using ;",
|
||||||
"LabelArtists": "Artists:",
|
"LabelArtists": "Artists:",
|
||||||
"LabelAppName": "App name",
|
"LabelAppName": "App name",
|
||||||
|
@ -1338,7 +1336,7 @@
|
||||||
"MediaInfoSoftware": "Software",
|
"MediaInfoSoftware": "Software",
|
||||||
"ValueOneSeries": "1 series",
|
"ValueOneSeries": "1 series",
|
||||||
"MediaInfoBitrate": "Bitrate",
|
"MediaInfoBitrate": "Bitrate",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LabelPrevious": "Previous",
|
"LabelPrevious": "Previous",
|
||||||
"LabelPostProcessorArgumentsHelp": "Use {path} as the path to the recording file.",
|
"LabelPostProcessorArgumentsHelp": "Use {path} as the path to the recording file.",
|
||||||
"LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart to extrathumbs field",
|
"LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart to extrathumbs field",
|
||||||
|
|
|
@ -192,8 +192,7 @@
|
||||||
"DirectStreamHelp2": "Direct Streaming a file uses very little processing power without any loss in video quality.",
|
"DirectStreamHelp2": "Direct Streaming a file uses very little processing power without any loss in video quality.",
|
||||||
"DirectStreaming": "Direct streaming",
|
"DirectStreaming": "Direct streaming",
|
||||||
"Director": "Director",
|
"Director": "Director",
|
||||||
"DirectorValue": "Director: {0}",
|
"Directors": "Directors",
|
||||||
"DirectorsValue": "Directors: {0}",
|
|
||||||
"Disabled": "Disabled",
|
"Disabled": "Disabled",
|
||||||
"Disc": "Disc",
|
"Disc": "Disc",
|
||||||
"Disconnect": "Disconnect",
|
"Disconnect": "Disconnect",
|
||||||
|
@ -272,9 +271,8 @@
|
||||||
"Friday": "Friday",
|
"Friday": "Friday",
|
||||||
"Fullscreen": "Full screen",
|
"Fullscreen": "Full screen",
|
||||||
"General": "General",
|
"General": "General",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"Genres": "Genres",
|
"Genres": "Genres",
|
||||||
"GenresValue": "Genres: {0}",
|
|
||||||
"GroupBySeries": "Group by series",
|
"GroupBySeries": "Group by series",
|
||||||
"GroupVersions": "Group versions",
|
"GroupVersions": "Group versions",
|
||||||
"GuestStar": "Guest star",
|
"GuestStar": "Guest star",
|
||||||
|
@ -551,7 +549,7 @@
|
||||||
"LabelAppNameExample": "Example: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Example: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "Artists:",
|
"LabelArtists": "Artists:",
|
||||||
"LabelArtistsHelp": "Separate multiple using ;",
|
"LabelArtistsHelp": "Separate multiple using ;",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelAudioBitDepth": "Audio bit depth:",
|
"LabelAudioBitDepth": "Audio bit depth:",
|
||||||
"LabelAudioBitrate": "Audio bitrate:",
|
"LabelAudioBitrate": "Audio bitrate:",
|
||||||
"LabelAudioChannels": "Audio channels:",
|
"LabelAudioChannels": "Audio channels:",
|
||||||
|
@ -841,7 +839,7 @@
|
||||||
"LabelSubtitleDownloaders": "Subtitle downloaders:",
|
"LabelSubtitleDownloaders": "Subtitle downloaders:",
|
||||||
"LabelSubtitleFormatHelp": "Example: srt",
|
"LabelSubtitleFormatHelp": "Example: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Subtitle mode:",
|
"LabelSubtitlePlaybackMode": "Subtitle mode:",
|
||||||
"LabelSubtitles": "Subtitles:",
|
"LabelSubtitles": "Subtitles",
|
||||||
"LabelSupportedMediaTypes": "Supported Media Types:",
|
"LabelSupportedMediaTypes": "Supported Media Types:",
|
||||||
"LabelTVHomeScreen": "TV mode home screen:",
|
"LabelTVHomeScreen": "TV mode home screen:",
|
||||||
"LabelTag": "Tag:",
|
"LabelTag": "Tag:",
|
||||||
|
@ -887,7 +885,7 @@
|
||||||
"DashboardServerName": "Server: {0}",
|
"DashboardServerName": "Server: {0}",
|
||||||
"DashboardOperatingSystem": "Operating System: {0}",
|
"DashboardOperatingSystem": "Operating System: {0}",
|
||||||
"DashboardArchitecture": "Architecture: {0}",
|
"DashboardArchitecture": "Architecture: {0}",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LabelVideoBitrate": "Video bitrate:",
|
"LabelVideoBitrate": "Video bitrate:",
|
||||||
"LabelVideoCodec": "Video codec:",
|
"LabelVideoCodec": "Video codec:",
|
||||||
"LabelVideoResolution": "Video resolution:",
|
"LabelVideoResolution": "Video resolution:",
|
||||||
|
|
|
@ -312,8 +312,7 @@
|
||||||
"DirectStreamHelp2": "Transmitir directamente un archivo usa muy poco procesamiento, esto sin perdida en la calidad de video.",
|
"DirectStreamHelp2": "Transmitir directamente un archivo usa muy poco procesamiento, esto sin perdida en la calidad de video.",
|
||||||
"DirectStreaming": "Transmisión en directo",
|
"DirectStreaming": "Transmisión en directo",
|
||||||
"Director": "Director",
|
"Director": "Director",
|
||||||
"DirectorValue": "Director: {0}",
|
"Directors": "Directores",
|
||||||
"DirectorsValue": "Directores: {0}",
|
|
||||||
"Disabled": "Deshabilitado",
|
"Disabled": "Deshabilitado",
|
||||||
"Disc": "Disco",
|
"Disc": "Disco",
|
||||||
"Disconnect": "Desconectar",
|
"Disconnect": "Desconectar",
|
||||||
|
@ -398,8 +397,7 @@
|
||||||
"Friday": "Viernes",
|
"Friday": "Viernes",
|
||||||
"Fullscreen": "Pantalla Completa",
|
"Fullscreen": "Pantalla Completa",
|
||||||
"General": "General",
|
"General": "General",
|
||||||
"GenreValue": "Género: {0}",
|
"Genre": "Género",
|
||||||
"GenresValue": "Géneros: {0}",
|
|
||||||
"GroupBySeries": "Agrupar por Serie",
|
"GroupBySeries": "Agrupar por Serie",
|
||||||
"GroupVersions": "Agrupar versiones",
|
"GroupVersions": "Agrupar versiones",
|
||||||
"GuestStar": "Estrella invitada",
|
"GuestStar": "Estrella invitada",
|
||||||
|
|
|
@ -179,7 +179,7 @@
|
||||||
"DirectStreamHelp1": "El medio es compatible con el dispositivo en cuanto a la resolución y tipo de medio (H.264, AC3, etc.), pero está en un contenedor de archivo incompatible (mkv, avi, wmv, etc.). El video sera reempaquetado en el acto antes de transmitirlo al dispositivo.",
|
"DirectStreamHelp1": "El medio es compatible con el dispositivo en cuanto a la resolución y tipo de medio (H.264, AC3, etc.), pero está en un contenedor de archivo incompatible (mkv, avi, wmv, etc.). El video sera reempaquetado en el acto antes de transmitirlo al dispositivo.",
|
||||||
"DirectStreamHelp2": "La Transmisión Directa de un archivo usa muy poco poder de procesamiento sin ninguna perdida en la calidad de video.",
|
"DirectStreamHelp2": "La Transmisión Directa de un archivo usa muy poco poder de procesamiento sin ninguna perdida en la calidad de video.",
|
||||||
"DirectStreaming": "Transmisión Directa",
|
"DirectStreaming": "Transmisión Directa",
|
||||||
"DirectorsValue": "Directores: {0}",
|
"Directors": "Directores",
|
||||||
"Disabled": "Desactivado",
|
"Disabled": "Desactivado",
|
||||||
"Disc": "DIsco",
|
"Disc": "DIsco",
|
||||||
"Disconnect": "Desconectar",
|
"Disconnect": "Desconectar",
|
||||||
|
@ -255,9 +255,8 @@
|
||||||
"FormatValue": "Formato: {0}",
|
"FormatValue": "Formato: {0}",
|
||||||
"Friday": "Viernes",
|
"Friday": "Viernes",
|
||||||
"Fullscreen": "Pantalla Completa",
|
"Fullscreen": "Pantalla Completa",
|
||||||
"GenreValue": "Genero: {0}",
|
"Genre": "Genero",
|
||||||
"Genres": "Géneros",
|
"Genres": "Géneros",
|
||||||
"GenresValue": "Géneros: {0}",
|
|
||||||
"GroupBySeries": "Agrupar por series",
|
"GroupBySeries": "Agrupar por series",
|
||||||
"GroupVersions": "Agrupar versiones",
|
"GroupVersions": "Agrupar versiones",
|
||||||
"GuestStar": "Estrella invitada",
|
"GuestStar": "Estrella invitada",
|
||||||
|
@ -782,7 +781,7 @@
|
||||||
"LabelSubtitleDownloaders": "Recolectores de Subtitulos:",
|
"LabelSubtitleDownloaders": "Recolectores de Subtitulos:",
|
||||||
"LabelSubtitleFormatHelp": "Ejemplo: srt",
|
"LabelSubtitleFormatHelp": "Ejemplo: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Modo de subtítulo:",
|
"LabelSubtitlePlaybackMode": "Modo de subtítulo:",
|
||||||
"LabelSubtitles": "Subtítulos:",
|
"LabelSubtitles": "Subtítulos",
|
||||||
"LabelSupportedMediaTypes": "Tipos de Medios Soportados:",
|
"LabelSupportedMediaTypes": "Tipos de Medios Soportados:",
|
||||||
"LabelTVHomeScreen": "Modo de pantalla de TV:",
|
"LabelTVHomeScreen": "Modo de pantalla de TV:",
|
||||||
"LabelTag": "Etiqueta:",
|
"LabelTag": "Etiqueta:",
|
||||||
|
@ -1350,7 +1349,6 @@
|
||||||
"ButtonTrailer": "Trailer",
|
"ButtonTrailer": "Trailer",
|
||||||
"AuthProviderHelp": "Seleccione un proveedor de autenticación que se utilizará para autenticar la contraseña de este usuario.",
|
"AuthProviderHelp": "Seleccione un proveedor de autenticación que se utilizará para autenticar la contraseña de este usuario.",
|
||||||
"Director": "Director",
|
"Director": "Director",
|
||||||
"DirectorValue": "Director: {0}",
|
|
||||||
"Extras": "Extras",
|
"Extras": "Extras",
|
||||||
"General": "General",
|
"General": "General",
|
||||||
"HeaderAdmin": "Administrador",
|
"HeaderAdmin": "Administrador",
|
||||||
|
@ -1367,7 +1365,7 @@
|
||||||
"HeaderRestartingServer": "Reiniciando servidor",
|
"HeaderRestartingServer": "Reiniciando servidor",
|
||||||
"HeaderVideos": "Videos",
|
"HeaderVideos": "Videos",
|
||||||
"Horizontal": "Horizontal",
|
"Horizontal": "Horizontal",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelAuthProvider": "Proveedor de autenticación:",
|
"LabelAuthProvider": "Proveedor de autenticación:",
|
||||||
"LabelDynamicExternalId": "{0} Id:",
|
"LabelDynamicExternalId": "{0} Id:",
|
||||||
"LabelPasswordResetProvider": "Proveedor de restablecimiento de contraseña:",
|
"LabelPasswordResetProvider": "Proveedor de restablecimiento de contraseña:",
|
||||||
|
@ -1380,7 +1378,7 @@
|
||||||
"DashboardServerName": "Servidor: {0}",
|
"DashboardServerName": "Servidor: {0}",
|
||||||
"DashboardOperatingSystem": "Sistema operativo: {0}",
|
"DashboardOperatingSystem": "Sistema operativo: {0}",
|
||||||
"DashboardArchitecture": "Arquitectura: {0}",
|
"DashboardArchitecture": "Arquitectura: {0}",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LabelWeb": "Web: ",
|
"LabelWeb": "Web: ",
|
||||||
"LaunchWebAppOnStartup": "Iniciar la interfaz web al iniciar el servidor",
|
"LaunchWebAppOnStartup": "Iniciar la interfaz web al iniciar el servidor",
|
||||||
"LaunchWebAppOnStartupHelp": "Abre el cliente web en su navegador web predeterminado cuando se inicia el servidor. Esto no ocurrirá cuando se utilice la función de reinicio del servidor.",
|
"LaunchWebAppOnStartupHelp": "Abre el cliente web en su navegador web predeterminado cuando se inicia el servidor. Esto no ocurrirá cuando se utilice la función de reinicio del servidor.",
|
||||||
|
|
|
@ -5,7 +5,7 @@
|
||||||
"AddToCollection": "Añadir a la colección",
|
"AddToCollection": "Añadir a la colección",
|
||||||
"AddToPlaylist": "Añadir a la lista de reproducción",
|
"AddToPlaylist": "Añadir a la lista de reproducción",
|
||||||
"AddedOnValue": "Añadido {0}",
|
"AddedOnValue": "Añadido {0}",
|
||||||
"AdditionalNotificationServices": "Visite el catálogo de complementos para instalar servicios de notificación adicionales.",
|
"AdditionalNotificationServices": "Visite el catálogo de extensiones para instalar servicios de notificación adicionales.",
|
||||||
"Albums": "Álbumes",
|
"Albums": "Álbumes",
|
||||||
"Alerts": "Alertas",
|
"Alerts": "Alertas",
|
||||||
"All": "Todo",
|
"All": "Todo",
|
||||||
|
@ -40,7 +40,7 @@
|
||||||
"Box": "Caja",
|
"Box": "Caja",
|
||||||
"BoxRear": "Caja (trasera)",
|
"BoxRear": "Caja (trasera)",
|
||||||
"Browse": "Explorar",
|
"Browse": "Explorar",
|
||||||
"BrowsePluginCatalogMessage": "Navegar el catalogo de complementos para ver los complementos disponibles.",
|
"BrowsePluginCatalogMessage": "Explore el catálogo de extensiones para ver las extensiones disponibles.",
|
||||||
"ButtonAdd": "Añadir",
|
"ButtonAdd": "Añadir",
|
||||||
"ButtonAddMediaLibrary": "Añadir biblioteca de medios",
|
"ButtonAddMediaLibrary": "Añadir biblioteca de medios",
|
||||||
"ButtonAddScheduledTaskTrigger": "Agregar Activador",
|
"ButtonAddScheduledTaskTrigger": "Agregar Activador",
|
||||||
|
@ -818,16 +818,16 @@
|
||||||
"MessageItemSaved": "Elemento grabado.",
|
"MessageItemSaved": "Elemento grabado.",
|
||||||
"MessageItemsAdded": "Ítems añadidos.",
|
"MessageItemsAdded": "Ítems añadidos.",
|
||||||
"MessageLeaveEmptyToInherit": "Dejar en blanco para heredar la configuración del elemento padre, o el valor global por defecto.",
|
"MessageLeaveEmptyToInherit": "Dejar en blanco para heredar la configuración del elemento padre, o el valor global por defecto.",
|
||||||
"MessageNoAvailablePlugins": "No hay complementos disponibles.",
|
"MessageNoAvailablePlugins": "No hay extensiones disponibles.",
|
||||||
"MessageNoMovieSuggestionsAvailable": "No hay sugerencias de películas disponibles. Comience ver y calificar sus películas y vuelva para ver las recomendaciones.",
|
"MessageNoMovieSuggestionsAvailable": "No hay sugerencias de películas disponibles. Comience ver y calificar sus películas y vuelva para ver las recomendaciones.",
|
||||||
"MessageNoPluginsInstalled": "No tiene complementos instalados.",
|
"MessageNoPluginsInstalled": "No hay extensiones instaladas.",
|
||||||
"MessageNoTrailersFound": "No se han encontrado tráilers. Instala el canal de tráilers para mejorar su experiencia añadiendo una biblioteca de tráilers por internet.",
|
"MessageNoTrailersFound": "No se han encontrado tráilers. Instala el canal de tráilers para mejorar su experiencia añadiendo una biblioteca de tráilers por internet.",
|
||||||
"MessageNothingHere": "Nada aquí.",
|
"MessageNothingHere": "Nada aquí.",
|
||||||
"MessagePasswordResetForUsers": "Se ha restablecido las contraseñas a los siguientes usuarios. Ahora pueden iniciar sesión con los códigos PIN que usaron para el restablecimiento.",
|
"MessagePasswordResetForUsers": "Se ha restablecido las contraseñas a los siguientes usuarios. Ahora pueden iniciar sesión con los códigos PIN que usaron para el restablecimiento.",
|
||||||
"MessagePleaseEnsureInternetMetadata": "Asegúrate de que la descarga de etiquetas desde internet está activada.",
|
"MessagePleaseEnsureInternetMetadata": "Asegúrate de que la descarga de etiquetas desde internet está activada.",
|
||||||
"MessagePleaseWait": "Por favor, espere.",
|
"MessagePleaseWait": "Por favor, espere.",
|
||||||
"MessagePluginConfigurationRequiresLocalAccess": "Para configurar este complemento inicia sesión en tu servidor local directamente.",
|
"MessagePluginConfigurationRequiresLocalAccess": "Para configurar este complemento inicia sesión en tu servidor local directamente.",
|
||||||
"MessagePluginInstallDisclaimer": "Los complementos creados por los miembros de la comunidad de Jellyfin son una buena forma de mejorar tu experiencia Jellyfin con características adicionales y otros beneficios. Antes de instalarlos considera los efectos que pueden tener en tu servidor Jellyfin, como escaneos de la biblioteca más largos, procesado en segundo plano adicional y una reducción de la estabilidad del sistema.",
|
"MessagePluginInstallDisclaimer": "Las extensiones creadas por los miembros de la comunidad de Jellyfin son una buena forma de mejorar tu experiencia con características adicionales y otros beneficios. Antes de instalarlos considera los efectos que pueden tener en tu servidor Jellyfin, como escaneos de la biblioteca más largos, procesado en segundo plano adicional y una reducción de la estabilidad del sistema.",
|
||||||
"MessageReenableUser": "Mira abajo para reactivarlo",
|
"MessageReenableUser": "Mira abajo para reactivarlo",
|
||||||
"MessageSettingsSaved": "Ajustes guardados.",
|
"MessageSettingsSaved": "Ajustes guardados.",
|
||||||
"MessageTheFollowingLocationWillBeRemovedFromLibrary": "Se eliminarán las siguientes ubicaciones de medios de tu biblioteca:",
|
"MessageTheFollowingLocationWillBeRemovedFromLibrary": "Se eliminarán las siguientes ubicaciones de medios de tu biblioteca:",
|
||||||
|
@ -1138,7 +1138,7 @@
|
||||||
"TabMovies": "Películas",
|
"TabMovies": "Películas",
|
||||||
"TabMusic": "Música",
|
"TabMusic": "Música",
|
||||||
"TabMusicVideos": "Videos musicales",
|
"TabMusicVideos": "Videos musicales",
|
||||||
"TabMyPlugins": "Mis complementos",
|
"TabMyPlugins": "Mis extensiones",
|
||||||
"TabNetworks": "Cadenas",
|
"TabNetworks": "Cadenas",
|
||||||
"TabNfoSettings": "Ajustes de NFO",
|
"TabNfoSettings": "Ajustes de NFO",
|
||||||
"TabNotifications": "Notificaciones",
|
"TabNotifications": "Notificaciones",
|
||||||
|
@ -1248,9 +1248,8 @@
|
||||||
"Descending": "Descendiente",
|
"Descending": "Descendiente",
|
||||||
"DirectStreamHelp1": "El tipo de archivo (H.264, AC3, etc.) y la resolución son compatibles con el dispositivo, pero no el contenedor (mkv, avi, wmv, etc.). El vídeo será re-empaquetado al vuelo antes de transmitirlo al dispositivo.",
|
"DirectStreamHelp1": "El tipo de archivo (H.264, AC3, etc.) y la resolución son compatibles con el dispositivo, pero no el contenedor (mkv, avi, wmv, etc.). El vídeo será re-empaquetado al vuelo antes de transmitirlo al dispositivo.",
|
||||||
"DirectStreamHelp2": "La transmisión directa del archivo usa muy poco procesamiento sin ninguna pérdida de calidad en el vídeo.",
|
"DirectStreamHelp2": "La transmisión directa del archivo usa muy poco procesamiento sin ninguna pérdida de calidad en el vídeo.",
|
||||||
"Director": "Dirección de",
|
"Director": "Director",
|
||||||
"DirectorValue": "Dirección de: {0}",
|
"Directors": "Directores",
|
||||||
"DirectorsValue": "Directores: {0}",
|
|
||||||
"Display": "Mostrar",
|
"Display": "Mostrar",
|
||||||
"DisplayInMyMedia": "Mostrar en la pantalla de inicio",
|
"DisplayInMyMedia": "Mostrar en la pantalla de inicio",
|
||||||
"DisplayInOtherHomeScreenSections": "Mostrar en las secciones de la pantalla de inicio al igual que \"últimos\" y \"continuar viendo\"",
|
"DisplayInOtherHomeScreenSections": "Mostrar en las secciones de la pantalla de inicio al igual que \"últimos\" y \"continuar viendo\"",
|
||||||
|
@ -1272,8 +1271,7 @@
|
||||||
"Filters": "Filtros",
|
"Filters": "Filtros",
|
||||||
"Folders": "Carpetas",
|
"Folders": "Carpetas",
|
||||||
"General": "General",
|
"General": "General",
|
||||||
"GenreValue": "Género: {0}",
|
"Genre": "Género",
|
||||||
"GenresValue": "Géneros: {0}",
|
|
||||||
"GroupBySeries": "Agrupar por series",
|
"GroupBySeries": "Agrupar por series",
|
||||||
"GuideProviderLogin": "Credenciales",
|
"GuideProviderLogin": "Credenciales",
|
||||||
"HeaderAlbumArtists": "Artistas del álbum",
|
"HeaderAlbumArtists": "Artistas del álbum",
|
||||||
|
@ -1290,7 +1288,7 @@
|
||||||
"HeaderVideoType": "Tipo de vídeo",
|
"HeaderVideoType": "Tipo de vídeo",
|
||||||
"Home": "Inicio",
|
"Home": "Inicio",
|
||||||
"Horizontal": "Horizontal",
|
"Horizontal": "Horizontal",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelBurnSubtitles": "Incrustar subtítulos:",
|
"LabelBurnSubtitles": "Incrustar subtítulos:",
|
||||||
"LabelDashboardTheme": "Tema para la interfaz del servidor:",
|
"LabelDashboardTheme": "Tema para la interfaz del servidor:",
|
||||||
"LabelDateTimeLocale": "Fecha y hora local:",
|
"LabelDateTimeLocale": "Fecha y hora local:",
|
||||||
|
@ -1308,10 +1306,10 @@
|
||||||
"LabelSortBy": "Ordenar por:",
|
"LabelSortBy": "Ordenar por:",
|
||||||
"LabelSortOrder": "Orden:",
|
"LabelSortOrder": "Orden:",
|
||||||
"LabelSoundEffects": "Efectos de sonido:",
|
"LabelSoundEffects": "Efectos de sonido:",
|
||||||
"LabelSubtitles": "Subtítulos:",
|
"LabelSubtitles": "Subtítulos",
|
||||||
"LabelTVHomeScreen": "Modo televisión en pantalla de inicio:",
|
"LabelTVHomeScreen": "Modo televisión en pantalla de inicio:",
|
||||||
"LabelVersion": "Versión:",
|
"LabelVersion": "Versión:",
|
||||||
"LabelVideo": "Vídeo:",
|
"LabelVideo": "Vídeo",
|
||||||
"LabelXDlnaCap": "X-DNLA cap:",
|
"LabelXDlnaCap": "X-DNLA cap:",
|
||||||
"LabelXDlnaDoc": "X-DLNA doc:",
|
"LabelXDlnaDoc": "X-DLNA doc:",
|
||||||
"LearnHowYouCanContribute": "Descubre cómo puedes contribuir.",
|
"LearnHowYouCanContribute": "Descubre cómo puedes contribuir.",
|
||||||
|
@ -1418,7 +1416,7 @@
|
||||||
"TV": "Televisión",
|
"TV": "Televisión",
|
||||||
"TabInfo": "Info",
|
"TabInfo": "Info",
|
||||||
"TabLogs": "Registros",
|
"TabLogs": "Registros",
|
||||||
"TabPlugins": "Complementos",
|
"TabPlugins": "Extensiones",
|
||||||
"TabSeries": "Series",
|
"TabSeries": "Series",
|
||||||
"TabTrailers": "Tráilers",
|
"TabTrailers": "Tráilers",
|
||||||
"TagsValue": "Etiquetas: {0}",
|
"TagsValue": "Etiquetas: {0}",
|
||||||
|
|
|
@ -240,8 +240,7 @@
|
||||||
"DirectStreamHelp2": "Tiedoston suoraan toistaminen käyttää erittäin vähän prosessorin resursseja ilman laadun heikentämistä.",
|
"DirectStreamHelp2": "Tiedoston suoraan toistaminen käyttää erittäin vähän prosessorin resursseja ilman laadun heikentämistä.",
|
||||||
"DirectStreaming": "Suora suoratoisto",
|
"DirectStreaming": "Suora suoratoisto",
|
||||||
"Director": "Ohjaaja",
|
"Director": "Ohjaaja",
|
||||||
"DirectorValue": "Ohjaaja: {0}",
|
"Directors": "Ohjaajat",
|
||||||
"DirectorsValue": "Ohjaajat: {0}",
|
|
||||||
"Disabled": "Pois päältä kytkettynä",
|
"Disabled": "Pois päältä kytkettynä",
|
||||||
"Disc": "Levy",
|
"Disc": "Levy",
|
||||||
"Disconnect": "Katkaise yhteys",
|
"Disconnect": "Katkaise yhteys",
|
||||||
|
|
|
@ -175,9 +175,8 @@
|
||||||
"DirectStreamHelp1": "Le média est compatible avec l'appareil en ce qui concerne la résolution et le type de média (H.264, AC3, etc), mais se trouve dans un conteneur de fichiers incompatible (mkv, avi, wmv, etc). La vidéo sera rempaquetée à la volée avant d'être diffusée à l'appareil.",
|
"DirectStreamHelp1": "Le média est compatible avec l'appareil en ce qui concerne la résolution et le type de média (H.264, AC3, etc), mais se trouve dans un conteneur de fichiers incompatible (mkv, avi, wmv, etc). La vidéo sera rempaquetée à la volée avant d'être diffusée à l'appareil.",
|
||||||
"DirectStreamHelp2": "Le streaming en direct d'un fichier utilise très peu de puissance de traitement sans perte de qualité vidéo.",
|
"DirectStreamHelp2": "Le streaming en direct d'un fichier utilise très peu de puissance de traitement sans perte de qualité vidéo.",
|
||||||
"DirectStreaming": "Streaming direct",
|
"DirectStreaming": "Streaming direct",
|
||||||
"Director": "Réalisation",
|
"Director": "Réalisateur(trice)",
|
||||||
"DirectorValue": "Réalisation : {0}",
|
"Directors": "Réalisateurs",
|
||||||
"DirectorsValue": "Réalisation : {0}",
|
|
||||||
"Disabled": "Désactivé",
|
"Disabled": "Désactivé",
|
||||||
"Disc": "Disque",
|
"Disc": "Disque",
|
||||||
"Disconnect": "Déconnecter",
|
"Disconnect": "Déconnecter",
|
||||||
|
@ -777,7 +776,7 @@
|
||||||
"LabelSubtitleDownloaders": "Outils de téléchargement de sous-titres :",
|
"LabelSubtitleDownloaders": "Outils de téléchargement de sous-titres :",
|
||||||
"LabelSubtitleFormatHelp": "Exemple : srt",
|
"LabelSubtitleFormatHelp": "Exemple : srt",
|
||||||
"LabelSubtitlePlaybackMode": "Mode des sous-titres :",
|
"LabelSubtitlePlaybackMode": "Mode des sous-titres :",
|
||||||
"LabelSubtitles": "Sous-titres :",
|
"LabelSubtitles": "Sous-titres",
|
||||||
"LabelSupportedMediaTypes": "Types de médias supportés :",
|
"LabelSupportedMediaTypes": "Types de médias supportés :",
|
||||||
"LabelTVHomeScreen": "Écran d'accueil du mode TV :",
|
"LabelTVHomeScreen": "Écran d'accueil du mode TV :",
|
||||||
"LabelTag": "Étiquette :",
|
"LabelTag": "Étiquette :",
|
||||||
|
@ -814,7 +813,7 @@
|
||||||
"LabelValue": "Valeur :",
|
"LabelValue": "Valeur :",
|
||||||
"LabelVersion": "Version :",
|
"LabelVersion": "Version :",
|
||||||
"LabelVersionInstalled": "{0} installé(s)",
|
"LabelVersionInstalled": "{0} installé(s)",
|
||||||
"LabelVideo": "Vidéo :",
|
"LabelVideo": "Vidéo",
|
||||||
"LabelXDlnaCap": "Cap X-DLNA :",
|
"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.",
|
"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 :",
|
"LabelXDlnaDoc": "Doc X-DLNA :",
|
||||||
|
@ -1329,9 +1328,8 @@
|
||||||
"ButtonPause": "Pause",
|
"ButtonPause": "Pause",
|
||||||
"Collections": "Collections",
|
"Collections": "Collections",
|
||||||
"Extras": "Extras",
|
"Extras": "Extras",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"Genres": "Genres",
|
"Genres": "Genres",
|
||||||
"GenresValue": "Genres: {0}",
|
|
||||||
"Guide": "Guide",
|
"Guide": "Guide",
|
||||||
"GuestStar": "Guest star",
|
"GuestStar": "Guest star",
|
||||||
"Photos": "Photos",
|
"Photos": "Photos",
|
||||||
|
@ -1341,7 +1339,7 @@
|
||||||
"HeaderTuners": "Égaliseur",
|
"HeaderTuners": "Égaliseur",
|
||||||
"Horizontal": "Horizontal",
|
"Horizontal": "Horizontal",
|
||||||
"Images": "Images",
|
"Images": "Images",
|
||||||
"LabelAudio": "Audio :",
|
"LabelAudio": "Audio",
|
||||||
"LabelVersionNumber": "Version {0}",
|
"LabelVersionNumber": "Version {0}",
|
||||||
"LeaveBlankToNotSetAPassword": "Laissez vide pour ne pas définir de mot de passe.",
|
"LeaveBlankToNotSetAPassword": "Laissez vide pour ne pas définir de mot de passe.",
|
||||||
"Logo": "Logo",
|
"Logo": "Logo",
|
||||||
|
@ -1472,5 +1470,6 @@
|
||||||
"NoCreatedLibraries": "Il semblerait que vous n'ayez créé aucune librairie. {0}Voulez-vous en créer une maintenant ?{1}",
|
"NoCreatedLibraries": "Il semblerait que vous n'ayez créé aucune librairie. {0}Voulez-vous en créer une maintenant ?{1}",
|
||||||
"PlaybackErrorNoCompatibleStream": "Problème de profil client, le serveur n’a pas pu envoyer un format média compatible.",
|
"PlaybackErrorNoCompatibleStream": "Problème de profil client, le serveur n’a pas pu envoyer un format média compatible.",
|
||||||
"PreferEmbeddedEpisodeInfosOverFileNames": "Préférer les informations intégrées aux noms de fichiers",
|
"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."
|
"PreferEmbeddedEpisodeInfosOverFileNamesHelp": "Utilise les informations des métadonnées intégrées, si disponible.",
|
||||||
|
"ClientSettings": "Paramètres Client"
|
||||||
}
|
}
|
||||||
|
|
|
@ -59,7 +59,6 @@
|
||||||
"DeleteImageConfirmation": "האם אתה בטוח שברצונך למחוק תמונה זו?",
|
"DeleteImageConfirmation": "האם אתה בטוח שברצונך למחוק תמונה זו?",
|
||||||
"DeleteMedia": "מחק מדיה",
|
"DeleteMedia": "מחק מדיה",
|
||||||
"DeleteUser": "מחק משתמש",
|
"DeleteUser": "מחק משתמש",
|
||||||
"Director": "מנהל",
|
|
||||||
"Dislike": "לא אוהב",
|
"Dislike": "לא אוהב",
|
||||||
"DoNotRecord": "אל תקליט",
|
"DoNotRecord": "אל תקליט",
|
||||||
"Download": "הורדה",
|
"Download": "הורדה",
|
||||||
|
@ -557,8 +556,8 @@
|
||||||
"DisplayMissingEpisodesWithinSeasons": "הצג פרקים חסרים בתוך העונות",
|
"DisplayMissingEpisodesWithinSeasons": "הצג פרקים חסרים בתוך העונות",
|
||||||
"DisplayInMyMedia": "הצג בעמוד הבית",
|
"DisplayInMyMedia": "הצג בעמוד הבית",
|
||||||
"Disconnect": "התנתק",
|
"Disconnect": "התנתק",
|
||||||
"DirectorsValue": "במאים: {0}",
|
"Director": "במאי",
|
||||||
"DirectorValue": "במאי: {0}",
|
"Directors": "במאים",
|
||||||
"Descending": "סדר יורד",
|
"Descending": "סדר יורד",
|
||||||
"Default": "ברירת מחדל",
|
"Default": "ברירת מחדל",
|
||||||
"DeathDateValue": "נפטר: {0}",
|
"DeathDateValue": "נפטר: {0}",
|
||||||
|
@ -667,8 +666,7 @@
|
||||||
"HeaderAddScheduledTaskTrigger": "הוסף טריגר",
|
"HeaderAddScheduledTaskTrigger": "הוסף טריגר",
|
||||||
"HeaderActivity": "פעילות",
|
"HeaderActivity": "פעילות",
|
||||||
"Guide": "מדריך",
|
"Guide": "מדריך",
|
||||||
"GenresValue": "ז'אנרים: {0}",
|
"Genre": "ז'אנר",
|
||||||
"GenreValue": "ז'אנר: {0}",
|
|
||||||
"General": "כללי",
|
"General": "כללי",
|
||||||
"Fullscreen": "מסך מלא",
|
"Fullscreen": "מסך מלא",
|
||||||
"FolderTypeUnset": "תוכן מעורבב",
|
"FolderTypeUnset": "תוכן מעורבב",
|
||||||
|
|
|
@ -87,8 +87,7 @@
|
||||||
"DeleteMedia": "Média törlése",
|
"DeleteMedia": "Média törlése",
|
||||||
"Descending": "Csökkenő",
|
"Descending": "Csökkenő",
|
||||||
"Director": "Rendező",
|
"Director": "Rendező",
|
||||||
"DirectorValue": "Rendező: {0}",
|
"Directors": "Rendezők",
|
||||||
"DirectorsValue": "Rendezők: {0}",
|
|
||||||
"Dislike": "Nem tettszik",
|
"Dislike": "Nem tettszik",
|
||||||
"Display": "Megjelenítés",
|
"Display": "Megjelenítés",
|
||||||
"DisplayMissingEpisodesWithinSeasons": "Hiányzó évad epizódok megjelenítése",
|
"DisplayMissingEpisodesWithinSeasons": "Hiányzó évad epizódok megjelenítése",
|
||||||
|
@ -124,7 +123,6 @@
|
||||||
"Fullscreen": "Teljes képernyő",
|
"Fullscreen": "Teljes képernyő",
|
||||||
"General": "Általános",
|
"General": "Általános",
|
||||||
"Genres": "Műfajok",
|
"Genres": "Műfajok",
|
||||||
"GenresValue": "Műfajok: {0}",
|
|
||||||
"HeaderActiveDevices": "Aktív eszközök",
|
"HeaderActiveDevices": "Aktív eszközök",
|
||||||
"HeaderAddToCollection": "Hozzáadás gyűjteményhez",
|
"HeaderAddToCollection": "Hozzáadás gyűjteményhez",
|
||||||
"HeaderAddToPlaylist": "Hozzáadás lejátszási listához",
|
"HeaderAddToPlaylist": "Hozzáadás lejátszási listához",
|
||||||
|
@ -233,7 +231,7 @@
|
||||||
"LabelAllowServerAutoRestart": "Automatikus újraindítás engedélyezése a szervernek a frissítések telepítéséhez",
|
"LabelAllowServerAutoRestart": "Automatikus újraindítás engedélyezése a szervernek a frissítések telepítéséhez",
|
||||||
"LabelAllowServerAutoRestartHelp": "A szerver csak akkor indul újra ha nincs felhasználói tevékenység.",
|
"LabelAllowServerAutoRestartHelp": "A szerver csak akkor indul újra ha nincs felhasználói tevékenység.",
|
||||||
"LabelArtists": "Előadók:",
|
"LabelArtists": "Előadók:",
|
||||||
"LabelAudio": "Audió:",
|
"LabelAudio": "Audió",
|
||||||
"LabelAudioLanguagePreference": "Audió nyelvének beállítása:",
|
"LabelAudioLanguagePreference": "Audió nyelvének beállítása:",
|
||||||
"LabelBirthYear": "Születési év:",
|
"LabelBirthYear": "Születési év:",
|
||||||
"LabelCachePath": "Gyorsítótár útvonal:",
|
"LabelCachePath": "Gyorsítótár útvonal:",
|
||||||
|
@ -321,7 +319,7 @@
|
||||||
"LabelStopping": "Megállítás",
|
"LabelStopping": "Megállítás",
|
||||||
"LabelSubtitleFormatHelp": "Például: srt",
|
"LabelSubtitleFormatHelp": "Például: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Felirat mód:",
|
"LabelSubtitlePlaybackMode": "Felirat mód:",
|
||||||
"LabelSubtitles": "Feliratok:",
|
"LabelSubtitles": "Feliratok",
|
||||||
"LabelTagline": "Címke:",
|
"LabelTagline": "Címke:",
|
||||||
"LabelTheme": "Kinézet:",
|
"LabelTheme": "Kinézet:",
|
||||||
"LabelTime": "Idő:",
|
"LabelTime": "Idő:",
|
||||||
|
@ -338,7 +336,7 @@
|
||||||
"LabelUsername": "Felhasználónév:",
|
"LabelUsername": "Felhasználónév:",
|
||||||
"LabelVersionInstalled": "{0} telepítve",
|
"LabelVersionInstalled": "{0} telepítve",
|
||||||
"LabelVersionNumber": "Verzió {0}",
|
"LabelVersionNumber": "Verzió {0}",
|
||||||
"LabelVideo": "Videó:",
|
"LabelVideo": "Videó",
|
||||||
"LabelYear": "Év:",
|
"LabelYear": "Év:",
|
||||||
"LabelYourFirstName": "Keresztneved:",
|
"LabelYourFirstName": "Keresztneved:",
|
||||||
"LabelYoureDone": "Készen vagy!",
|
"LabelYoureDone": "Készen vagy!",
|
||||||
|
@ -575,7 +573,7 @@
|
||||||
"Writer": "Író",
|
"Writer": "Író",
|
||||||
"Yesterday": "Tegnap",
|
"Yesterday": "Tegnap",
|
||||||
"FormatValue": "Formátum: {0}",
|
"FormatValue": "Formátum: {0}",
|
||||||
"GenreValue": "Műfaj: {0}",
|
"Genre": "Műfaj",
|
||||||
"HeaderServerSettings": "Szerver beállítások",
|
"HeaderServerSettings": "Szerver beállítások",
|
||||||
"LabelDropImageHere": "Húzz ide egy képet, vagy kattints a böngészéshez.",
|
"LabelDropImageHere": "Húzz ide egy képet, vagy kattints a böngészéshez.",
|
||||||
"LabelDropShadow": "Árnyék:",
|
"LabelDropShadow": "Árnyék:",
|
||||||
|
|
|
@ -165,8 +165,7 @@
|
||||||
"DirectStreamHelp2": "Lo Streaming in Diretta di un file utilizza poco il processore senza alcuna perdita di qualità video.",
|
"DirectStreamHelp2": "Lo Streaming in Diretta di un file utilizza poco il processore senza alcuna perdita di qualità video.",
|
||||||
"DirectStreaming": "Streaming Diretto",
|
"DirectStreaming": "Streaming Diretto",
|
||||||
"Director": "Regista",
|
"Director": "Regista",
|
||||||
"DirectorValue": "Regista: {0}",
|
"Directors": "Registi",
|
||||||
"DirectorsValue": "Registi: {0}",
|
|
||||||
"Disabled": "Disabilitato",
|
"Disabled": "Disabilitato",
|
||||||
"Disc": "Disco",
|
"Disc": "Disco",
|
||||||
"Disconnect": "Disconnetti",
|
"Disconnect": "Disconnetti",
|
||||||
|
@ -240,9 +239,8 @@
|
||||||
"FormatValue": "Formato: {0}",
|
"FormatValue": "Formato: {0}",
|
||||||
"Friday": "Venerdì",
|
"Friday": "Venerdì",
|
||||||
"Fullscreen": "Schermo Intero",
|
"Fullscreen": "Schermo Intero",
|
||||||
"GenreValue": "Genere: {0}",
|
"Genre": "Genere",
|
||||||
"Genres": "Generi",
|
"Genres": "Generi",
|
||||||
"GenresValue": "Generi: {0}",
|
|
||||||
"GroupBySeries": "Raggruppa per serie",
|
"GroupBySeries": "Raggruppa per serie",
|
||||||
"GroupVersions": "Raggruppa versioni",
|
"GroupVersions": "Raggruppa versioni",
|
||||||
"GuestStar": "Personaggio famoso",
|
"GuestStar": "Personaggio famoso",
|
||||||
|
@ -751,7 +749,7 @@
|
||||||
"LabelSubtitleDownloaders": "Downloader sottotitoli:",
|
"LabelSubtitleDownloaders": "Downloader sottotitoli:",
|
||||||
"LabelSubtitleFormatHelp": "Esempio: srt",
|
"LabelSubtitleFormatHelp": "Esempio: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Modalità Sottotitolo:",
|
"LabelSubtitlePlaybackMode": "Modalità Sottotitolo:",
|
||||||
"LabelSubtitles": "Sottotitoli:",
|
"LabelSubtitles": "Sottotitoli",
|
||||||
"LabelSupportedMediaTypes": "Tipi di media supportati:",
|
"LabelSupportedMediaTypes": "Tipi di media supportati:",
|
||||||
"LabelTVHomeScreen": "Schermata iniziale della modalità TV:",
|
"LabelTVHomeScreen": "Schermata iniziale della modalità TV:",
|
||||||
"LabelTagline": "Slogan:",
|
"LabelTagline": "Slogan:",
|
||||||
|
@ -1319,7 +1317,7 @@
|
||||||
"HeaderRestartingServer": "Riavvio Server",
|
"HeaderRestartingServer": "Riavvio Server",
|
||||||
"Home": "Home",
|
"Home": "Home",
|
||||||
"LabelAlbum": "Album:",
|
"LabelAlbum": "Album:",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelCache": "Cache:",
|
"LabelCache": "Cache:",
|
||||||
"ButtonAddImage": "Aggiungi Immagine",
|
"ButtonAddImage": "Aggiungi Immagine",
|
||||||
"CopyStreamURL": "Copia Indirizzo dello Stream",
|
"CopyStreamURL": "Copia Indirizzo dello Stream",
|
||||||
|
@ -1400,7 +1398,7 @@
|
||||||
"LabelTranscodingProgress": "Progresso di trascodifica:",
|
"LabelTranscodingProgress": "Progresso di trascodifica:",
|
||||||
"DashboardVersionNumber": "Versione: {0}",
|
"DashboardVersionNumber": "Versione: {0}",
|
||||||
"DashboardServerName": "Server: {0}",
|
"DashboardServerName": "Server: {0}",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"DashboardArchitecture": "Architettura: {0}",
|
"DashboardArchitecture": "Architettura: {0}",
|
||||||
"LabelWeb": "Web:",
|
"LabelWeb": "Web:",
|
||||||
"LaunchWebAppOnStartup": "Lancia l'interfaccia web quando viene avviato il server",
|
"LaunchWebAppOnStartup": "Lancia l'interfaccia web quando viene avviato il server",
|
||||||
|
|
|
@ -176,8 +176,7 @@
|
||||||
"DirectStreamHelp2": "ファイルのダイレクトストリーミングは、ビデオ品質を損なうことなく、Jellyfin Serverにもほとんど負荷がありません。",
|
"DirectStreamHelp2": "ファイルのダイレクトストリーミングは、ビデオ品質を損なうことなく、Jellyfin Serverにもほとんど負荷がありません。",
|
||||||
"DirectStreaming": "ダイレクトストリーミング",
|
"DirectStreaming": "ダイレクトストリーミング",
|
||||||
"Director": "ディレクター",
|
"Director": "ディレクター",
|
||||||
"DirectorValue": "ディレクター: {0}",
|
"Directors": "ディレクターズ",
|
||||||
"DirectorsValue": "ディレクターズ: {0}",
|
|
||||||
"Disabled": "無効",
|
"Disabled": "無効",
|
||||||
"Disc": "ディスク",
|
"Disc": "ディスク",
|
||||||
"Disconnect": "切断",
|
"Disconnect": "切断",
|
||||||
|
@ -266,9 +265,8 @@
|
||||||
"Friday": "金曜日",
|
"Friday": "金曜日",
|
||||||
"Fullscreen": "フルスクリーン",
|
"Fullscreen": "フルスクリーン",
|
||||||
"General": "全般",
|
"General": "全般",
|
||||||
"GenreValue": "ジャンル: {0}",
|
"Genre": "ジャンル",
|
||||||
"Genres": "ジャンル",
|
"Genres": "ジャンル",
|
||||||
"GenresValue": "ジャンル: {0}",
|
|
||||||
"GroupBySeries": "シリーズグループ",
|
"GroupBySeries": "シリーズグループ",
|
||||||
"GroupVersions": "グループバージョン",
|
"GroupVersions": "グループバージョン",
|
||||||
"GuestStar": "ゲストスター",
|
"GuestStar": "ゲストスター",
|
||||||
|
@ -560,7 +558,7 @@
|
||||||
"LabelOriginalAspectRatio": "元のアスペクト比:",
|
"LabelOriginalAspectRatio": "元のアスペクト比:",
|
||||||
"LabelPrevious": "前へ",
|
"LabelPrevious": "前へ",
|
||||||
"LabelServerName": "サーバー名:",
|
"LabelServerName": "サーバー名:",
|
||||||
"LabelSubtitles": "字幕:",
|
"LabelSubtitles": "字幕",
|
||||||
"LabelSupportedMediaTypes": "サポートされているメディアタイプ:",
|
"LabelSupportedMediaTypes": "サポートされているメディアタイプ:",
|
||||||
"LabelTVHomeScreen": "TVモードホームスクリーン:",
|
"LabelTVHomeScreen": "TVモードホームスクリーン:",
|
||||||
"LabelTextColor": "文字色:",
|
"LabelTextColor": "文字色:",
|
||||||
|
@ -860,7 +858,7 @@
|
||||||
"LabelAllowedRemoteAddresses": "リモートIPアドレスフィルター:",
|
"LabelAllowedRemoteAddresses": "リモートIPアドレスフィルター:",
|
||||||
"LabelAppNameExample": "例: スケートボード、ソナー",
|
"LabelAppNameExample": "例: スケートボード、ソナー",
|
||||||
"LabelArtists": "アーティスト:",
|
"LabelArtists": "アーティスト:",
|
||||||
"LabelAudio": "音声:",
|
"LabelAudio": "音声",
|
||||||
"LabelAudioBitDepth": "音声ビット深度:",
|
"LabelAudioBitDepth": "音声ビット深度:",
|
||||||
"LabelAudioBitrate": "音声ビットレート:",
|
"LabelAudioBitrate": "音声ビットレート:",
|
||||||
"LabelAudioChannels": "音声チャンネル:",
|
"LabelAudioChannels": "音声チャンネル:",
|
||||||
|
@ -965,7 +963,7 @@
|
||||||
"DashboardVersionNumber": "バージョン: {0}",
|
"DashboardVersionNumber": "バージョン: {0}",
|
||||||
"DashboardServerName": "サーバー: {0}",
|
"DashboardServerName": "サーバー: {0}",
|
||||||
"DashboardArchitecture": "アーキテクチャ: {0}",
|
"DashboardArchitecture": "アーキテクチャ: {0}",
|
||||||
"LabelVideo": "映像:",
|
"LabelVideo": "映像",
|
||||||
"LabelVideoBitrate": "映像ビットレート:",
|
"LabelVideoBitrate": "映像ビットレート:",
|
||||||
"LabelYourFirstName": "名前:",
|
"LabelYourFirstName": "名前:",
|
||||||
"Share": "共有",
|
"Share": "共有",
|
||||||
|
|
|
@ -188,8 +188,7 @@
|
||||||
"DirectStreamHelp2": "Faıldy tikeleı taratý beıne sapasyn joǵaltpaı óte az esepteý qýatyn paıdalanady.",
|
"DirectStreamHelp2": "Faıldy tikeleı taratý beıne sapasyn joǵaltpaı óte az esepteý qýatyn paıdalanady.",
|
||||||
"DirectStreaming": "Tikeleı tasymaldanýda",
|
"DirectStreaming": "Tikeleı tasymaldanýda",
|
||||||
"Director": "Rejısór",
|
"Director": "Rejısór",
|
||||||
"DirectorValue": "Rejısóri: {0}",
|
"Directors": "Rejısórler",
|
||||||
"DirectorsValue": "Rejısórler; {0}",
|
|
||||||
"Disabled": "Ajyratylǵan",
|
"Disabled": "Ajyratylǵan",
|
||||||
"Disc": "Dıski",
|
"Disc": "Dıski",
|
||||||
"Disconnect": "Ajyratý",
|
"Disconnect": "Ajyratý",
|
||||||
|
@ -267,9 +266,8 @@
|
||||||
"Friday": "juma",
|
"Friday": "juma",
|
||||||
"Fullscreen": "Tolyq ekran",
|
"Fullscreen": "Tolyq ekran",
|
||||||
"General": "Jalpy",
|
"General": "Jalpy",
|
||||||
"GenreValue": "Janr: {0}",
|
"Genre": "Janr",
|
||||||
"Genres": "Janrlar",
|
"Genres": "Janrlar",
|
||||||
"GenresValue": "Janrlar: {0}",
|
|
||||||
"GroupBySeries": "Telehıkaıalar boıynsha toptastyrý",
|
"GroupBySeries": "Telehıkaıalar boıynsha toptastyrý",
|
||||||
"GroupVersions": "Nusqalardy toptastyrý",
|
"GroupVersions": "Nusqalardy toptastyrý",
|
||||||
"GuestStar": "Shaqyrylǵan aktór",
|
"GuestStar": "Shaqyrylǵan aktór",
|
||||||
|
@ -538,7 +536,7 @@
|
||||||
"LabelAppNameExample": "Mysaly: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Mysaly: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "Oryndaýshylar:",
|
"LabelArtists": "Oryndaýshylar:",
|
||||||
"LabelArtistsHelp": "Birneshýin mynaýmen bólińiz ;",
|
"LabelArtistsHelp": "Birneshýin mynaýmen bólińiz ;",
|
||||||
"LabelAudio": "Dybys:",
|
"LabelAudio": "Dybys",
|
||||||
"LabelAudioLanguagePreference": "Dybys tiliniń teńshelimi:",
|
"LabelAudioLanguagePreference": "Dybys tiliniń teńshelimi:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Metaderekterdi Internetten avtomatty jańartý:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Metaderekterdi Internetten avtomatty jańartý:",
|
||||||
"LabelBindToLocalNetworkAddress": "Jergilikti jeli mekenjaıyna baılastyrý:",
|
"LabelBindToLocalNetworkAddress": "Jergilikti jeli mekenjaıyna baılastyrý:",
|
||||||
|
@ -809,7 +807,7 @@
|
||||||
"LabelSubtitleDownloaders": "Sýbtıtrler júkteýshileri:",
|
"LabelSubtitleDownloaders": "Sýbtıtrler júkteýshileri:",
|
||||||
"LabelSubtitleFormatHelp": "Mysal: srt",
|
"LabelSubtitleFormatHelp": "Mysal: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Sýbtıtr rejimi:",
|
"LabelSubtitlePlaybackMode": "Sýbtıtr rejimi:",
|
||||||
"LabelSubtitles": "Sýbtıtrler:",
|
"LabelSubtitles": "Sýbtıtrler",
|
||||||
"LabelSupportedMediaTypes": "Qoldaýdaǵy tasyǵyshderekter túrleri:",
|
"LabelSupportedMediaTypes": "Qoldaýdaǵy tasyǵyshderekter túrleri:",
|
||||||
"LabelTVHomeScreen": "TD rejimindegi basqy ekran:",
|
"LabelTVHomeScreen": "TD rejimindegi basqy ekran:",
|
||||||
"LabelTag": "Teg:",
|
"LabelTag": "Teg:",
|
||||||
|
@ -851,7 +849,7 @@
|
||||||
"LabelVersion": "Nusqa:",
|
"LabelVersion": "Nusqa:",
|
||||||
"LabelVersionInstalled": "{0} ornatylǵan",
|
"LabelVersionInstalled": "{0} ornatylǵan",
|
||||||
"LabelVersionNumber": "Nýsqasy: {0}",
|
"LabelVersionNumber": "Nýsqasy: {0}",
|
||||||
"LabelVideo": "Beıne:",
|
"LabelVideo": "Beıne",
|
||||||
"LabelXDlnaCap": "X-DLNA sıpattary:",
|
"LabelXDlnaCap": "X-DLNA sıpattary:",
|
||||||
"LabelXDlnaCapHelp": "urn:schemas-dlna-org:device-1-0 ataýlar keńistigindegi X_DLNACAP elementi mazmunyn anyqtaıdy.",
|
"LabelXDlnaCapHelp": "urn:schemas-dlna-org:device-1-0 ataýlar keńistigindegi X_DLNACAP elementi mazmunyn anyqtaıdy.",
|
||||||
"LabelXDlnaDoc": "X-DLNA tásimi:",
|
"LabelXDlnaDoc": "X-DLNA tásimi:",
|
||||||
|
|
|
@ -880,7 +880,6 @@
|
||||||
"DoNotRecord": "녹화 안 함",
|
"DoNotRecord": "녹화 안 함",
|
||||||
"Disconnect": "연결 끊기",
|
"Disconnect": "연결 끊기",
|
||||||
"Disabled": "비활성화됨",
|
"Disabled": "비활성화됨",
|
||||||
"DirectorValue": "감독: {0}",
|
|
||||||
"DirectPlaying": "다이렉트 재생",
|
"DirectPlaying": "다이렉트 재생",
|
||||||
"DirectStreaming": "다이렉트 스트리밍",
|
"DirectStreaming": "다이렉트 스트리밍",
|
||||||
"DirectStreamHelp2": "다이렉트 스트리밍은 비디오 퀄리티의 손실없이 매우 적은 처리능력을 사용합니다.",
|
"DirectStreamHelp2": "다이렉트 스트리밍은 비디오 퀄리티의 손실없이 매우 적은 처리능력을 사용합니다.",
|
||||||
|
@ -1026,7 +1025,7 @@
|
||||||
"LabelWeb": "웹:",
|
"LabelWeb": "웹:",
|
||||||
"LabelVideoCodec": "비디오 코덱:",
|
"LabelVideoCodec": "비디오 코덱:",
|
||||||
"LabelVideoBitrate": "비디오 비트레이트:",
|
"LabelVideoBitrate": "비디오 비트레이트:",
|
||||||
"LabelVideo": "비디오:",
|
"LabelVideo": "비디오",
|
||||||
"DashboardArchitecture": "아키텍처: {0}",
|
"DashboardArchitecture": "아키텍처: {0}",
|
||||||
"DashboardOperatingSystem": "운영체제: {0}",
|
"DashboardOperatingSystem": "운영체제: {0}",
|
||||||
"DashboardServerName": "서버: {0}",
|
"DashboardServerName": "서버: {0}",
|
||||||
|
@ -1043,7 +1042,7 @@
|
||||||
"LabelTheme": "테마:",
|
"LabelTheme": "테마:",
|
||||||
"LabelTextSize": "글자 크기:",
|
"LabelTextSize": "글자 크기:",
|
||||||
"LabelTextColor": "글자 색:",
|
"LabelTextColor": "글자 색:",
|
||||||
"LabelSubtitles": "자막:",
|
"LabelSubtitles": "자막",
|
||||||
"LabelSubtitleFormatHelp": "예시: srt",
|
"LabelSubtitleFormatHelp": "예시: srt",
|
||||||
"LabelSubtitleDownloaders": "자막 다운로더:",
|
"LabelSubtitleDownloaders": "자막 다운로더:",
|
||||||
"LabelStopping": "중지",
|
"LabelStopping": "중지",
|
||||||
|
@ -1083,7 +1082,7 @@
|
||||||
"LabelAudioCodec": "오디오 코덱:",
|
"LabelAudioCodec": "오디오 코덱:",
|
||||||
"LabelAudioChannels": "오디오 채널:",
|
"LabelAudioChannels": "오디오 채널:",
|
||||||
"LabelAudioBitrate": "오디오 비트레이트:",
|
"LabelAudioBitrate": "오디오 비트레이트:",
|
||||||
"LabelAudio": "오디오:",
|
"LabelAudio": "오디오",
|
||||||
"Items": "항목",
|
"Items": "항목",
|
||||||
"Kids": "어린이",
|
"Kids": "어린이",
|
||||||
"Home": "홈",
|
"Home": "홈",
|
||||||
|
@ -1145,8 +1144,7 @@
|
||||||
"HardwareAccelerationWarning": "하드웨어 가속을 활성화하면 일부 환경에서 불안정해질 수 있습니다. 운영체제 및 비디오 드라이버가 최신 상태인지 확인하십시오. 이 기능을 활성화한 후 비디오를 재생하는 데 어려움이 있을 경우 설정을 다시 '사용 안 함'으로 변경하십시오.",
|
"HardwareAccelerationWarning": "하드웨어 가속을 활성화하면 일부 환경에서 불안정해질 수 있습니다. 운영체제 및 비디오 드라이버가 최신 상태인지 확인하십시오. 이 기능을 활성화한 후 비디오를 재생하는 데 어려움이 있을 경우 설정을 다시 '사용 안 함'으로 변경하십시오.",
|
||||||
"GuestStar": "게스트 스타",
|
"GuestStar": "게스트 스타",
|
||||||
"GroupBySeries": "시리즈별로 그룹화",
|
"GroupBySeries": "시리즈별로 그룹화",
|
||||||
"GenresValue": "장르: {0}",
|
"Genre": "장르",
|
||||||
"GenreValue": "장르: {0}",
|
|
||||||
"General": "일반",
|
"General": "일반",
|
||||||
"FileReadCancelled": "파일 읽기 작업이 취소되었습니다.",
|
"FileReadCancelled": "파일 읽기 작업이 취소되었습니다.",
|
||||||
"FetchingData": "추가 데이터를 가져오는 중",
|
"FetchingData": "추가 데이터를 가져오는 중",
|
||||||
|
@ -1284,7 +1282,7 @@
|
||||||
"LabelDiscNumber": "디스크 번호:",
|
"LabelDiscNumber": "디스크 번호:",
|
||||||
"Identify": "식별자",
|
"Identify": "식별자",
|
||||||
"HeaderMoreLikeThis": "비슷한 작품",
|
"HeaderMoreLikeThis": "비슷한 작품",
|
||||||
"DirectorsValue": "감독: {0}",
|
"Directors": "감독",
|
||||||
"ButtonSplit": "나누기",
|
"ButtonSplit": "나누기",
|
||||||
"HeaderContainerProfileHelp": "컨테이너 프로파일은 사용자의 디바이스에서 재생 가능한 파일 형식을 나타냅니다. 다이렉트 플레이가 설정된 경우에도 디바이스에서 지원되지 않는 형식이라면 트랜스코딩이 적용됩니다.",
|
"HeaderContainerProfileHelp": "컨테이너 프로파일은 사용자의 디바이스에서 재생 가능한 파일 형식을 나타냅니다. 다이렉트 플레이가 설정된 경우에도 디바이스에서 지원되지 않는 형식이라면 트랜스코딩이 적용됩니다.",
|
||||||
"HeaderCodecProfileHelp": "코덱 프로파일은 사용자의 디바이스에서 재생 가능한 코덱을 가리킵니다. 다이렉트 플레이가 설정된 경우에도 디바이스에서 지원되지 않는 코덱이라면 트랜스코딩이 적용됩니다.",
|
"HeaderCodecProfileHelp": "코덱 프로파일은 사용자의 디바이스에서 재생 가능한 코덱을 가리킵니다. 다이렉트 플레이가 설정된 경우에도 디바이스에서 지원되지 않는 코덱이라면 트랜스코딩이 적용됩니다.",
|
||||||
|
|
|
@ -624,8 +624,7 @@
|
||||||
"ConfirmEndPlayerSession": "Ar norite išjungti Jellyfin ant {0}?",
|
"ConfirmEndPlayerSession": "Ar norite išjungti Jellyfin ant {0}?",
|
||||||
"Descending": "Mažėjančia tvarka",
|
"Descending": "Mažėjančia tvarka",
|
||||||
"DetectingDevices": "Ieškomi įrenginiai",
|
"DetectingDevices": "Ieškomi įrenginiai",
|
||||||
"DirectorValue": "Režisierius: {0}",
|
"Directors": "Režisieriai",
|
||||||
"DirectorsValue": "Režisieriai: {0}",
|
|
||||||
"Disabled": "Išjungtas",
|
"Disabled": "Išjungtas",
|
||||||
"Disc": "Diskas",
|
"Disc": "Diskas",
|
||||||
"Disconnect": "Atsijungti",
|
"Disconnect": "Atsijungti",
|
||||||
|
@ -785,7 +784,7 @@
|
||||||
"HeaderLoginFailure": "Prisijungimo klaida",
|
"HeaderLoginFailure": "Prisijungimo klaida",
|
||||||
"Hide": "Paslėpti",
|
"Hide": "Paslėpti",
|
||||||
"LabelAll": "Visi",
|
"LabelAll": "Visi",
|
||||||
"LabelAudio": "Garsas:",
|
"LabelAudio": "Garsas",
|
||||||
"LabelCancelled": "Atšaukta",
|
"LabelCancelled": "Atšaukta",
|
||||||
"LabelCertificatePassword": "Sertifikato slaptažodis:",
|
"LabelCertificatePassword": "Sertifikato slaptažodis:",
|
||||||
"LabelCertificatePasswordHelp": "Jei sertifikatui reikalingas slaptažodis, jį įveskite čia.",
|
"LabelCertificatePasswordHelp": "Jei sertifikatui reikalingas slaptažodis, jį įveskite čia.",
|
||||||
|
@ -805,7 +804,7 @@
|
||||||
"ExtraLarge": "Labai didelis",
|
"ExtraLarge": "Labai didelis",
|
||||||
"Fullscreen": "Viso ekrano režimas",
|
"Fullscreen": "Viso ekrano režimas",
|
||||||
"General": "Bendri",
|
"General": "Bendri",
|
||||||
"GenreValue": "Žanras: {0}",
|
"Genre": "Žanras",
|
||||||
"ErrorPleaseSelectLineup": "Pasirinkite TV programą ir bandykite dar kartą. Jei TV programos nerodoma, patikrinkite ar teisingas jūsų vartotojo vardas, slaptažodis ir pašto kodas.",
|
"ErrorPleaseSelectLineup": "Pasirinkite TV programą ir bandykite dar kartą. Jei TV programos nerodoma, patikrinkite ar teisingas jūsų vartotojo vardas, slaptažodis ir pašto kodas.",
|
||||||
"HeaderRevisionHistory": "Versijų istorija",
|
"HeaderRevisionHistory": "Versijų istorija",
|
||||||
"HeaderShutdown": "Išjungti",
|
"HeaderShutdown": "Išjungti",
|
||||||
|
@ -924,7 +923,6 @@
|
||||||
"ErrorAddingXmlTvFile": "Atidarant XMLTV failą įvyko klaida. Įsitikinkite, ar failas egzistuoja, ir bandykite dar kartą.",
|
"ErrorAddingXmlTvFile": "Atidarant XMLTV failą įvyko klaida. Įsitikinkite, ar failas egzistuoja, ir bandykite dar kartą.",
|
||||||
"ErrorGettingTvLineups": "Atsisiunčiant TV programas įvyko klaida. Įsitikinkite, kad jūsų informacija teisinga, ir bandykite dar kartą.",
|
"ErrorGettingTvLineups": "Atsisiunčiant TV programas įvyko klaida. Įsitikinkite, kad jūsų informacija teisinga, ir bandykite dar kartą.",
|
||||||
"Features": "Medžiagos",
|
"Features": "Medžiagos",
|
||||||
"GenresValue": "Žanrai: {0}",
|
|
||||||
"GroupBySeries": "Grupuoti pagal serialus",
|
"GroupBySeries": "Grupuoti pagal serialus",
|
||||||
"Guide": "Gidas",
|
"Guide": "Gidas",
|
||||||
"GuideProviderLogin": "Prisijungti",
|
"GuideProviderLogin": "Prisijungti",
|
||||||
|
|
|
@ -52,7 +52,7 @@
|
||||||
"LabelVideoResolution": "Video izšķirtspēja:",
|
"LabelVideoResolution": "Video izšķirtspēja:",
|
||||||
"LabelVideoCodec": "Video kodeks:",
|
"LabelVideoCodec": "Video kodeks:",
|
||||||
"LabelVideoBitrate": "Video bitu-ātrums:",
|
"LabelVideoBitrate": "Video bitu-ātrums:",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"DashboardArchitecture": "Arhitektūra: {0}",
|
"DashboardArchitecture": "Arhitektūra: {0}",
|
||||||
"DashboardOperatingSystem": "Operētājsistēma: {0}",
|
"DashboardOperatingSystem": "Operētājsistēma: {0}",
|
||||||
"DashboardServerName": "Serveris: {0}",
|
"DashboardServerName": "Serveris: {0}",
|
||||||
|
@ -85,7 +85,7 @@
|
||||||
"LabelTag": "Tags:",
|
"LabelTag": "Tags:",
|
||||||
"LabelTVHomeScreen": "TV režīma mājas ekrāns:",
|
"LabelTVHomeScreen": "TV režīma mājas ekrāns:",
|
||||||
"LabelSupportedMediaTypes": "Atbalstītie Multivides Veidi:",
|
"LabelSupportedMediaTypes": "Atbalstītie Multivides Veidi:",
|
||||||
"LabelSubtitles": "Subtitri:",
|
"LabelSubtitles": "Subtitri",
|
||||||
"LabelSubtitlePlaybackMode": "Subtitru veids:",
|
"LabelSubtitlePlaybackMode": "Subtitru veids:",
|
||||||
"LabelSubtitleFormatHelp": "Piemērs: srt",
|
"LabelSubtitleFormatHelp": "Piemērs: srt",
|
||||||
"LabelSubtitleDownloaders": "Subtitru lejupielādētāji:",
|
"LabelSubtitleDownloaders": "Subtitru lejupielādētāji:",
|
||||||
|
@ -222,7 +222,7 @@
|
||||||
"LabelBirthYear": "Dzimšanas gads:",
|
"LabelBirthYear": "Dzimšanas gads:",
|
||||||
"LabelBirthDate": "Dzimšanas datums:",
|
"LabelBirthDate": "Dzimšanas datums:",
|
||||||
"LabelAudioLanguagePreference": "Ieteicamā audio valoda:",
|
"LabelAudioLanguagePreference": "Ieteicamā audio valoda:",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelArtistsHelp": "Atdali vairākus izmantojot ;",
|
"LabelArtistsHelp": "Atdali vairākus izmantojot ;",
|
||||||
"LabelArtists": "Izpildītājs:",
|
"LabelArtists": "Izpildītājs:",
|
||||||
"LabelAppNameExample": "Piemēram: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Piemēram: Sickbeard, Sonarr",
|
||||||
|
@ -412,9 +412,8 @@
|
||||||
"GuestStar": "Vieszvaigzne",
|
"GuestStar": "Vieszvaigzne",
|
||||||
"GroupVersions": "Grupēt versijas",
|
"GroupVersions": "Grupēt versijas",
|
||||||
"GroupBySeries": "Grupēt pēc sērijām",
|
"GroupBySeries": "Grupēt pēc sērijām",
|
||||||
"GenresValue": "Žanri: {0}",
|
|
||||||
"Genres": "Žanri",
|
"Genres": "Žanri",
|
||||||
"GenreValue": "Žanrs: {0}",
|
"Genre": "Žanrs",
|
||||||
"General": "Vispārīgs",
|
"General": "Vispārīgs",
|
||||||
"Fullscreen": "Pilnekrāns",
|
"Fullscreen": "Pilnekrāns",
|
||||||
"Friday": "Piektdiena",
|
"Friday": "Piektdiena",
|
||||||
|
@ -464,8 +463,7 @@
|
||||||
"Dislike": "Nepatīk",
|
"Dislike": "Nepatīk",
|
||||||
"Disc": "Disks",
|
"Disc": "Disks",
|
||||||
"Disabled": "Atspējots",
|
"Disabled": "Atspējots",
|
||||||
"DirectorsValue": "Direktori: {0}",
|
"Directors": "Direktori",
|
||||||
"DirectorValue": "Direktors: {0}",
|
|
||||||
"Director": "Direktors",
|
"Director": "Direktors",
|
||||||
"DirectStreaming": "Tiešā straumēšana",
|
"DirectStreaming": "Tiešā straumēšana",
|
||||||
"DirectPlaying": "Tiešā Atskaņošana",
|
"DirectPlaying": "Tiešā Atskaņošana",
|
||||||
|
|
|
@ -1159,7 +1159,6 @@
|
||||||
"MediaInfoStreamTypeVideo": "Video",
|
"MediaInfoStreamTypeVideo": "Video",
|
||||||
"OptionDownloadBannerImage": "Banner",
|
"OptionDownloadBannerImage": "Banner",
|
||||||
"CopyStreamURLSuccess": "URLen ble kopiert.",
|
"CopyStreamURLSuccess": "URLen ble kopiert.",
|
||||||
"DirectorValue": "Regissør: {0}",
|
|
||||||
"OptionThumb": "Miniatyrbilde",
|
"OptionThumb": "Miniatyrbilde",
|
||||||
"LabelInternetQuality": "Internettkvalitet:",
|
"LabelInternetQuality": "Internettkvalitet:",
|
||||||
"SubtitleAppearanceSettingsDisclaimer": "Disse innstillingene vil ikke påvirke grafiske undertekster (PGS, DVD, osv.) eller ASS/SSA-teksting som inkluderer sin egen formatering.",
|
"SubtitleAppearanceSettingsDisclaimer": "Disse innstillingene vil ikke påvirke grafiske undertekster (PGS, DVD, osv.) eller ASS/SSA-teksting som inkluderer sin egen formatering.",
|
||||||
|
@ -1180,7 +1179,7 @@
|
||||||
"MediaInfoSampleRate": "Samplingsfrekvens",
|
"MediaInfoSampleRate": "Samplingsfrekvens",
|
||||||
"MediaInfoStreamTypeData": "Data",
|
"MediaInfoStreamTypeData": "Data",
|
||||||
"Option3D": "3D",
|
"Option3D": "3D",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"OptionAlbum": "Album",
|
"OptionAlbum": "Album",
|
||||||
"OptionAlbumArtist": "Albumartist",
|
"OptionAlbumArtist": "Albumartist",
|
||||||
"Filters": "Filtre",
|
"Filters": "Filtre",
|
||||||
|
@ -1267,7 +1266,7 @@
|
||||||
"LabelMatchType": "Matchtype:",
|
"LabelMatchType": "Matchtype:",
|
||||||
"OptionPosterCard": "Plakatkort",
|
"OptionPosterCard": "Plakatkort",
|
||||||
"Uniform": "Jevn",
|
"Uniform": "Jevn",
|
||||||
"DirectorsValue": "Regissører: {0}",
|
"Directors": "Regissører",
|
||||||
"Disabled": "Deaktivert",
|
"Disabled": "Deaktivert",
|
||||||
"Disc": "Plate",
|
"Disc": "Plate",
|
||||||
"Display": "Vis",
|
"Display": "Vis",
|
||||||
|
@ -1283,8 +1282,7 @@
|
||||||
"FetchingData": "Henter ytterligere data",
|
"FetchingData": "Henter ytterligere data",
|
||||||
"Folders": "Mapper",
|
"Folders": "Mapper",
|
||||||
"FormatValue": "Format: {0}",
|
"FormatValue": "Format: {0}",
|
||||||
"GenreValue": "Sjanger: {0}",
|
"Genre": "Sjanger",
|
||||||
"GenresValue": "Sjangre: {0}",
|
|
||||||
"GroupBySeries": "Grupper etter serie",
|
"GroupBySeries": "Grupper etter serie",
|
||||||
"GroupVersions": "Grupper etter versjon",
|
"GroupVersions": "Grupper etter versjon",
|
||||||
"Guide": "Guide",
|
"Guide": "Guide",
|
||||||
|
@ -1315,7 +1313,7 @@
|
||||||
"Horizontal": "Horisontal",
|
"Horizontal": "Horisontal",
|
||||||
"HttpsRequiresCert": "For å bruke sikker tilkobling må du legge inn et klarert SSL-sertifikat, for eksempel fra Let's Encrypt. Du må enten legge inn et sertifikat, eller deaktivere sikker tilkobling.",
|
"HttpsRequiresCert": "For å bruke sikker tilkobling må du legge inn et klarert SSL-sertifikat, for eksempel fra Let's Encrypt. Du må enten legge inn et sertifikat, eller deaktivere sikker tilkobling.",
|
||||||
"LabelAlbumArtPN": "Albumomslag PN:",
|
"LabelAlbumArtPN": "Albumomslag PN:",
|
||||||
"LabelAudio": "Lyd:",
|
"LabelAudio": "Lyd",
|
||||||
"LabelAuthProvider": "Autentiserings-metode:",
|
"LabelAuthProvider": "Autentiserings-metode:",
|
||||||
"LabelBitrate": "Bithastighet:",
|
"LabelBitrate": "Bithastighet:",
|
||||||
"LabelBurnSubtitles": "Brenn inn undertekst:",
|
"LabelBurnSubtitles": "Brenn inn undertekst:",
|
||||||
|
@ -1344,7 +1342,7 @@
|
||||||
"LabelSpecialSeasonsDisplayName": "Visningsnavn for spesialsesong:",
|
"LabelSpecialSeasonsDisplayName": "Visningsnavn for spesialsesong:",
|
||||||
"LabelStatus": "Status:",
|
"LabelStatus": "Status:",
|
||||||
"LabelSubtitleDownloaders": "Kilder for undertekst:",
|
"LabelSubtitleDownloaders": "Kilder for undertekst:",
|
||||||
"LabelSubtitles": "Undertekster:",
|
"LabelSubtitles": "Undertekster",
|
||||||
"LabelTVHomeScreen": "Hjemskjerm for TV-modus:",
|
"LabelTVHomeScreen": "Hjemskjerm for TV-modus:",
|
||||||
"LabelTag": "Tagg:",
|
"LabelTag": "Tagg:",
|
||||||
"LabelTextBackgroundColor": "Tekstbagrunnsfarge:",
|
"LabelTextBackgroundColor": "Tekstbagrunnsfarge:",
|
||||||
|
|
|
@ -168,8 +168,7 @@
|
||||||
"DirectStreamHelp2": "Direct streamen van een bestand gebruikt weinig processor kracht zonder verlies van beeldkwaliteit.",
|
"DirectStreamHelp2": "Direct streamen van een bestand gebruikt weinig processor kracht zonder verlies van beeldkwaliteit.",
|
||||||
"DirectStreaming": "Direct streamen",
|
"DirectStreaming": "Direct streamen",
|
||||||
"Director": "Regiseur",
|
"Director": "Regiseur",
|
||||||
"DirectorValue": "Regisseur: {0}",
|
"Directors": "Regisseurs",
|
||||||
"DirectorsValue": "Regisseurs: {0}",
|
|
||||||
"Disabled": "Uitgeschakeld",
|
"Disabled": "Uitgeschakeld",
|
||||||
"Disc": "Disk",
|
"Disc": "Disk",
|
||||||
"Disconnect": "Loskoppelen",
|
"Disconnect": "Loskoppelen",
|
||||||
|
@ -745,7 +744,7 @@
|
||||||
"LabelSubtitleDownloaders": "Ondertiteldownloaders:",
|
"LabelSubtitleDownloaders": "Ondertiteldownloaders:",
|
||||||
"LabelSubtitleFormatHelp": "Voorbeeld: srt",
|
"LabelSubtitleFormatHelp": "Voorbeeld: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Ondertitel mode:",
|
"LabelSubtitlePlaybackMode": "Ondertitel mode:",
|
||||||
"LabelSubtitles": "Ondertitels:",
|
"LabelSubtitles": "Ondertitels",
|
||||||
"LabelSupportedMediaTypes": "Ondersteunde Media Types:",
|
"LabelSupportedMediaTypes": "Ondersteunde Media Types:",
|
||||||
"LabelTVHomeScreen": "TV mode begin scherm",
|
"LabelTVHomeScreen": "TV mode begin scherm",
|
||||||
"LabelTextBackgroundColor": "Tekst achtergrond kleur:",
|
"LabelTextBackgroundColor": "Tekst achtergrond kleur:",
|
||||||
|
@ -1269,9 +1268,8 @@
|
||||||
"Desktop": "Bureaublad",
|
"Desktop": "Bureaublad",
|
||||||
"DownloadsValue": "{0} downloads",
|
"DownloadsValue": "{0} downloads",
|
||||||
"Filters": "Filters",
|
"Filters": "Filters",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"Genres": "Genres",
|
"Genres": "Genres",
|
||||||
"GenresValue": "Genres: {0}",
|
|
||||||
"HeaderAlbums": "Albums",
|
"HeaderAlbums": "Albums",
|
||||||
"HeaderCastAndCrew": "Cast & Crew",
|
"HeaderCastAndCrew": "Cast & Crew",
|
||||||
"HeaderCastCrew": "Cast & Crew",
|
"HeaderCastCrew": "Cast & Crew",
|
||||||
|
@ -1312,7 +1310,7 @@
|
||||||
"ItemCount": "{0} items",
|
"ItemCount": "{0} items",
|
||||||
"Items": "Items",
|
"Items": "Items",
|
||||||
"LabelAlbum": "Album:",
|
"LabelAlbum": "Album:",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelAuthProvider": "Authenticatie Aanbieder:",
|
"LabelAuthProvider": "Authenticatie Aanbieder:",
|
||||||
"LabelCache": "Cache:",
|
"LabelCache": "Cache:",
|
||||||
"LabelDidlMode": "DIDL mode:",
|
"LabelDidlMode": "DIDL mode:",
|
||||||
|
@ -1431,7 +1429,7 @@
|
||||||
"LabelXDlnaCap": "X-DLNA cap:",
|
"LabelXDlnaCap": "X-DLNA cap:",
|
||||||
"DashboardVersionNumber": "Versie: {0}",
|
"DashboardVersionNumber": "Versie: {0}",
|
||||||
"DashboardArchitecture": "Architectuur: {0}",
|
"DashboardArchitecture": "Architectuur: {0}",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"MediaInfoStreamTypeAudio": "Audio",
|
"MediaInfoStreamTypeAudio": "Audio",
|
||||||
"MediaInfoStreamTypeData": "Data",
|
"MediaInfoStreamTypeData": "Data",
|
||||||
"MediaInfoStreamTypeSubtitle": "Ondertiteling",
|
"MediaInfoStreamTypeSubtitle": "Ondertiteling",
|
||||||
|
|
|
@ -180,8 +180,7 @@
|
||||||
"DirectStreamHelp2": "Transmisja bezpośrednia pliku używa niewiele mocy przetwarzania, bez utraty jakości wideo.",
|
"DirectStreamHelp2": "Transmisja bezpośrednia pliku używa niewiele mocy przetwarzania, bez utraty jakości wideo.",
|
||||||
"DirectStreaming": "Transmisja bezpośrednia",
|
"DirectStreaming": "Transmisja bezpośrednia",
|
||||||
"Director": "Reżyser",
|
"Director": "Reżyser",
|
||||||
"DirectorValue": "Reżyser: {0}",
|
"Directors": "Reżyserzy",
|
||||||
"DirectorsValue": "Reżyserzy: {0}",
|
|
||||||
"Disabled": "Nieaktywne",
|
"Disabled": "Nieaktywne",
|
||||||
"Disc": "Dysk",
|
"Disc": "Dysk",
|
||||||
"Disconnect": "Rozłącz",
|
"Disconnect": "Rozłącz",
|
||||||
|
@ -258,9 +257,8 @@
|
||||||
"Friday": "Piątek",
|
"Friday": "Piątek",
|
||||||
"Fullscreen": "Pełny ekran",
|
"Fullscreen": "Pełny ekran",
|
||||||
"General": "Ogólne",
|
"General": "Ogólne",
|
||||||
"GenreValue": "Gatunek: {0}",
|
"Genre": "Gatunek",
|
||||||
"Genres": "Gatunki",
|
"Genres": "Gatunki",
|
||||||
"GenresValue": "Gatunki: {0}",
|
|
||||||
"GroupBySeries": "Grupuj po serialach",
|
"GroupBySeries": "Grupuj po serialach",
|
||||||
"GroupVersions": "Wersje grup",
|
"GroupVersions": "Wersje grup",
|
||||||
"GuestStar": "Gość specjalny",
|
"GuestStar": "Gość specjalny",
|
||||||
|
@ -525,7 +523,7 @@
|
||||||
"LabelAppNameExample": "Przykład: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Przykład: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "Wykonawcy:",
|
"LabelArtists": "Wykonawcy:",
|
||||||
"LabelArtistsHelp": "Oddzielaj używając ;",
|
"LabelArtistsHelp": "Oddzielaj używając ;",
|
||||||
"LabelAudio": "Dźwięk:",
|
"LabelAudio": "Dźwięk",
|
||||||
"LabelAudioLanguagePreference": "Preferowany język ścieżki dźwiękowej:",
|
"LabelAudioLanguagePreference": "Preferowany język ścieżki dźwiękowej:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Odświeżaj automatycznie metadane z Internetu:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Odświeżaj automatycznie metadane z Internetu:",
|
||||||
"LabelBindToLocalNetworkAddress": "Przypisz do lokalnego adresu sieciowego:",
|
"LabelBindToLocalNetworkAddress": "Przypisz do lokalnego adresu sieciowego:",
|
||||||
|
@ -791,7 +789,7 @@
|
||||||
"LabelSubtitleDownloaders": "Dostawcy napisów:",
|
"LabelSubtitleDownloaders": "Dostawcy napisów:",
|
||||||
"LabelSubtitleFormatHelp": "Przykład: srt",
|
"LabelSubtitleFormatHelp": "Przykład: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Tryb napisów:",
|
"LabelSubtitlePlaybackMode": "Tryb napisów:",
|
||||||
"LabelSubtitles": "Napisy:",
|
"LabelSubtitles": "Napisy",
|
||||||
"LabelSupportedMediaTypes": "Obsługiwane typy mediów:",
|
"LabelSupportedMediaTypes": "Obsługiwane typy mediów:",
|
||||||
"LabelTVHomeScreen": "Ekran startowy trybu telewizyjnego:",
|
"LabelTVHomeScreen": "Ekran startowy trybu telewizyjnego:",
|
||||||
"LabelTag": "Znacznik:",
|
"LabelTag": "Znacznik:",
|
||||||
|
@ -829,7 +827,7 @@
|
||||||
"LabelVersion": "Wersja:",
|
"LabelVersion": "Wersja:",
|
||||||
"LabelVersionInstalled": "Zainstalowano {0}",
|
"LabelVersionInstalled": "Zainstalowano {0}",
|
||||||
"LabelVersionNumber": "Wersja {0}",
|
"LabelVersionNumber": "Wersja {0}",
|
||||||
"LabelVideo": "Wideo:",
|
"LabelVideo": "Wideo",
|
||||||
"LabelXDlnaCapHelp": "Określa zawartość elementu X_DLNACAP w przestrzeni nazw urn:schemas-dlna-org:device-1-0.",
|
"LabelXDlnaCapHelp": "Określa zawartość elementu X_DLNACAP w przestrzeni nazw urn:schemas-dlna-org:device-1-0.",
|
||||||
"LabelXDlnaDocHelp": "Określa zawartość elementu X_DLNADOC w przestrzeni nazw urn:schemas-dlna-org:device-1-0.",
|
"LabelXDlnaDocHelp": "Określa zawartość elementu X_DLNADOC w przestrzeni nazw urn:schemas-dlna-org:device-1-0.",
|
||||||
"LabelYear": "Rok:",
|
"LabelYear": "Rok:",
|
||||||
|
|
|
@ -172,8 +172,7 @@
|
||||||
"DirectStreamHelp2": "O streaming direto de um arquivo usa baixo processamento sem perda de qualidade de vídeo.",
|
"DirectStreamHelp2": "O streaming direto de um arquivo usa baixo processamento sem perda de qualidade de vídeo.",
|
||||||
"DirectStreaming": "Streaming Direto",
|
"DirectStreaming": "Streaming Direto",
|
||||||
"Director": "Diretor",
|
"Director": "Diretor",
|
||||||
"DirectorValue": "Diretor: {0}",
|
"Directors": "Diretores",
|
||||||
"DirectorsValue": "Diretores: {0}",
|
|
||||||
"Disabled": "Desativado",
|
"Disabled": "Desativado",
|
||||||
"Disc": "Disco",
|
"Disc": "Disco",
|
||||||
"Disconnect": "Desconectar",
|
"Disconnect": "Desconectar",
|
||||||
|
@ -248,9 +247,8 @@
|
||||||
"Friday": "Sexta-feira",
|
"Friday": "Sexta-feira",
|
||||||
"Fullscreen": "Tela cheia",
|
"Fullscreen": "Tela cheia",
|
||||||
"General": "Geral",
|
"General": "Geral",
|
||||||
"GenreValue": "Gênero: {0}",
|
"Genre": "Gênero",
|
||||||
"Genres": "Gêneros",
|
"Genres": "Gêneros",
|
||||||
"GenresValue": "Gêneros: {0}",
|
|
||||||
"GroupBySeries": "Agrupar por séries",
|
"GroupBySeries": "Agrupar por séries",
|
||||||
"GroupVersions": "Agrupar versões",
|
"GroupVersions": "Agrupar versões",
|
||||||
"GuestStar": "Convidado especial",
|
"GuestStar": "Convidado especial",
|
||||||
|
@ -508,7 +506,7 @@
|
||||||
"LabelAppNameExample": "Exemplo: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Exemplo: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "Artistas:",
|
"LabelArtists": "Artistas:",
|
||||||
"LabelArtistsHelp": "Separa vários usando ;",
|
"LabelArtistsHelp": "Separa vários usando ;",
|
||||||
"LabelAudio": "Áudio:",
|
"LabelAudio": "Áudio",
|
||||||
"LabelAudioLanguagePreference": "Idioma preferido de áudio:",
|
"LabelAudioLanguagePreference": "Idioma preferido de áudio:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Atualizar automaticamente os metadados da internet:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Atualizar automaticamente os metadados da internet:",
|
||||||
"LabelBindToLocalNetworkAddress": "Vincular a um endereço de rede local:",
|
"LabelBindToLocalNetworkAddress": "Vincular a um endereço de rede local:",
|
||||||
|
@ -770,7 +768,7 @@
|
||||||
"LabelSubtitleDownloaders": "Downloaders de legendas:",
|
"LabelSubtitleDownloaders": "Downloaders de legendas:",
|
||||||
"LabelSubtitleFormatHelp": "Exemplo: srt",
|
"LabelSubtitleFormatHelp": "Exemplo: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Modo de legenda:",
|
"LabelSubtitlePlaybackMode": "Modo de legenda:",
|
||||||
"LabelSubtitles": "Legendas:",
|
"LabelSubtitles": "Legendas",
|
||||||
"LabelSupportedMediaTypes": "Tipos de Mídia Suportados:",
|
"LabelSupportedMediaTypes": "Tipos de Mídia Suportados:",
|
||||||
"LabelTVHomeScreen": "Tela inicial do modo TV:",
|
"LabelTVHomeScreen": "Tela inicial do modo TV:",
|
||||||
"LabelTagline": "Slogan:",
|
"LabelTagline": "Slogan:",
|
||||||
|
@ -806,7 +804,7 @@
|
||||||
"LabelVersion": "Versão:",
|
"LabelVersion": "Versão:",
|
||||||
"LabelVersionInstalled": "{0} instalado",
|
"LabelVersionInstalled": "{0} instalado",
|
||||||
"LabelVersionNumber": "Versão {0}",
|
"LabelVersionNumber": "Versão {0}",
|
||||||
"LabelVideo": "Vídeo:",
|
"LabelVideo": "Vídeo",
|
||||||
"LabelXDlnaCapHelp": "Determina o conteúdo do elemento X_DLNACAP no namespace urn:schemas-dlna-org:device-1-0.",
|
"LabelXDlnaCapHelp": "Determina o conteúdo do elemento X_DLNACAP no namespace urn:schemas-dlna-org:device-1-0.",
|
||||||
"LabelXDlnaDocHelp": "Determina o conteúdo do elemento X_DLNADOC no namespace urn:schemas-dlna-org:device-1-0.",
|
"LabelXDlnaDocHelp": "Determina o conteúdo do elemento X_DLNADOC no namespace urn:schemas-dlna-org:device-1-0.",
|
||||||
"LabelYear": "Ano:",
|
"LabelYear": "Ano:",
|
||||||
|
|
|
@ -873,8 +873,7 @@
|
||||||
"GuestStar": "Estrela convidada",
|
"GuestStar": "Estrela convidada",
|
||||||
"GroupVersions": "Agrupar versões",
|
"GroupVersions": "Agrupar versões",
|
||||||
"GroupBySeries": "Agrupar por série",
|
"GroupBySeries": "Agrupar por série",
|
||||||
"GenresValue": "Géneros: {0}",
|
"Genre": "Género",
|
||||||
"GenreValue": "Género: {0}",
|
|
||||||
"General": "Geral",
|
"General": "Geral",
|
||||||
"FormatValue": "Formato: {0}",
|
"FormatValue": "Formato: {0}",
|
||||||
"FolderTypeUnset": "Conteúdo Misto",
|
"FolderTypeUnset": "Conteúdo Misto",
|
||||||
|
@ -956,7 +955,7 @@
|
||||||
"LabelBindToLocalNetworkAddress": "Endereço local para colocar o servidor à escuta:",
|
"LabelBindToLocalNetworkAddress": "Endereço local para colocar o servidor à escuta:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Atualizar metadados automaticamente a partir da Internet:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Atualizar metadados automaticamente a partir da Internet:",
|
||||||
"LabelAuthProvider": "Provedor de autenticação:",
|
"LabelAuthProvider": "Provedor de autenticação:",
|
||||||
"LabelAudio": "Áudio:",
|
"LabelAudio": "Áudio",
|
||||||
"LabelAllowedRemoteAddressesMode": "Tipo de filtro de IP remoto:",
|
"LabelAllowedRemoteAddressesMode": "Tipo de filtro de IP remoto:",
|
||||||
"LabelAllowedRemoteAddresses": "Filtro de IP remoto:",
|
"LabelAllowedRemoteAddresses": "Filtro de IP remoto:",
|
||||||
"LabelAllowHWTranscoding": "Permitir transcodificação por hardware",
|
"LabelAllowHWTranscoding": "Permitir transcodificação por hardware",
|
||||||
|
@ -1077,8 +1076,7 @@
|
||||||
"News": "Notícias",
|
"News": "Notícias",
|
||||||
"Programs": "Programas",
|
"Programs": "Programas",
|
||||||
"HeaderMovies": "Filmes",
|
"HeaderMovies": "Filmes",
|
||||||
"DirectorsValue": "Realização: {0}",
|
"Directors": "Realização",
|
||||||
"DirectorValue": "Realizador: {0}",
|
|
||||||
"ButtonOff": "Desligado",
|
"ButtonOff": "Desligado",
|
||||||
"ButtonAddImage": "Adicionar Imagem",
|
"ButtonAddImage": "Adicionar Imagem",
|
||||||
"LabelOriginalTitle": "Título original:",
|
"LabelOriginalTitle": "Título original:",
|
||||||
|
@ -1308,7 +1306,7 @@
|
||||||
"LabelWeb": "Web:",
|
"LabelWeb": "Web:",
|
||||||
"LabelVideoCodec": "Codec de vídeo:",
|
"LabelVideoCodec": "Codec de vídeo:",
|
||||||
"LabelVideoBitrate": "Taxa de bits de vídeo:",
|
"LabelVideoBitrate": "Taxa de bits de vídeo:",
|
||||||
"LabelVideo": "Vídeo:",
|
"LabelVideo": "Vídeo",
|
||||||
"DashboardArchitecture": "Arquitetura: {0}",
|
"DashboardArchitecture": "Arquitetura: {0}",
|
||||||
"DashboardOperatingSystem": "Sistema Operativo: {0}",
|
"DashboardOperatingSystem": "Sistema Operativo: {0}",
|
||||||
"DashboardServerName": "Servidor: {0}",
|
"DashboardServerName": "Servidor: {0}",
|
||||||
|
@ -1322,7 +1320,7 @@
|
||||||
"LabelTextColor": "Côr do texto:",
|
"LabelTextColor": "Côr do texto:",
|
||||||
"LabelTextBackgroundColor": "Côr de fundo do texto:",
|
"LabelTextBackgroundColor": "Côr de fundo do texto:",
|
||||||
"LabelTag": "Etiqueta:",
|
"LabelTag": "Etiqueta:",
|
||||||
"LabelSubtitles": "Legendas:",
|
"LabelSubtitles": "Legendas",
|
||||||
"LabelSportsCategories": "Categorias de Desporto:",
|
"LabelSportsCategories": "Categorias de Desporto:",
|
||||||
"FetchingData": "A transferir informação adicional",
|
"FetchingData": "A transferir informação adicional",
|
||||||
"List": "lista",
|
"List": "lista",
|
||||||
|
|
|
@ -340,7 +340,7 @@
|
||||||
"LabelHttpsPort": "Número da porta HTTPS local:",
|
"LabelHttpsPort": "Número da porta HTTPS local:",
|
||||||
"LabelHomeScreenSectionValue": "Secção {0} do Painel Principal:",
|
"LabelHomeScreenSectionValue": "Secção {0} do Painel Principal:",
|
||||||
"LabelHomeNetworkQuality": "Qualidade da rede interna:",
|
"LabelHomeNetworkQuality": "Qualidade da rede interna:",
|
||||||
"LabelHardwareAccelerationTypeHelp": "Esta funcionalidade é experimental e está disponível apenas em sistemas suportados.",
|
"LabelHardwareAccelerationTypeHelp": "A aceleração de hardware requer configuração adicional.",
|
||||||
"LabelHardwareAccelerationType": "Aceleração por hardware:",
|
"LabelHardwareAccelerationType": "Aceleração por hardware:",
|
||||||
"LabelEncoderPreset": "Predefinição para codificação H264:",
|
"LabelEncoderPreset": "Predefinição para codificação H264:",
|
||||||
"LabelH264Crf": "CRF para codificação H264:",
|
"LabelH264Crf": "CRF para codificação H264:",
|
||||||
|
@ -377,7 +377,7 @@
|
||||||
"LabelEnableDlnaClientDiscoveryInterval": "Intervalo para descoberta de clientes (segundos)",
|
"LabelEnableDlnaClientDiscoveryInterval": "Intervalo para descoberta de clientes (segundos)",
|
||||||
"LabelEnableBlastAliveMessagesHelp": "Activar esta opção se o servidor não for convenientemente detectado por outros dispositivos UPnP na rede.",
|
"LabelEnableBlastAliveMessagesHelp": "Activar esta opção se o servidor não for convenientemente detectado por outros dispositivos UPnP na rede.",
|
||||||
"LabelEnableBlastAliveMessages": "Enviar mensagens de reconhecimento",
|
"LabelEnableBlastAliveMessages": "Enviar mensagens de reconhecimento",
|
||||||
"LabelEnableAutomaticPortMapHelp": "Tenta correponder automaticamente a porta pública para a porta local através de UPnP. Isto poderá não funcionar em alguns modelos de routers.",
|
"LabelEnableAutomaticPortMapHelp": "Tenta corresponder automaticamente a porta pública para a porta local através de UPnP. Isto poderá não funcionar em alguns modelos de roteadores. As alterações não serão até reinicialização do servidor.",
|
||||||
"LabelEnableAutomaticPortMap": "Activar a correspondência automática de portas",
|
"LabelEnableAutomaticPortMap": "Activar a correspondência automática de portas",
|
||||||
"LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este método para obter a capa do álbum. Outros pode não ser capazes de reproduzir com esta opção activada.",
|
"LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este método para obter a capa do álbum. Outros pode não ser capazes de reproduzir com esta opção activada.",
|
||||||
"LabelEmbedAlbumArtDidl": "Incorporar a capa do álbum no DIDL",
|
"LabelEmbedAlbumArtDidl": "Incorporar a capa do álbum no DIDL",
|
||||||
|
@ -450,7 +450,7 @@
|
||||||
"LabelAudioCodec": "Codec de áudio:",
|
"LabelAudioCodec": "Codec de áudio:",
|
||||||
"LabelAudioChannels": "Canais de áudio:",
|
"LabelAudioChannels": "Canais de áudio:",
|
||||||
"LabelAudioBitrate": "Taxa de bits de áudio:",
|
"LabelAudioBitrate": "Taxa de bits de áudio:",
|
||||||
"LabelAudio": "Áudio:",
|
"LabelAudio": "Áudio",
|
||||||
"LabelArtistsHelp": "Separe múltiplos com ;",
|
"LabelArtistsHelp": "Separe múltiplos com ;",
|
||||||
"LabelArtists": "Artistas:",
|
"LabelArtists": "Artistas:",
|
||||||
"LabelAppNameExample": "Exemplo: Sickbeard, NzbDrone",
|
"LabelAppNameExample": "Exemplo: Sickbeard, NzbDrone",
|
||||||
|
@ -906,8 +906,7 @@
|
||||||
"Disconnect": "Desligar",
|
"Disconnect": "Desligar",
|
||||||
"Disc": "Disco",
|
"Disc": "Disco",
|
||||||
"Disabled": "Desactivado",
|
"Disabled": "Desactivado",
|
||||||
"DirectorsValue": "Realização: {0}",
|
"Directors": "Realização",
|
||||||
"DirectorValue": "Realizador: {0}",
|
|
||||||
"Director": "Realizador",
|
"Director": "Realizador",
|
||||||
"DirectStreaming": "Reprodução directa",
|
"DirectStreaming": "Reprodução directa",
|
||||||
"DirectStreamHelp2": "A reprodução directa de um ficheiro requer pouco processamento e não implica perda de qualidade num vídeo.",
|
"DirectStreamHelp2": "A reprodução directa de um ficheiro requer pouco processamento e não implica perda de qualidade num vídeo.",
|
||||||
|
@ -1092,7 +1091,7 @@
|
||||||
"AuthProviderHelp": "Seleccione um mecanismo de autenticação a ser utilizado para validar as credenciais deste utilizador.",
|
"AuthProviderHelp": "Seleccione um mecanismo de autenticação a ser utilizado para validar as credenciais deste utilizador.",
|
||||||
"Audio": "Áudio",
|
"Audio": "Áudio",
|
||||||
"AttributeNew": "Novo",
|
"AttributeNew": "Novo",
|
||||||
"AspectRatio": "Formato",
|
"AspectRatio": "Proporção da tela",
|
||||||
"Ascending": "Crescente",
|
"Ascending": "Crescente",
|
||||||
"Art": "Capa",
|
"Art": "Capa",
|
||||||
"AroundTime": "Por volta das {0}",
|
"AroundTime": "Por volta das {0}",
|
||||||
|
@ -1186,12 +1185,11 @@
|
||||||
"GuestStar": "Estrela convidada",
|
"GuestStar": "Estrela convidada",
|
||||||
"GroupVersions": "Agrupar versões",
|
"GroupVersions": "Agrupar versões",
|
||||||
"GroupBySeries": "Agrupar por série",
|
"GroupBySeries": "Agrupar por série",
|
||||||
"GenresValue": "Géneros: {0}",
|
|
||||||
"ErrorAddingListingsToSchedulesDirect": "Ocorreu um erro ao adicionar o alinhamento à sua conta Schedules Direct. As contas Schedules Direct permitem apenas um número limitado de alinhamentos. Poderá ser necessário iniciar sessão na sua conta e remover outras listagens antes de prosseguir.",
|
"ErrorAddingListingsToSchedulesDirect": "Ocorreu um erro ao adicionar o alinhamento à sua conta Schedules Direct. As contas Schedules Direct permitem apenas um número limitado de alinhamentos. Poderá ser necessário iniciar sessão na sua conta e remover outras listagens antes de prosseguir.",
|
||||||
"Ended": "Terminado",
|
"Ended": "Terminado",
|
||||||
"DefaultMetadataLangaugeDescription": "Estes são os valores por omissão que podem ser individualizados para cada uma das bibliotecas.",
|
"DefaultMetadataLangaugeDescription": "Estes são os valores por omissão que podem ser individualizados para cada uma das bibliotecas.",
|
||||||
"Genres": "Géneros",
|
"Genres": "Géneros",
|
||||||
"GenreValue": "Género: {0}",
|
"Genre": "Género",
|
||||||
"General": "Geral",
|
"General": "Geral",
|
||||||
"Fullscreen": "Ecrã inteiro",
|
"Fullscreen": "Ecrã inteiro",
|
||||||
"Friday": "Sexta",
|
"Friday": "Sexta",
|
||||||
|
@ -1218,5 +1216,115 @@
|
||||||
"LabelUserLoginAttemptsBeforeLockout": "Número de tentativas de login falhadas antes do bloqueio do utilizador:",
|
"LabelUserLoginAttemptsBeforeLockout": "Número de tentativas de login falhadas antes do bloqueio do utilizador:",
|
||||||
"LabelTrackNumber": "Número da faixa:",
|
"LabelTrackNumber": "Número da faixa:",
|
||||||
"LabelSportsCategories": "Categorias de Desportos:",
|
"LabelSportsCategories": "Categorias de Desportos:",
|
||||||
"Yesterday": "Ontem"
|
"Yesterday": "Ontem",
|
||||||
|
"MusicVideo": "Vídeo de música",
|
||||||
|
"MusicLibraryHelp": "Reveja o {0} guia de nomes de músicas {1}.",
|
||||||
|
"MusicArtist": "Artista musical",
|
||||||
|
"MusicAlbum": "Álbum de música",
|
||||||
|
"MovieLibraryHelp": "Reveja o {0} guia de nomeação de filmes {1}.",
|
||||||
|
"MoveRight": "Mover para a direita",
|
||||||
|
"MoveLeft": "Mova à esquerda",
|
||||||
|
"MoreMediaInfo": "Informações sobre mídia",
|
||||||
|
"MoreFromValue": "Mais de {0}",
|
||||||
|
"MediaInfoRefFrames": "Quadros de referência",
|
||||||
|
"MediaInfoContainer": "Container",
|
||||||
|
"MediaInfoAnamorphic": "Anamorphic",
|
||||||
|
"LabelVideoResolution": "Resolução do vídeo:",
|
||||||
|
"LabelTypeMetadataDownloaders": "{0} metadata downloaders:",
|
||||||
|
"LabelTranscodePath": "Caminho da transcodificação:",
|
||||||
|
"OnlyImageFormats": "Somente formatos de imagem (VOBSUB, PGS, SUB, etc)",
|
||||||
|
"OnlyForcedSubtitlesHelp": "Apenas as legendas marcadas como forçadas serão carregadas.",
|
||||||
|
"OnlyForcedSubtitles": "Apenas legendas forçadas",
|
||||||
|
"Off": "Desligar",
|
||||||
|
"NumLocationsValue": "{0} pastas",
|
||||||
|
"Normal": "Normal",
|
||||||
|
"None": "Nenhum",
|
||||||
|
"NoSubtitlesHelp": "As legendas não serão carregadas por padrão. Eles ainda podem ser ativados manualmente durante a reprodução.",
|
||||||
|
"NoSubtitles": "Sem legendas",
|
||||||
|
"NoSubtitleSearchResultsFound": "Nenhum resultado encontrado.",
|
||||||
|
"NoNewDevicesFound": "Não foram encontrados novos dispositivos. Para adicionar um novo sintonizador, feche esta caixa de diálogo e insira as informações do dispositivo manualmente.",
|
||||||
|
"NoCreatedLibraries": "Parece que você ainda não criou nenhuma biblioteca. {0} Deseja criar um agora? {1}",
|
||||||
|
"No": "Não",
|
||||||
|
"Mobile": "Celular",
|
||||||
|
"MetadataSettingChangeHelp": "A alteração das configurações de metadados afetará o novo conteúdo adicionado a partir de agora. Para atualizar o conteúdo existente, abra a tela de detalhes e clique no botão Atualizar ou execute atualizações em massa usando o gerenciador de metadados.",
|
||||||
|
"MetadataManager": "Gestor de metadados",
|
||||||
|
"Metadata": "Metadados",
|
||||||
|
"MessageYouHaveVersionInstalled": "Você possui a versão {0} atualmente instalada.",
|
||||||
|
"MessageUnsetContentHelp": "O conteúdo será exibido como pastas simples. Para obter melhores resultados, use o gerenciador de metadados para definir os tipos de conteúdo das subpastas.",
|
||||||
|
"MessageSettingsSaved": "Configurações salvas.",
|
||||||
|
"MessagePleaseWait": "Por favor, espere. Isso pode levar um minuto.",
|
||||||
|
"MessagePlayAccessRestricted": "A reprodução deste conteúdo está atualmente restrita. Entre em contato com o administrador do servidor para obter mais informações.",
|
||||||
|
"MessageNoServersAvailable": "Nenhum servidor foi encontrado usando a descoberta automática de servidores.",
|
||||||
|
"MessageNoCollectionsAvailable": "As coleções permitem que você desfrute de agrupamentos personalizados de filmes, séries e álbuns. Clique no botão + para começar a criar coleções.",
|
||||||
|
"MessageConfirmAppExit": "Você quer sair?",
|
||||||
|
"MediaInfoLayout": "Layout",
|
||||||
|
"MediaInfoLanguage": "Língua",
|
||||||
|
"MediaInfoInterlaced": "Entrelaçada",
|
||||||
|
"MediaInfoFramerate": "Taxa de quadros",
|
||||||
|
"MediaInfoForced": "Forçar",
|
||||||
|
"MediaInfoExternal": "Externo",
|
||||||
|
"MediaInfoDefault": "Padrão",
|
||||||
|
"MediaInfoCodecTag": "Codec tag",
|
||||||
|
"MediaInfoCodec": "Codec",
|
||||||
|
"MediaInfoBitrate": "Taxa de bits",
|
||||||
|
"MediaInfoBitDepth": "Profundidade de bits",
|
||||||
|
"MediaInfoAspectRatio": "Proporção da tela",
|
||||||
|
"ManageRecording": "Gerenciar gravações",
|
||||||
|
"Logo": "Logo",
|
||||||
|
"List": "Lista",
|
||||||
|
"LinksValue": "Links: {0}",
|
||||||
|
"Like": "Gostei",
|
||||||
|
"LeaveBlankToNotSetAPassword": "Você pode deixar esse campo em branco para definir nenhuma senha.",
|
||||||
|
"LearnHowYouCanContribute": "Aprenda como você pode contribuir.",
|
||||||
|
"LaunchWebAppOnStartupHelp": "Open the web client in your default web browser when the server initially starts. This will not occur when using the restart server function.",
|
||||||
|
"LaunchWebAppOnStartup": "Inicie a interface da web ao iniciar o servidor",
|
||||||
|
"Large": "Amplo",
|
||||||
|
"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": "O caminho para o arquivo do aplicativo ffmpeg ou pasta que contém o ffmpeg.",
|
||||||
|
"LabelffmpegPath": "FFmpeg caminho:",
|
||||||
|
"LabelYear": "Ano:",
|
||||||
|
"LabelXDlnaDoc": "X-DLNA doc:",
|
||||||
|
"LabelXDlnaCap": "X-DLNA cap:",
|
||||||
|
"LabelWeb": "Web:",
|
||||||
|
"LabelVideoCodec": "Vídeo: codec:",
|
||||||
|
"LabelVideoBitrate": "Vídeo taxa de bits:",
|
||||||
|
"LabelVideo": "Vídeo:",
|
||||||
|
"DashboardArchitecture": "Arquitetura: {0}",
|
||||||
|
"DashboardServerName": "Servidor: {0}",
|
||||||
|
"DashboardVersionNumber": "Versão: {0}",
|
||||||
|
"LabelVersion": "Versão:",
|
||||||
|
"LabelVaapiDeviceHelp": "Este é o nó de renderização usado para aceleração de hardware.",
|
||||||
|
"LabelVaapiDevice": "VA API Dispositivo:",
|
||||||
|
"LabelUserAgent": "Agente de usuário",
|
||||||
|
"LabelTranscodes": "Transcodificação:",
|
||||||
|
"LabelTranscodingFramerate": "Transcodificação frame por segundo:",
|
||||||
|
"LabelTranscodingProgress": "Progresso da transcodificação:",
|
||||||
|
"LabelTitle": "Título:",
|
||||||
|
"LabelTheme": "Tema:",
|
||||||
|
"LabelTextColor": "Cor do texto:",
|
||||||
|
"LabelTextBackgroundColor": "Cor do plano de fundo do texto:",
|
||||||
|
"LabelTag": "Tag:",
|
||||||
|
"LabelTVHomeScreen": "Tela inicial do modo TV:",
|
||||||
|
"LabelSubtitles": "Legendas:",
|
||||||
|
"LabelSubtitleDownloaders": "Downloaders de legendas:",
|
||||||
|
"LabelStreamType": "Tipo de fluxo:",
|
||||||
|
"LabelSpecialSeasonsDisplayName": "Nome de exibição da temporada especial:",
|
||||||
|
"LabelSoundEffects": "Efeitos sonoros:",
|
||||||
|
"LabelSortTitle": "Classificar título:",
|
||||||
|
"LabelSortOrder": "Ordem da Ordenação",
|
||||||
|
"LabelSortBy": "Ordenar por:",
|
||||||
|
"LabelSkin": "Skin:",
|
||||||
|
"EnableFastImageFadeInHelp": "Habilite uma animação mais rápida para imagens carregadas",
|
||||||
|
"EnableFastImageFadeIn": "Efeito de imagem fade-in rápido",
|
||||||
|
"LabelRemoteClientBitrateLimitHelp": "Um limite opcional de taxa de bits por fluxo para todos os dispositivos fora da rede. Isso é útil para impedir que os dispositivos solicitem uma taxa de bits mais alta do que a sua conexão à Internet pode suportar. Isso pode resultar no aumento da carga da CPU no servidor para transcodificar vídeos em tempo real para uma taxa de bits mais baixa.",
|
||||||
|
"LabelPlayerDimensions": "Dimensões do reprodutor:",
|
||||||
|
"LabelParentNumber": "Número pai:",
|
||||||
|
"LabelMetadataSavers": "Economizadores de metadados:",
|
||||||
|
"LabelDroppedFrames": "Quadros caídos:",
|
||||||
|
"LabelCorruptedFrames": "Quadros corrompidos:",
|
||||||
|
"LabelAudioBitDepth": "Profundidade do bit de áudio:",
|
||||||
|
"ClientSettings": "Configurações do Cliente",
|
||||||
|
"AllowFfmpegThrottlingHelp": "Quando uma transcodificação ou remux se aproximar da posição atual de reprodução, pause o processo para que consuma menos recursos. Isso é mais útil ao assistir sem procurar com frequência. Desative isso se você tiver problemas de reprodução.",
|
||||||
|
"MySubtitles": "Minhas legendas",
|
||||||
|
"Name": "Nome"
|
||||||
}
|
}
|
||||||
|
|
|
@ -382,8 +382,7 @@
|
||||||
"ConfirmDeletion": "Confirmă ștergerea",
|
"ConfirmDeletion": "Confirmă ștergerea",
|
||||||
"DeleteDeviceConfirmation": "Sigur doriți să ștergeți acest dispozitiv? Acesta va reapărea data viitoare când un utilizator se conectează cu acesta.",
|
"DeleteDeviceConfirmation": "Sigur doriți să ștergeți acest dispozitiv? Acesta va reapărea data viitoare când un utilizator se conectează cu acesta.",
|
||||||
"DeleteUser": "Șterge utilizator",
|
"DeleteUser": "Șterge utilizator",
|
||||||
"DirectorValue": "Regizor: {0}",
|
"Directors": "Regizori",
|
||||||
"DirectorsValue": "Regizori: {0}",
|
|
||||||
"Disabled": "Dezactivat",
|
"Disabled": "Dezactivat",
|
||||||
"Disconnect": "Deconectare",
|
"Disconnect": "Deconectare",
|
||||||
"Dislike": "Neplăcut",
|
"Dislike": "Neplăcut",
|
||||||
|
@ -545,8 +544,7 @@
|
||||||
"EveryNDays": "La fiecare {0} zile",
|
"EveryNDays": "La fiecare {0} zile",
|
||||||
"Extras": "Extra",
|
"Extras": "Extra",
|
||||||
"Genres": "Genuri",
|
"Genres": "Genuri",
|
||||||
"GenreValue": "Gen: {0}",
|
"Genre": "Gen",
|
||||||
"GenresValue": "Genuri: {0}",
|
|
||||||
"Guide": "Ghid",
|
"Guide": "Ghid",
|
||||||
"HeaderCancelRecording": "Anulați înregistrarea",
|
"HeaderCancelRecording": "Anulați înregistrarea",
|
||||||
"HeaderCancelSeries": "Anulați seriile",
|
"HeaderCancelSeries": "Anulați seriile",
|
||||||
|
@ -655,7 +653,7 @@
|
||||||
"LabelTag": "Etichetă:",
|
"LabelTag": "Etichetă:",
|
||||||
"LabelTVHomeScreen": "Ecran de pornire în modul TV:",
|
"LabelTVHomeScreen": "Ecran de pornire în modul TV:",
|
||||||
"LabelSupportedMediaTypes": "Tipuri media suportate:",
|
"LabelSupportedMediaTypes": "Tipuri media suportate:",
|
||||||
"LabelSubtitles": "Subtitrări:",
|
"LabelSubtitles": "Subtitrări",
|
||||||
"LabelSubtitlePlaybackMode": "Mod subtitrare:",
|
"LabelSubtitlePlaybackMode": "Mod subtitrare:",
|
||||||
"LabelSubtitleFormatHelp": "Exemplu: srt",
|
"LabelSubtitleFormatHelp": "Exemplu: srt",
|
||||||
"LabelSubtitleDownloaders": "Descărcare subtitrări:",
|
"LabelSubtitleDownloaders": "Descărcare subtitrări:",
|
||||||
|
@ -905,7 +903,7 @@
|
||||||
"LabelAudioChannels": "Canale audio:",
|
"LabelAudioChannels": "Canale audio:",
|
||||||
"LabelAudioBitrate": "Rata de biți audio:",
|
"LabelAudioBitrate": "Rata de biți audio:",
|
||||||
"LabelAudioBitDepth": "Adâncimea bitului audio:",
|
"LabelAudioBitDepth": "Adâncimea bitului audio:",
|
||||||
"LabelAudio": "Audio:",
|
"LabelAudio": "Audio",
|
||||||
"LabelAppNameExample": "Exemplu: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Exemplu: Sickbeard, Sonarr",
|
||||||
"LabelAppName": "Nume app",
|
"LabelAppName": "Nume app",
|
||||||
"LabelAllowedRemoteAddressesMode": "Modul de filtrare a adresei IP de la distanță:",
|
"LabelAllowedRemoteAddressesMode": "Modul de filtrare a adresei IP de la distanță:",
|
||||||
|
@ -1148,7 +1146,7 @@
|
||||||
"LabelWeb": "Web:",
|
"LabelWeb": "Web:",
|
||||||
"LabelVideoCodec": "Codec video:",
|
"LabelVideoCodec": "Codec video:",
|
||||||
"LabelVideoBitrate": "Rata de biți a video-ului:",
|
"LabelVideoBitrate": "Rata de biți a video-ului:",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"DashboardArchitecture": "Arhitectură: {0}",
|
"DashboardArchitecture": "Arhitectură: {0}",
|
||||||
"DashboardOperatingSystem": "Sistem de operare: {0}",
|
"DashboardOperatingSystem": "Sistem de operare: {0}",
|
||||||
"DashboardServerName": "Server: {0}",
|
"DashboardServerName": "Server: {0}",
|
||||||
|
|
|
@ -181,8 +181,7 @@
|
||||||
"DirectStreamHelp2": "При прямой трансляции файла расходуется очень мало вычислительной мощности без потери качества видео.",
|
"DirectStreamHelp2": "При прямой трансляции файла расходуется очень мало вычислительной мощности без потери качества видео.",
|
||||||
"DirectStreaming": "Транслируется напрямую",
|
"DirectStreaming": "Транслируется напрямую",
|
||||||
"Director": "Режиссёр",
|
"Director": "Режиссёр",
|
||||||
"DirectorValue": "Режиссёр: {0}",
|
"Directors": "Режиссёры",
|
||||||
"DirectorsValue": "Режиссёры: {0}",
|
|
||||||
"Disabled": "Отключено",
|
"Disabled": "Отключено",
|
||||||
"Disc": "Диск",
|
"Disc": "Диск",
|
||||||
"Disconnect": "Разъединиться",
|
"Disconnect": "Разъединиться",
|
||||||
|
@ -260,9 +259,8 @@
|
||||||
"Friday": "пятница",
|
"Friday": "пятница",
|
||||||
"Fullscreen": "Полный экран",
|
"Fullscreen": "Полный экран",
|
||||||
"General": "Общие",
|
"General": "Общие",
|
||||||
"GenreValue": "Жанр: {0}",
|
"Genre": "Жанр",
|
||||||
"Genres": "Жанры",
|
"Genres": "Жанры",
|
||||||
"GenresValue": "Жанры: {0}",
|
|
||||||
"GroupBySeries": "Группирование по сериалам",
|
"GroupBySeries": "Группирование по сериалам",
|
||||||
"GroupVersions": "Сгруппировать версии",
|
"GroupVersions": "Сгруппировать версии",
|
||||||
"GuestStar": "Пригл. актёр",
|
"GuestStar": "Пригл. актёр",
|
||||||
|
@ -527,7 +525,7 @@
|
||||||
"LabelAppNameExample": "Пример: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Пример: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "Исполнители:",
|
"LabelArtists": "Исполнители:",
|
||||||
"LabelArtistsHelp": "Для разделения используйте точку с запятой ;",
|
"LabelArtistsHelp": "Для разделения используйте точку с запятой ;",
|
||||||
"LabelAudio": "Аудио:",
|
"LabelAudio": "Аудио",
|
||||||
"LabelAudioLanguagePreference": "Выбор языка аудио:",
|
"LabelAudioLanguagePreference": "Выбор языка аудио:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Автоматически обновлять метаданные из Интернета:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Автоматически обновлять метаданные из Интернета:",
|
||||||
"LabelBindToLocalNetworkAddress": "Привязка к адресу в локальной сети:",
|
"LabelBindToLocalNetworkAddress": "Привязка к адресу в локальной сети:",
|
||||||
|
@ -794,7 +792,7 @@
|
||||||
"LabelSubtitleDownloaders": "Загрузчики субтитров:",
|
"LabelSubtitleDownloaders": "Загрузчики субтитров:",
|
||||||
"LabelSubtitleFormatHelp": "Пример: srt",
|
"LabelSubtitleFormatHelp": "Пример: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Режим субтитров:",
|
"LabelSubtitlePlaybackMode": "Режим субтитров:",
|
||||||
"LabelSubtitles": "Субтитры:",
|
"LabelSubtitles": "Субтитры",
|
||||||
"LabelSupportedMediaTypes": "Поддерживаемые типы медиаданных:",
|
"LabelSupportedMediaTypes": "Поддерживаемые типы медиаданных:",
|
||||||
"LabelTVHomeScreen": "Главная страница ТВ-режима:",
|
"LabelTVHomeScreen": "Главная страница ТВ-режима:",
|
||||||
"LabelTag": "Тег:",
|
"LabelTag": "Тег:",
|
||||||
|
@ -832,7 +830,7 @@
|
||||||
"LabelVersion": "Версия:",
|
"LabelVersion": "Версия:",
|
||||||
"LabelVersionInstalled": "Установлена: {0}",
|
"LabelVersionInstalled": "Установлена: {0}",
|
||||||
"LabelVersionNumber": "Версия {0}",
|
"LabelVersionNumber": "Версия {0}",
|
||||||
"LabelVideo": "Видео:",
|
"LabelVideo": "Видео",
|
||||||
"LabelXDlnaCap": "Свойства X-Dlna:",
|
"LabelXDlnaCap": "Свойства X-Dlna:",
|
||||||
"LabelXDlnaCapHelp": "Определяется содержание из элемента X_DLNACAP во пространстве имён urn:schemas-dlna-org:device-1-0.",
|
"LabelXDlnaCapHelp": "Определяется содержание из элемента X_DLNACAP во пространстве имён urn:schemas-dlna-org:device-1-0.",
|
||||||
"LabelXDlnaDoc": "Схема X-Dlna:",
|
"LabelXDlnaDoc": "Схема X-Dlna:",
|
||||||
|
|
|
@ -123,8 +123,7 @@
|
||||||
"DetectingDevices": "Hľadám zariadenia",
|
"DetectingDevices": "Hľadám zariadenia",
|
||||||
"DeviceAccessHelp": "Táto možnosť sa vzťahuje iba na zariadenia, ktoré môžu byť jedinečne identifikované a nezabráni prístup cez prehliadač. Filtrovaním prístupu používateľských zariadení zabraňuje užívateľom použiť nové zariadenie, pokiaľ neboli tu schválené.",
|
"DeviceAccessHelp": "Táto možnosť sa vzťahuje iba na zariadenia, ktoré môžu byť jedinečne identifikované a nezabráni prístup cez prehliadač. Filtrovaním prístupu používateľských zariadení zabraňuje užívateľom použiť nové zariadenie, pokiaľ neboli tu schválené.",
|
||||||
"Director": "Režisér",
|
"Director": "Režisér",
|
||||||
"DirectorValue": "Réžia: {0}",
|
"Directors": "Režiséri",
|
||||||
"DirectorsValue": "Režiséri: {0}",
|
|
||||||
"Disc": "Disk",
|
"Disc": "Disk",
|
||||||
"Disconnect": "Odpojiť",
|
"Disconnect": "Odpojiť",
|
||||||
"Dislike": "Nepáči sa mi to",
|
"Dislike": "Nepáči sa mi to",
|
||||||
|
@ -165,9 +164,8 @@
|
||||||
"Friday": "Piatok",
|
"Friday": "Piatok",
|
||||||
"Fullscreen": "Celá obrazovka",
|
"Fullscreen": "Celá obrazovka",
|
||||||
"General": "Všeobecné",
|
"General": "Všeobecné",
|
||||||
"GenreValue": "Žáner: {0}",
|
"Genre": "Žáner",
|
||||||
"Genres": "Žánre",
|
"Genres": "Žánre",
|
||||||
"GenresValue": "Žánre: {0}",
|
|
||||||
"GroupBySeries": "Zoskupiť podľa série",
|
"GroupBySeries": "Zoskupiť podľa série",
|
||||||
"GuestStar": "Hosťujúca hviezda",
|
"GuestStar": "Hosťujúca hviezda",
|
||||||
"Guide": "Sprievodca",
|
"Guide": "Sprievodca",
|
||||||
|
@ -473,7 +471,7 @@
|
||||||
"LabelStartWhenPossible": "Spustiť akonáhle je možné:",
|
"LabelStartWhenPossible": "Spustiť akonáhle je možné:",
|
||||||
"LabelStatus": "Stav:",
|
"LabelStatus": "Stav:",
|
||||||
"LabelSubtitleFormatHelp": "Príklad: srt",
|
"LabelSubtitleFormatHelp": "Príklad: srt",
|
||||||
"LabelSubtitles": "Titulky:",
|
"LabelSubtitles": "Titulky",
|
||||||
"LabelSupportedMediaTypes": "Podporované typy médií:",
|
"LabelSupportedMediaTypes": "Podporované typy médií:",
|
||||||
"LabelTextBackgroundColor": "Farba pozadia textu:",
|
"LabelTextBackgroundColor": "Farba pozadia textu:",
|
||||||
"LabelTextColor": "Farba textu:",
|
"LabelTextColor": "Farba textu:",
|
||||||
|
@ -962,7 +960,7 @@
|
||||||
"HeaderVideoType": "Typ videa",
|
"HeaderVideoType": "Typ videa",
|
||||||
"HeaderVideoTypes": "Typy videí",
|
"HeaderVideoTypes": "Typy videí",
|
||||||
"LabelAirsBeforeSeason": "Vysielané pred sériou:",
|
"LabelAirsBeforeSeason": "Vysielané pred sériou:",
|
||||||
"LabelAudio": "Zvuk:",
|
"LabelAudio": "Zvuk",
|
||||||
"LabelBlockContentWithTags": "Blokovať položky s tagmi:",
|
"LabelBlockContentWithTags": "Blokovať položky s tagmi:",
|
||||||
"LabelDisplayMode": "Režim zobrazenia:",
|
"LabelDisplayMode": "Režim zobrazenia:",
|
||||||
"LabelDisplaySpecialsWithinSeasons": "Zobraziť špeciálne epizódy v sérií, v ktorej boli odvysielané",
|
"LabelDisplaySpecialsWithinSeasons": "Zobraziť špeciálne epizódy v sérií, v ktorej boli odvysielané",
|
||||||
|
@ -1329,7 +1327,7 @@
|
||||||
"LabelXDlnaCap": "X-DLNA cap:",
|
"LabelXDlnaCap": "X-DLNA cap:",
|
||||||
"LabelVideoCodec": "Video kodek:",
|
"LabelVideoCodec": "Video kodek:",
|
||||||
"LabelVideoBitrate": "Dátový tok videa:",
|
"LabelVideoBitrate": "Dátový tok videa:",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"LabelVaapiDeviceHelp": "Toto je vykreslovací node, ktorý sa používa na hardvérovú akceleráciu.",
|
"LabelVaapiDeviceHelp": "Toto je vykreslovací node, ktorý sa používa na hardvérovú akceleráciu.",
|
||||||
"LabelVaapiDevice": "VA API zariadenie:",
|
"LabelVaapiDevice": "VA API zariadenie:",
|
||||||
"LabelUserRemoteClientBitrateLimitHelp": "Prepíše východzie globálne hodnoty nastavené v nastavení prehrávania servera.",
|
"LabelUserRemoteClientBitrateLimitHelp": "Prepíše východzie globálne hodnoty nastavené v nastavení prehrávania servera.",
|
||||||
|
|
|
@ -271,8 +271,7 @@
|
||||||
"Down": "Dol",
|
"Down": "Dol",
|
||||||
"Dislike": "Ni mi všeč",
|
"Dislike": "Ni mi všeč",
|
||||||
"Disabled": "Onemogočen",
|
"Disabled": "Onemogočen",
|
||||||
"DirectorsValue": "Režiserji: {0}",
|
"Directors": "Režiserji",
|
||||||
"DirectorValue": "Režiser: {0}",
|
|
||||||
"Director": "Režiser",
|
"Director": "Režiser",
|
||||||
"DetectingDevices": "Zaznavanje naprav",
|
"DetectingDevices": "Zaznavanje naprav",
|
||||||
"Desktop": "Namizje",
|
"Desktop": "Namizje",
|
||||||
|
@ -462,8 +461,7 @@
|
||||||
"GuestStar": "Gostujoči igralec",
|
"GuestStar": "Gostujoči igralec",
|
||||||
"GroupVersions": "Združi različice",
|
"GroupVersions": "Združi različice",
|
||||||
"GroupBySeries": "Združi bo serijah",
|
"GroupBySeries": "Združi bo serijah",
|
||||||
"GenresValue": "Zvrsti: {0}",
|
"Genre": "Zvrst",
|
||||||
"GenreValue": "Zvrst: {0}",
|
|
||||||
"General": "Splošno",
|
"General": "Splošno",
|
||||||
"Fullscreen": "Celoten zaslon",
|
"Fullscreen": "Celoten zaslon",
|
||||||
"Friday": "Petek",
|
"Friday": "Petek",
|
||||||
|
@ -596,7 +594,7 @@
|
||||||
"LabelAppName": "Ime aplikacije",
|
"LabelAppName": "Ime aplikacije",
|
||||||
"LabelAppNameExample": "Primer: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Primer: Sickbeard, Sonarr",
|
||||||
"LabelArtistsHelp": "Loči več z ;",
|
"LabelArtistsHelp": "Loči več z ;",
|
||||||
"LabelAudio": "Zvok:",
|
"LabelAudio": "Zvok",
|
||||||
"LabelAudioBitrate": "Bitna hitrost zvoka:",
|
"LabelAudioBitrate": "Bitna hitrost zvoka:",
|
||||||
"LabelAudioChannels": "Kanali zvoka:",
|
"LabelAudioChannels": "Kanali zvoka:",
|
||||||
"LabelAudioCodec": "Zvočni kodek:",
|
"LabelAudioCodec": "Zvočni kodek:",
|
||||||
|
@ -1187,7 +1185,7 @@
|
||||||
"LabelTextBackgroundColor": "Barva ozadja besedila:",
|
"LabelTextBackgroundColor": "Barva ozadja besedila:",
|
||||||
"LabelTag": "Oznaka:",
|
"LabelTag": "Oznaka:",
|
||||||
"LabelSupportedMediaTypes": "Podprti tipi predstavnosti:",
|
"LabelSupportedMediaTypes": "Podprti tipi predstavnosti:",
|
||||||
"LabelSubtitles": "Podnapisi:",
|
"LabelSubtitles": "Podnapisi",
|
||||||
"LabelSubtitlePlaybackMode": "Način podnapisov:",
|
"LabelSubtitlePlaybackMode": "Način podnapisov:",
|
||||||
"LabelSubtitleFormatHelp": "Primer: srt",
|
"LabelSubtitleFormatHelp": "Primer: srt",
|
||||||
"LabelSubtitleDownloaders": "Pridobivanje podnapisov:",
|
"LabelSubtitleDownloaders": "Pridobivanje podnapisov:",
|
||||||
|
|
|
@ -163,8 +163,7 @@
|
||||||
"DirectStreamHelp2": "Direktströmning av en fil använder väldigt lite resurser av CPU'n utan att bildkvaliten försämras.",
|
"DirectStreamHelp2": "Direktströmning av en fil använder väldigt lite resurser av CPU'n utan att bildkvaliten försämras.",
|
||||||
"DirectStreaming": "Direktströmning",
|
"DirectStreaming": "Direktströmning",
|
||||||
"Director": "Regissör",
|
"Director": "Regissör",
|
||||||
"DirectorValue": "Regi: {0}",
|
"Directors": "Regi",
|
||||||
"DirectorsValue": "Regi: {0}",
|
|
||||||
"Disabled": "Inaktiverad",
|
"Disabled": "Inaktiverad",
|
||||||
"Disc": "Skiva",
|
"Disc": "Skiva",
|
||||||
"Disconnect": "Koppla bort",
|
"Disconnect": "Koppla bort",
|
||||||
|
@ -235,7 +234,6 @@
|
||||||
"Friday": "Fredag",
|
"Friday": "Fredag",
|
||||||
"Fullscreen": "Fullskärm",
|
"Fullscreen": "Fullskärm",
|
||||||
"Genres": "Genrer",
|
"Genres": "Genrer",
|
||||||
"GenresValue": "Genrer: {0}",
|
|
||||||
"GroupBySeries": "Gruppera efter serie",
|
"GroupBySeries": "Gruppera efter serie",
|
||||||
"GroupVersions": "Gruppera versioner",
|
"GroupVersions": "Gruppera versioner",
|
||||||
"GuestStar": "Gästmedverkande",
|
"GuestStar": "Gästmedverkande",
|
||||||
|
@ -482,7 +480,7 @@
|
||||||
"LabelAppNameExample": "Exempel: Sickbeard, Sonarr",
|
"LabelAppNameExample": "Exempel: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "Artister:",
|
"LabelArtists": "Artister:",
|
||||||
"LabelArtistsHelp": "Separera med vid flera ;",
|
"LabelArtistsHelp": "Separera med vid flera ;",
|
||||||
"LabelAudio": "Ljud:",
|
"LabelAudio": "Ljud",
|
||||||
"LabelAudioLanguagePreference": "Önskat ljudspråk:",
|
"LabelAudioLanguagePreference": "Önskat ljudspråk:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "Uppdatera metadata automatiskt ifrån internet:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "Uppdatera metadata automatiskt ifrån internet:",
|
||||||
"LabelBindToLocalNetworkAddress": "Knyt till lokal nätverksadress:",
|
"LabelBindToLocalNetworkAddress": "Knyt till lokal nätverksadress:",
|
||||||
|
@ -742,7 +740,7 @@
|
||||||
"LabelSubtitleDownloaders": "Undertextskällor:",
|
"LabelSubtitleDownloaders": "Undertextskällor:",
|
||||||
"LabelSubtitleFormatHelp": "Exempel: srt",
|
"LabelSubtitleFormatHelp": "Exempel: srt",
|
||||||
"LabelSubtitlePlaybackMode": "Undertextläge:",
|
"LabelSubtitlePlaybackMode": "Undertextläge:",
|
||||||
"LabelSubtitles": "Undertexter:",
|
"LabelSubtitles": "Undertexter",
|
||||||
"LabelSupportedMediaTypes": "Mediaformat som stöds:",
|
"LabelSupportedMediaTypes": "Mediaformat som stöds:",
|
||||||
"LabelTVHomeScreen": "Hemskärm i TV-läge:",
|
"LabelTVHomeScreen": "Hemskärm i TV-läge:",
|
||||||
"LabelTag": "Etikett:",
|
"LabelTag": "Etikett:",
|
||||||
|
@ -1273,7 +1271,7 @@
|
||||||
"HeaderApp": "Applikation",
|
"HeaderApp": "Applikation",
|
||||||
"HeaderAdmin": "Administratör",
|
"HeaderAdmin": "Administratör",
|
||||||
"Guide": "Guide",
|
"Guide": "Guide",
|
||||||
"GenreValue": "Genre: {0}",
|
"Genre": "Genre",
|
||||||
"General": "Allmänt",
|
"General": "Allmänt",
|
||||||
"FastForward": "Snabbspola",
|
"FastForward": "Snabbspola",
|
||||||
"Extras": "Extramaterial",
|
"Extras": "Extramaterial",
|
||||||
|
@ -1453,7 +1451,7 @@
|
||||||
"LabelVideoResolution": "Video upplösning:",
|
"LabelVideoResolution": "Video upplösning:",
|
||||||
"LabelVideoCodec": "Video codec:",
|
"LabelVideoCodec": "Video codec:",
|
||||||
"LabelVideoBitrate": "Video bitrate:",
|
"LabelVideoBitrate": "Video bitrate:",
|
||||||
"LabelVideo": "Video:",
|
"LabelVideo": "Video",
|
||||||
"DashboardArchitecture": "Arkitektur: {0}",
|
"DashboardArchitecture": "Arkitektur: {0}",
|
||||||
"DashboardOperatingSystem": "Operativsystem: {0}",
|
"DashboardOperatingSystem": "Operativsystem: {0}",
|
||||||
"DashboardServerName": "Server: {0}",
|
"DashboardServerName": "Server: {0}",
|
||||||
|
|
|
@ -314,9 +314,8 @@
|
||||||
"ColorPrimaries": "Renk primerleri",
|
"ColorPrimaries": "Renk primerleri",
|
||||||
"DirectStreamHelp2": "Doğrudan Akış, video kalitesinde herhangi bir kayıp olmadan çok az işlem gücü kullanır.",
|
"DirectStreamHelp2": "Doğrudan Akış, video kalitesinde herhangi bir kayıp olmadan çok az işlem gücü kullanır.",
|
||||||
"DirectStreaming": "Doğrudan akış",
|
"DirectStreaming": "Doğrudan akış",
|
||||||
"Director": "yönetmen",
|
"Director": "Yönetmen",
|
||||||
"DirectorValue": "Yönetmen: {0}",
|
"Directors": "Yöneticiler",
|
||||||
"DirectorsValue": "Yöneticiler: {0}",
|
|
||||||
"Disabled": "Deaktif",
|
"Disabled": "Deaktif",
|
||||||
"DisplayModeHelp": "Jellyfin’i çalıştırdığınız ekran türünü seçin.",
|
"DisplayModeHelp": "Jellyfin’i çalıştırdığınız ekran türünü seçin.",
|
||||||
"DoNotRecord": "Kaydetme",
|
"DoNotRecord": "Kaydetme",
|
||||||
|
@ -521,8 +520,7 @@
|
||||||
"GuestStar": "Konuk sanatçı",
|
"GuestStar": "Konuk sanatçı",
|
||||||
"GroupVersions": "Grup versiyonları",
|
"GroupVersions": "Grup versiyonları",
|
||||||
"GroupBySeries": "Seriye göre gruplandır",
|
"GroupBySeries": "Seriye göre gruplandır",
|
||||||
"GenresValue": "Türler: {0}",
|
"Genre": "Tür",
|
||||||
"GenreValue": "Tür: {0}",
|
|
||||||
"General": "Genel",
|
"General": "Genel",
|
||||||
"Fullscreen": "Tam ekran",
|
"Fullscreen": "Tam ekran",
|
||||||
"FormatValue": "Biçim: {0}",
|
"FormatValue": "Biçim: {0}",
|
||||||
|
@ -651,7 +649,7 @@
|
||||||
"LabelAudioSampleRate": "Ses örnekleme hızı:",
|
"LabelAudioSampleRate": "Ses örnekleme hızı:",
|
||||||
"LabelAudioCodec": "Ses kodeği:",
|
"LabelAudioCodec": "Ses kodeği:",
|
||||||
"LabelAudioChannels": "Ses kanalları:",
|
"LabelAudioChannels": "Ses kanalları:",
|
||||||
"LabelAudio": "Ses:",
|
"LabelAudio": "Ses",
|
||||||
"LabelAppName": "Uygulama adı",
|
"LabelAppName": "Uygulama adı",
|
||||||
"LabelAllowHWTranscoding": "Donanım kod dönüştürmesine izin ver",
|
"LabelAllowHWTranscoding": "Donanım kod dönüştürmesine izin ver",
|
||||||
"LabelAll": "Tümü",
|
"LabelAll": "Tümü",
|
||||||
|
|
|
@ -753,7 +753,7 @@
|
||||||
"LabelSubtitleDownloaders": "字幕下载器:",
|
"LabelSubtitleDownloaders": "字幕下载器:",
|
||||||
"LabelSubtitleFormatHelp": "例如:SRT",
|
"LabelSubtitleFormatHelp": "例如:SRT",
|
||||||
"LabelSubtitlePlaybackMode": "字幕模式:",
|
"LabelSubtitlePlaybackMode": "字幕模式:",
|
||||||
"LabelSubtitles": "字幕:",
|
"LabelSubtitles": "字幕",
|
||||||
"LabelSupportedMediaTypes": "支持的媒体类型:",
|
"LabelSupportedMediaTypes": "支持的媒体类型:",
|
||||||
"LabelTVHomeScreen": "TV 模式主屏幕:",
|
"LabelTVHomeScreen": "TV 模式主屏幕:",
|
||||||
"LabelTag": "标签:",
|
"LabelTag": "标签:",
|
||||||
|
@ -1310,16 +1310,14 @@
|
||||||
"BoxRear": "盒子(背面)",
|
"BoxRear": "盒子(背面)",
|
||||||
"ChannelNumber": "频道号码",
|
"ChannelNumber": "频道号码",
|
||||||
"ColorSpace": "色彩空间",
|
"ColorSpace": "色彩空间",
|
||||||
"DirectorValue": "导演:{0}",
|
"Directors": "导演",
|
||||||
"DirectorsValue": "导演:{0}",
|
|
||||||
"ColorTransfer": "色彩转换",
|
"ColorTransfer": "色彩转换",
|
||||||
"ConfirmDeleteItem": "这将同时在磁盘和媒体库中删除这个项目。确认删除?",
|
"ConfirmDeleteItem": "这将同时在磁盘和媒体库中删除这个项目。确认删除?",
|
||||||
"ConfirmDeleteItems": "这将同时在磁盘和媒体库中删除这些项目。确认删除?",
|
"ConfirmDeleteItems": "这将同时在磁盘和媒体库中删除这些项目。确认删除?",
|
||||||
"ConfirmEndPlayerSession": "确认要关闭位于{0}的Jellyfin吗?",
|
"ConfirmEndPlayerSession": "确认要关闭位于{0}的Jellyfin吗?",
|
||||||
"ValueSeconds": "{0}秒",
|
"ValueSeconds": "{0}秒",
|
||||||
"Features": "功能",
|
"Features": "功能",
|
||||||
"GenreValue": "风格:{0}",
|
"Genre": "风格",
|
||||||
"GenresValue": "风格:{0}",
|
|
||||||
"Guide": "指南",
|
"Guide": "指南",
|
||||||
"HeaderCancelRecording": "取消录制",
|
"HeaderCancelRecording": "取消录制",
|
||||||
"HeaderFavoriteMovies": "最爱的电影",
|
"HeaderFavoriteMovies": "最爱的电影",
|
||||||
|
@ -1329,7 +1327,7 @@
|
||||||
"HeaderFavoriteVideos": "最爱的视频",
|
"HeaderFavoriteVideos": "最爱的视频",
|
||||||
"HeaderVideoType": "视频类型",
|
"HeaderVideoType": "视频类型",
|
||||||
"Items": "项目",
|
"Items": "项目",
|
||||||
"LabelAudio": "音频:",
|
"LabelAudio": "音频",
|
||||||
"LabelServerName": "服务器名称:",
|
"LabelServerName": "服务器名称:",
|
||||||
"LabelTranscodePath": "转码路径:",
|
"LabelTranscodePath": "转码路径:",
|
||||||
"LabelTranscodes": "转码:",
|
"LabelTranscodes": "转码:",
|
||||||
|
@ -1365,7 +1363,7 @@
|
||||||
"LabelUserLoginAttemptsBeforeLockout": "用户被封禁前可尝试的次数:",
|
"LabelUserLoginAttemptsBeforeLockout": "用户被封禁前可尝试的次数:",
|
||||||
"DashboardVersionNumber": "版本:{0}",
|
"DashboardVersionNumber": "版本:{0}",
|
||||||
"DashboardServerName": "服务器:{0}",
|
"DashboardServerName": "服务器:{0}",
|
||||||
"LabelVideo": "视频:",
|
"LabelVideo": "视频",
|
||||||
"LabelWeb": "网站:",
|
"LabelWeb": "网站:",
|
||||||
"LeaveBlankToNotSetAPassword": "您可以将此字段留空以设置空密码。",
|
"LeaveBlankToNotSetAPassword": "您可以将此字段留空以设置空密码。",
|
||||||
"LinksValue": "链接:{0}",
|
"LinksValue": "链接:{0}",
|
||||||
|
|
|
@ -453,8 +453,7 @@
|
||||||
"DirectStreamHelp2": "直接串流檔案會占用非常少的處理效能並且影片的品質不會有任何損失。",
|
"DirectStreamHelp2": "直接串流檔案會占用非常少的處理效能並且影片的品質不會有任何損失。",
|
||||||
"DirectStreaming": "直接串流",
|
"DirectStreaming": "直接串流",
|
||||||
"Director": "導演",
|
"Director": "導演",
|
||||||
"DirectorValue": "導演: {0}",
|
"Directors": "導演",
|
||||||
"DirectorsValue": "導演: {0}",
|
|
||||||
"Disabled": "已停用",
|
"Disabled": "已停用",
|
||||||
"Disc": "光碟",
|
"Disc": "光碟",
|
||||||
"Disconnect": "斷開連結",
|
"Disconnect": "斷開連結",
|
||||||
|
@ -539,9 +538,8 @@
|
||||||
"FreeAppsFeatureDescription": "享受免費的Jellyfin應用程式。",
|
"FreeAppsFeatureDescription": "享受免費的Jellyfin應用程式。",
|
||||||
"Fullscreen": "全螢幕",
|
"Fullscreen": "全螢幕",
|
||||||
"General": "一般",
|
"General": "一般",
|
||||||
"GenreValue": "類型 : {0}",
|
"Genre": "類型",
|
||||||
"Genres": "風格",
|
"Genres": "風格",
|
||||||
"GenresValue": "類型 : {0}",
|
|
||||||
"GroupBySeries": "按系列分組",
|
"GroupBySeries": "按系列分組",
|
||||||
"GroupVersions": "按版本分組",
|
"GroupVersions": "按版本分組",
|
||||||
"GuestStar": "特邀明星",
|
"GuestStar": "特邀明星",
|
||||||
|
@ -917,7 +915,7 @@
|
||||||
"LabelAppNameExample": "例如: Sickbeard, Sonarr",
|
"LabelAppNameExample": "例如: Sickbeard, Sonarr",
|
||||||
"LabelArtists": "藝人:",
|
"LabelArtists": "藝人:",
|
||||||
"LabelArtistsHelp": "分開多重使用 ;",
|
"LabelArtistsHelp": "分開多重使用 ;",
|
||||||
"LabelAudio": "音頻:",
|
"LabelAudio": "音頻",
|
||||||
"LabelAuthProvider": "認證提供者:",
|
"LabelAuthProvider": "認證提供者:",
|
||||||
"LabelAutomaticallyRefreshInternetMetadataEvery": "從網路自動刷新數據:",
|
"LabelAutomaticallyRefreshInternetMetadataEvery": "從網路自動刷新數據:",
|
||||||
"LabelBindToLocalNetworkAddress": "聯結本地網絡地址:",
|
"LabelBindToLocalNetworkAddress": "聯結本地網絡地址:",
|
||||||
|
@ -1046,7 +1044,7 @@
|
||||||
"LabelExtractChaptersDuringLibraryScan": "於媒體庫掃描時擷取章節圖片",
|
"LabelExtractChaptersDuringLibraryScan": "於媒體庫掃描時擷取章節圖片",
|
||||||
"LabelHttpsPort": "本地 HTTPS 端口:",
|
"LabelHttpsPort": "本地 HTTPS 端口:",
|
||||||
"LabelFailed": "失敗",
|
"LabelFailed": "失敗",
|
||||||
"LabelSubtitles": "字幕:",
|
"LabelSubtitles": "字幕",
|
||||||
"LabelSupportedMediaTypes": "支援的媒體類型:",
|
"LabelSupportedMediaTypes": "支援的媒體類型:",
|
||||||
"LabelTextBackgroundColor": "文字背景顏色:",
|
"LabelTextBackgroundColor": "文字背景顏色:",
|
||||||
"LabelTextColor": "文字顏色:",
|
"LabelTextColor": "文字顏色:",
|
||||||
|
@ -1062,7 +1060,7 @@
|
||||||
"LabelTypeText": "文本",
|
"LabelTypeText": "文本",
|
||||||
"LabelUsername": "使用者名稱:",
|
"LabelUsername": "使用者名稱:",
|
||||||
"DashboardOperatingSystem": "作業系統:{0}",
|
"DashboardOperatingSystem": "作業系統:{0}",
|
||||||
"LabelVideo": "影片:",
|
"LabelVideo": "影片",
|
||||||
"LabelVideoCodec": "影片編碼:",
|
"LabelVideoCodec": "影片編碼:",
|
||||||
"LabelYear": "年:",
|
"LabelYear": "年:",
|
||||||
"LatestFromLibrary": "最新 {0}",
|
"LatestFromLibrary": "最新 {0}",
|
||||||
|
|
72
yarn.lock
72
yarn.lock
|
@ -3522,6 +3522,11 @@ duplexer3@^0.1.4:
|
||||||
resolved "https://registry.yarnpkg.com/duplexer3/-/duplexer3-0.1.4.tgz#ee01dd1cac0ed3cbc7fdbea37dc0a8f1ce002ce2"
|
resolved "https://registry.yarnpkg.com/duplexer3/-/duplexer3-0.1.4.tgz#ee01dd1cac0ed3cbc7fdbea37dc0a8f1ce002ce2"
|
||||||
integrity sha1-7gHdHKwO08vH/b6jfcCo8c4ALOI=
|
integrity sha1-7gHdHKwO08vH/b6jfcCo8c4ALOI=
|
||||||
|
|
||||||
|
duplexer@~0.1.1:
|
||||||
|
version "0.1.1"
|
||||||
|
resolved "https://registry.yarnpkg.com/duplexer/-/duplexer-0.1.1.tgz#ace6ff808c1ce66b57d1ebf97977acb02334cfc1"
|
||||||
|
integrity sha1-rOb/gIwc5mtX0ev5eXessCM0z8E=
|
||||||
|
|
||||||
duplexify@^3.4.2, duplexify@^3.6.0:
|
duplexify@^3.4.2, duplexify@^3.6.0:
|
||||||
version "3.7.1"
|
version "3.7.1"
|
||||||
resolved "https://registry.yarnpkg.com/duplexify/-/duplexify-3.7.1.tgz#2a4df5317f6ccfd91f86d6fd25d8d8a103b88309"
|
resolved "https://registry.yarnpkg.com/duplexify/-/duplexify-3.7.1.tgz#2a4df5317f6ccfd91f86d6fd25d8d8a103b88309"
|
||||||
|
@ -3532,6 +3537,16 @@ duplexify@^3.4.2, duplexify@^3.6.0:
|
||||||
readable-stream "^2.0.0"
|
readable-stream "^2.0.0"
|
||||||
stream-shift "^1.0.0"
|
stream-shift "^1.0.0"
|
||||||
|
|
||||||
|
duplexify@^4.1.1:
|
||||||
|
version "4.1.1"
|
||||||
|
resolved "https://registry.yarnpkg.com/duplexify/-/duplexify-4.1.1.tgz#7027dc374f157b122a8ae08c2d3ea4d2d953aa61"
|
||||||
|
integrity sha512-DY3xVEmVHTv1wSzKNbwoU6nVjzI369Y6sPoqfYr0/xlx3IdX2n94xIszTcjPO8W8ZIv0Wb0PXNcjuZyT4wiICA==
|
||||||
|
dependencies:
|
||||||
|
end-of-stream "^1.4.1"
|
||||||
|
inherits "^2.0.3"
|
||||||
|
readable-stream "^3.1.1"
|
||||||
|
stream-shift "^1.0.0"
|
||||||
|
|
||||||
each-props@^1.3.0:
|
each-props@^1.3.0:
|
||||||
version "1.3.2"
|
version "1.3.2"
|
||||||
resolved "https://registry.yarnpkg.com/each-props/-/each-props-1.3.2.tgz#ea45a414d16dd5cfa419b1a81720d5ca06892333"
|
resolved "https://registry.yarnpkg.com/each-props/-/each-props-1.3.2.tgz#ea45a414d16dd5cfa419b1a81720d5ca06892333"
|
||||||
|
@ -3615,7 +3630,7 @@ encodeurl@~1.0.1, encodeurl@~1.0.2:
|
||||||
resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59"
|
resolved "https://registry.yarnpkg.com/encodeurl/-/encodeurl-1.0.2.tgz#ad3ff4c86ec2d029322f5a02c3a9a606c95b3f59"
|
||||||
integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k=
|
integrity sha1-rT/0yG7C0CkyL1oCw6mmBslbP1k=
|
||||||
|
|
||||||
end-of-stream@^1.0.0, end-of-stream@^1.1.0:
|
end-of-stream@^1.0.0, end-of-stream@^1.1.0, end-of-stream@^1.4.1:
|
||||||
version "1.4.4"
|
version "1.4.4"
|
||||||
resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.4.tgz#5ae64a5f45057baf3626ec14da0ca5e4b2431eb0"
|
resolved "https://registry.yarnpkg.com/end-of-stream/-/end-of-stream-1.4.4.tgz#5ae64a5f45057baf3626ec14da0ca5e4b2431eb0"
|
||||||
integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==
|
integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==
|
||||||
|
@ -4529,6 +4544,11 @@ forever-agent@~0.6.1:
|
||||||
resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91"
|
resolved "https://registry.yarnpkg.com/forever-agent/-/forever-agent-0.6.1.tgz#fbc71f0c41adeb37f96c577ad1ed42d8fdacca91"
|
||||||
integrity sha1-+8cfDEGt6zf5bFd60e1C2P2sypE=
|
integrity sha1-+8cfDEGt6zf5bFd60e1C2P2sypE=
|
||||||
|
|
||||||
|
fork-stream@^0.0.4:
|
||||||
|
version "0.0.4"
|
||||||
|
resolved "https://registry.yarnpkg.com/fork-stream/-/fork-stream-0.0.4.tgz#db849fce77f6708a5f8f386ae533a0907b54ae70"
|
||||||
|
integrity sha1-24Sfznf2cIpfjzhq5TOgkHtUrnA=
|
||||||
|
|
||||||
form-data@~2.3.2:
|
form-data@~2.3.2:
|
||||||
version "2.3.3"
|
version "2.3.3"
|
||||||
resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.3.3.tgz#dcce52c05f644f298c6a7ab936bd724ceffbf3a6"
|
resolved "https://registry.yarnpkg.com/form-data/-/form-data-2.3.3.tgz#dcce52c05f644f298c6a7ab936bd724ceffbf3a6"
|
||||||
|
@ -5069,6 +5089,15 @@ gulp-htmlmin@^5.0.1:
|
||||||
plugin-error "^1.0.1"
|
plugin-error "^1.0.1"
|
||||||
through2 "^2.0.3"
|
through2 "^2.0.3"
|
||||||
|
|
||||||
|
gulp-if@^3.0.0:
|
||||||
|
version "3.0.0"
|
||||||
|
resolved "https://registry.yarnpkg.com/gulp-if/-/gulp-if-3.0.0.tgz#6c3e7edc8bafadc34f2ebecb314bf43324ba1e40"
|
||||||
|
integrity sha512-fCUEngzNiEZEK2YuPm+sdMpO6ukb8+/qzbGfJBXyNOXz85bCG7yBI+pPSl+N90d7gnLvMsarthsAImx0qy7BAw==
|
||||||
|
dependencies:
|
||||||
|
gulp-match "^1.1.0"
|
||||||
|
ternary-stream "^3.0.0"
|
||||||
|
through2 "^3.0.1"
|
||||||
|
|
||||||
gulp-imagemin@^7.1.0:
|
gulp-imagemin@^7.1.0:
|
||||||
version "7.1.0"
|
version "7.1.0"
|
||||||
resolved "https://registry.yarnpkg.com/gulp-imagemin/-/gulp-imagemin-7.1.0.tgz#d1810a908fb64b4fbf15a750d303d988443e68cf"
|
resolved "https://registry.yarnpkg.com/gulp-imagemin/-/gulp-imagemin-7.1.0.tgz#d1810a908fb64b4fbf15a750d303d988443e68cf"
|
||||||
|
@ -5101,6 +5130,13 @@ gulp-inject@^5.0.5:
|
||||||
stream-to-array "^2.3.0"
|
stream-to-array "^2.3.0"
|
||||||
through2 "^3.0.1"
|
through2 "^3.0.1"
|
||||||
|
|
||||||
|
gulp-match@^1.1.0:
|
||||||
|
version "1.1.0"
|
||||||
|
resolved "https://registry.yarnpkg.com/gulp-match/-/gulp-match-1.1.0.tgz#552b7080fc006ee752c90563f9fec9d61aafdf4f"
|
||||||
|
integrity sha512-DlyVxa1Gj24DitY2OjEsS+X6tDpretuxD6wTfhXE/Rw2hweqc1f6D/XtsJmoiCwLWfXgR87W9ozEityPCVzGtQ==
|
||||||
|
dependencies:
|
||||||
|
minimatch "^3.0.3"
|
||||||
|
|
||||||
gulp-mode@^1.0.2:
|
gulp-mode@^1.0.2:
|
||||||
version "1.0.2"
|
version "1.0.2"
|
||||||
resolved "https://registry.yarnpkg.com/gulp-mode/-/gulp-mode-1.0.2.tgz#33c76033491fb71f47f1ebf8c67561ad9da7dfc9"
|
resolved "https://registry.yarnpkg.com/gulp-mode/-/gulp-mode-1.0.2.tgz#33c76033491fb71f47f1ebf8c67561ad9da7dfc9"
|
||||||
|
@ -6485,6 +6521,13 @@ last-run@^1.1.0:
|
||||||
default-resolution "^2.0.0"
|
default-resolution "^2.0.0"
|
||||||
es6-weak-map "^2.0.1"
|
es6-weak-map "^2.0.1"
|
||||||
|
|
||||||
|
lazypipe@^1.0.2:
|
||||||
|
version "1.0.2"
|
||||||
|
resolved "https://registry.yarnpkg.com/lazypipe/-/lazypipe-1.0.2.tgz#b66f64ed7fd8b04869f1f1bcb795dbbaa80e418c"
|
||||||
|
integrity sha512-CrU+NYdFHW8ElaeXCWz5IbmetiYVYq1fOCmpdAeZ8L+khbv1e7EnshyjlKqkO+pJbVPrsJQnHbVxEiLujG6qhQ==
|
||||||
|
dependencies:
|
||||||
|
stream-combiner "*"
|
||||||
|
|
||||||
lazystream@^1.0.0:
|
lazystream@^1.0.0:
|
||||||
version "1.0.0"
|
version "1.0.0"
|
||||||
resolved "https://registry.yarnpkg.com/lazystream/-/lazystream-1.0.0.tgz#f6995fe0f820392f61396be89462407bb77168e4"
|
resolved "https://registry.yarnpkg.com/lazystream/-/lazystream-1.0.0.tgz#f6995fe0f820392f61396be89462407bb77168e4"
|
||||||
|
@ -7124,6 +7167,11 @@ merge-descriptors@1.0.1:
|
||||||
resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61"
|
resolved "https://registry.yarnpkg.com/merge-descriptors/-/merge-descriptors-1.0.1.tgz#b00aaa556dd8b44568150ec9d1b953f3f90cbb61"
|
||||||
integrity sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E=
|
integrity sha1-sAqqVW3YtEVoFQ7J0blT8/kMu2E=
|
||||||
|
|
||||||
|
merge-stream@^2.0.0:
|
||||||
|
version "2.0.0"
|
||||||
|
resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60"
|
||||||
|
integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==
|
||||||
|
|
||||||
merge2@^1.2.3, merge2@^1.3.0:
|
merge2@^1.2.3, merge2@^1.3.0:
|
||||||
version "1.3.0"
|
version "1.3.0"
|
||||||
resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.3.0.tgz#5b366ee83b2f1582c48f87e47cf1a9352103ca81"
|
resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.3.0.tgz#5b366ee83b2f1582c48f87e47cf1a9352103ca81"
|
||||||
|
@ -7221,7 +7269,7 @@ minimalistic-crypto-utils@^1.0.0, minimalistic-crypto-utils@^1.0.1:
|
||||||
resolved "https://registry.yarnpkg.com/minimalistic-crypto-utils/-/minimalistic-crypto-utils-1.0.1.tgz#f6c00c1c0b082246e5c4d99dfb8c7c083b2b582a"
|
resolved "https://registry.yarnpkg.com/minimalistic-crypto-utils/-/minimalistic-crypto-utils-1.0.1.tgz#f6c00c1c0b082246e5c4d99dfb8c7c083b2b582a"
|
||||||
integrity sha1-9sAMHAsIIkblxNmd+4x8CDsrWCo=
|
integrity sha1-9sAMHAsIIkblxNmd+4x8CDsrWCo=
|
||||||
|
|
||||||
minimatch@^3.0.2, minimatch@^3.0.4, minimatch@~3.0.2:
|
minimatch@^3.0.2, minimatch@^3.0.3, minimatch@^3.0.4, minimatch@~3.0.2:
|
||||||
version "3.0.4"
|
version "3.0.4"
|
||||||
resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
|
resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
|
||||||
integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==
|
integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==
|
||||||
|
@ -10530,6 +10578,14 @@ stream-browserify@^2.0.1:
|
||||||
inherits "~2.0.1"
|
inherits "~2.0.1"
|
||||||
readable-stream "^2.0.2"
|
readable-stream "^2.0.2"
|
||||||
|
|
||||||
|
stream-combiner@*:
|
||||||
|
version "0.2.2"
|
||||||
|
resolved "https://registry.yarnpkg.com/stream-combiner/-/stream-combiner-0.2.2.tgz#aec8cbac177b56b6f4fa479ced8c1912cee52858"
|
||||||
|
integrity sha1-rsjLrBd7Vrb0+kec7YwZEs7lKFg=
|
||||||
|
dependencies:
|
||||||
|
duplexer "~0.1.1"
|
||||||
|
through "~2.3.4"
|
||||||
|
|
||||||
stream-each@^1.1.0:
|
stream-each@^1.1.0:
|
||||||
version "1.2.3"
|
version "1.2.3"
|
||||||
resolved "https://registry.yarnpkg.com/stream-each/-/stream-each-1.2.3.tgz#ebe27a0c389b04fbcc233642952e10731afa9bae"
|
resolved "https://registry.yarnpkg.com/stream-each/-/stream-each-1.2.3.tgz#ebe27a0c389b04fbcc233642952e10731afa9bae"
|
||||||
|
@ -11067,6 +11123,16 @@ tempfile@^2.0.0:
|
||||||
temp-dir "^1.0.0"
|
temp-dir "^1.0.0"
|
||||||
uuid "^3.0.1"
|
uuid "^3.0.1"
|
||||||
|
|
||||||
|
ternary-stream@^3.0.0:
|
||||||
|
version "3.0.0"
|
||||||
|
resolved "https://registry.yarnpkg.com/ternary-stream/-/ternary-stream-3.0.0.tgz#7951930ea9e823924d956f03d516151a2d516253"
|
||||||
|
integrity sha512-oIzdi+UL/JdktkT+7KU5tSIQjj8pbShj3OASuvDEhm0NT5lppsm7aXWAmAq4/QMaBIyfuEcNLbAQA+HpaISobQ==
|
||||||
|
dependencies:
|
||||||
|
duplexify "^4.1.1"
|
||||||
|
fork-stream "^0.0.4"
|
||||||
|
merge-stream "^2.0.0"
|
||||||
|
through2 "^3.0.1"
|
||||||
|
|
||||||
terser-webpack-plugin@^1.4.3:
|
terser-webpack-plugin@^1.4.3:
|
||||||
version "1.4.3"
|
version "1.4.3"
|
||||||
resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-1.4.3.tgz#5ecaf2dbdc5fb99745fd06791f46fc9ddb1c9a7c"
|
resolved "https://registry.yarnpkg.com/terser-webpack-plugin/-/terser-webpack-plugin-1.4.3.tgz#5ecaf2dbdc5fb99745fd06791f46fc9ddb1c9a7c"
|
||||||
|
@ -11134,7 +11200,7 @@ through2@^3.0.1:
|
||||||
dependencies:
|
dependencies:
|
||||||
readable-stream "2 || 3"
|
readable-stream "2 || 3"
|
||||||
|
|
||||||
through@^2.3.6, through@^2.3.8:
|
through@^2.3.6, through@^2.3.8, through@~2.3.4:
|
||||||
version "2.3.8"
|
version "2.3.8"
|
||||||
resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5"
|
resolved "https://registry.yarnpkg.com/through/-/through-2.3.8.tgz#0dd4c9ffaabc357960b1b724115d7e0e86a2e1f5"
|
||||||
integrity sha1-DdTJ/6q8NXlgsbckEV1+Doai4fU=
|
integrity sha1-DdTJ/6q8NXlgsbckEV1+Doai4fU=
|
||||||
|
|
Loading…
Add table
Add a link
Reference in a new issue