diff --git a/MediaBrowser.Common.Implementations/IO/CommonFileSystem.cs b/MediaBrowser.Common.Implementations/IO/CommonFileSystem.cs
index cc89fad35d..131dea36e0 100644
--- a/MediaBrowser.Common.Implementations/IO/CommonFileSystem.cs
+++ b/MediaBrowser.Common.Implementations/IO/CommonFileSystem.cs
@@ -390,5 +390,22 @@ namespace MediaBrowser.Common.Implementations.IO
{
return Path.GetFileNameWithoutExtension(path);
}
+
+ public bool IsPathFile(string path)
+ {
+ if (string.IsNullOrWhiteSpace(path))
+ {
+ throw new ArgumentNullException("path");
+ }
+
+ //if (path.IndexOf("://", StringComparison.OrdinalIgnoreCase) != -1 &&
+ // !path.StartsWith("file://", StringComparison.OrdinalIgnoreCase))
+ //{
+ // return false;
+ //}
+ //return true;
+
+ return Path.IsPathRooted(path);
+ }
}
}
diff --git a/MediaBrowser.Common/IO/IFileSystem.cs b/MediaBrowser.Common/IO/IFileSystem.cs
index 27307a0e9d..3bcec98ce6 100644
--- a/MediaBrowser.Common/IO/IFileSystem.cs
+++ b/MediaBrowser.Common/IO/IFileSystem.cs
@@ -126,5 +126,12 @@ namespace MediaBrowser.Common.IO
/// The path.
/// System.String.
string GetFileNameWithoutExtension(string path);
+
+ ///
+ /// Determines whether [is path file] [the specified path].
+ ///
+ /// The path.
+ /// true if [is path file] [the specified path]; otherwise, false.
+ bool IsPathFile(string path);
}
}
diff --git a/MediaBrowser.Controller/Entities/BaseItem.cs b/MediaBrowser.Controller/Entities/BaseItem.cs
index d82ef3f566..0b61262dc8 100644
--- a/MediaBrowser.Controller/Entities/BaseItem.cs
+++ b/MediaBrowser.Controller/Entities/BaseItem.cs
@@ -202,12 +202,12 @@ namespace MediaBrowser.Controller.Entities
return LocationType.Offline;
}
- if (string.IsNullOrEmpty(Path))
+ if (string.IsNullOrWhiteSpace(Path))
{
return LocationType.Virtual;
}
- return System.IO.Path.IsPathRooted(Path) ? LocationType.FileSystem : LocationType.Remote;
+ return FileSystem.IsPathFile(Path) ? LocationType.FileSystem : LocationType.Remote;
}
}
diff --git a/MediaBrowser.MediaEncoding/Subtitles/SubtitleEncoder.cs b/MediaBrowser.MediaEncoding/Subtitles/SubtitleEncoder.cs
index 3b8dafa8e3..e3eb33ec50 100644
--- a/MediaBrowser.MediaEncoding/Subtitles/SubtitleEncoder.cs
+++ b/MediaBrowser.MediaEncoding/Subtitles/SubtitleEncoder.cs
@@ -58,23 +58,13 @@ namespace MediaBrowser.MediaEncoding.Subtitles
try
{
- // Return the original without any conversions, if possible
- if (startTimeTicks == 0 &&
- !endTimeTicks.HasValue &&
- string.Equals(inputFormat, outputFormat, StringComparison.OrdinalIgnoreCase))
- {
- await stream.CopyToAsync(ms, 81920, cancellationToken).ConfigureAwait(false);
- }
- else
- {
- var trackInfo = await GetTrackInfo(stream, inputFormat, cancellationToken).ConfigureAwait(false);
+ var trackInfo = await GetTrackInfo(stream, inputFormat, cancellationToken).ConfigureAwait(false);
- FilterEvents(trackInfo, startTimeTicks, endTimeTicks, false);
+ FilterEvents(trackInfo, startTimeTicks, endTimeTicks, false);
- var writer = GetWriter(outputFormat);
+ var writer = GetWriter(outputFormat);
- writer.Write(trackInfo, ms, cancellationToken);
- }
+ writer.Write(trackInfo, ms, cancellationToken);
ms.Position = 0;
}
catch
@@ -239,10 +229,10 @@ namespace MediaBrowser.MediaEncoding.Subtitles
await ConvertTextSubtitleToSrt(subtitleStream.Path, outputPath, subtitleStream.Language, cancellationToken)
.ConfigureAwait(false);
- return new Tuple(outputPath, "srt", false);
+ return new Tuple(outputPath, "srt", true);
}
- return new Tuple(subtitleStream.Path, currentFormat, false);
+ return new Tuple(subtitleStream.Path, currentFormat, true);
}
private async Task GetTrackInfo(Stream stream,
diff --git a/MediaBrowser.Model/Configuration/ServerConfiguration.cs b/MediaBrowser.Model/Configuration/ServerConfiguration.cs
index 44bf52ff6c..c62709d629 100644
--- a/MediaBrowser.Model/Configuration/ServerConfiguration.cs
+++ b/MediaBrowser.Model/Configuration/ServerConfiguration.cs
@@ -176,7 +176,7 @@ namespace MediaBrowser.Model.Configuration
public PeopleMetadataOptions PeopleMetadataOptions { get; set; }
public bool FindInternetTrailers { get; set; }
- public string[] InsecureApps3 { get; set; }
+ public string[] InsecureApps5 { get; set; }
public bool SaveMetadataHidden { get; set; }
@@ -228,14 +228,17 @@ namespace MediaBrowser.Model.Configuration
PeopleMetadataOptions = new PeopleMetadataOptions();
- InsecureApps3 = new[]
+ InsecureApps5 = new[]
{
"Roku",
"Chromecast",
"iOS",
"Windows Phone",
"Windows RT",
- "Xbmc"
+ "Xbmc",
+ "Unknown app",
+ "MediaPortal",
+ "Media Portal"
};
MetadataOptions = new[]
diff --git a/MediaBrowser.Model/Connect/ConnectUserQuery.cs b/MediaBrowser.Model/Connect/ConnectUserQuery.cs
index e5ab534ead..a7dc649a8f 100644
--- a/MediaBrowser.Model/Connect/ConnectUserQuery.cs
+++ b/MediaBrowser.Model/Connect/ConnectUserQuery.cs
@@ -6,5 +6,6 @@ namespace MediaBrowser.Model.Connect
public string Id { get; set; }
public string Name { get; set; }
public string Email { get; set; }
+ public string NameOrEmail { get; set; }
}
}
diff --git a/MediaBrowser.Server.Implementations/Connect/ConnectManager.cs b/MediaBrowser.Server.Implementations/Connect/ConnectManager.cs
index 9bf15e43a1..17455a6def 100644
--- a/MediaBrowser.Server.Implementations/Connect/ConnectManager.cs
+++ b/MediaBrowser.Server.Implementations/Connect/ConnectManager.cs
@@ -338,7 +338,7 @@ namespace MediaBrowser.Server.Implementations.Connect
var connectUser = await GetConnectUser(new ConnectUserQuery
{
- Name = connectUsername
+ NameOrEmail = connectUsername
}, CancellationToken.None).ConfigureAwait(false);
@@ -433,7 +433,7 @@ namespace MediaBrowser.Server.Implementations.Connect
{
var connectUser = await GetConnectUser(new ConnectUserQuery
{
- Name = connectUsername
+ NameOrEmail = connectUsername
}, CancellationToken.None).ConfigureAwait(false);
@@ -578,6 +578,10 @@ namespace MediaBrowser.Server.Implementations.Connect
{
url = url + "?id=" + WebUtility.UrlEncode(query.Id);
}
+ else if (!string.IsNullOrWhiteSpace(query.NameOrEmail))
+ {
+ url = url + "?nameOrEmail=" + WebUtility.UrlEncode(query.NameOrEmail);
+ }
else if (!string.IsNullOrWhiteSpace(query.Name))
{
url = url + "?name=" + WebUtility.UrlEncode(query.Name);
@@ -963,7 +967,7 @@ namespace MediaBrowser.Server.Implementations.Connect
{
var user = e.Argument;
- await TryUploadUserPreferences(user, CancellationToken.None).ConfigureAwait(false);
+ //await TryUploadUserPreferences(user, CancellationToken.None).ConfigureAwait(false);
}
private async Task TryUploadUserPreferences(User user, CancellationToken cancellationToken)
diff --git a/MediaBrowser.Server.Implementations/Devices/DeviceRepository.cs b/MediaBrowser.Server.Implementations/Devices/DeviceRepository.cs
index eac08686f2..f10244a2c2 100644
--- a/MediaBrowser.Server.Implementations/Devices/DeviceRepository.cs
+++ b/MediaBrowser.Server.Implementations/Devices/DeviceRepository.cs
@@ -2,6 +2,7 @@
using MediaBrowser.Common.Extensions;
using MediaBrowser.Controller.Devices;
using MediaBrowser.Model.Devices;
+using MediaBrowser.Model.Logging;
using MediaBrowser.Model.Serialization;
using MediaBrowser.Model.Session;
using System;
@@ -19,6 +20,7 @@ namespace MediaBrowser.Server.Implementations.Devices
private readonly IApplicationPaths _appPaths;
private readonly IJsonSerializer _json;
+ private ILogger _logger;
private ConcurrentBag _devices;
@@ -69,7 +71,8 @@ namespace MediaBrowser.Server.Implementations.Devices
public DeviceInfo GetDevice(string id)
{
- return GetDevices().FirstOrDefault(i => string.Equals(i.Id, id, StringComparison.OrdinalIgnoreCase));
+ return GetDevices()
+ .FirstOrDefault(i => string.Equals(i.Id, id, StringComparison.OrdinalIgnoreCase));
}
public IEnumerable GetDevices()
@@ -96,7 +99,19 @@ namespace MediaBrowser.Server.Implementations.Devices
return new DirectoryInfo(path)
.EnumerateFiles("*", SearchOption.AllDirectories)
.Where(i => string.Equals(i.Name, "device.json", StringComparison.OrdinalIgnoreCase))
- .Select(i => _json.DeserializeFromFile(i.FullName))
+ .Select(i =>
+ {
+ try
+ {
+ return _json.DeserializeFromFile(i.FullName);
+ }
+ catch (Exception ex)
+ {
+ _logger.ErrorException("Error reading {0}", ex, i.FullName);
+ return null;
+ }
+ })
+ .Where(i => i != null)
.ToList();
}
catch (IOException)
diff --git a/MediaBrowser.Server.Implementations/HttpServer/Security/AuthService.cs b/MediaBrowser.Server.Implementations/HttpServer/Security/AuthService.cs
index 20137af13b..48de68e51a 100644
--- a/MediaBrowser.Server.Implementations/HttpServer/Security/AuthService.cs
+++ b/MediaBrowser.Server.Implementations/HttpServer/Security/AuthService.cs
@@ -66,7 +66,7 @@ namespace MediaBrowser.Server.Implementations.HttpServer.Security
if (!authAttribtues.AllowLocal || !req.IsLocal)
{
if (!string.IsNullOrWhiteSpace(auth.Token) ||
- !_config.Configuration.InsecureApps3.Contains(auth.Client ?? string.Empty, StringComparer.OrdinalIgnoreCase))
+ !_config.Configuration.InsecureApps5.Contains(auth.Client ?? string.Empty, StringComparer.OrdinalIgnoreCase))
{
var valid = IsValidConnectKey(auth.Token);
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json
index 6788537e62..8206456d6e 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ar.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/ca.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/ca.json
index 01eaed861f..7ef432e5f3 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ca.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ca.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/cs.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/cs.json
index 647a377ea4..b291f9c935 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/cs.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/cs.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/da.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/da.json
index 2ffdb92348..ec55a70523 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/da.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/da.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/de.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/de.json
index a494352dc7..8d6c72ef98 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/de.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/de.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "Wir konnten leider keine Verbindung mit dem ausgew\u00e4hlten Server herstellen. Bitte versuche es noch einmal sp\u00e4ter.",
"ButtonSelectServer": "W\u00e4hle Server",
"MessagePluginConfigurationRequiresLocalAccess": "Melde dich bitte direkt an deinem lokalen Server an, um dieses Plugin konfigurieren zu k\u00f6nnen.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Der Zugriff ist derzeit eingeschr\u00e4nkt. Bitte versuche es sp\u00e4ter erneut.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/el.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/el.json
index 461f9aff04..c89a041e78 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/el.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/el.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/en_GB.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/en_GB.json
index 6f16fe715b..9b9f4ed989 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/en_GB.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/en_GB.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/en_US.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/en_US.json
index 5fc057e7e0..c5fb167f5b 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/en_US.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/en_US.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/es.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/es.json
index be80fc9416..85a9671719 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/es.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/es.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/es_MX.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/es_MX.json
index 7135d9031c..ff27941d41 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/es_MX.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/es_MX.json
@@ -6,25 +6,25 @@
"Administrator": "Administrador",
"Password": "Contrase\u00f1a",
"DeleteImage": "Eliminar imagen",
- "DeleteImageConfirmation": "\u00bfEst\u00e1 seguro que desea eliminar esta imagen?",
+ "DeleteImageConfirmation": "\u00bfEst\u00e1 seguro de querer eliminar esta imagen?",
"FileReadCancelled": "La lectura del archivo ha sido cancelada.",
"FileNotFound": "Archivo no encontrado.",
"FileReadError": "Ha ocurrido un error al leer el archivo.",
"DeleteUser": "Eliminar Usuario",
- "DeleteUserConfirmation": "\u00bfEsta seguro que desea eliminar este usuario?",
+ "DeleteUserConfirmation": "\u00bfEst\u00e1 seguro de querer eliminar este usuario?",
"PasswordResetHeader": "Restablecer Contrase\u00f1a",
"PasswordResetComplete": "La contrase\u00f1a ha sido restablecida.",
- "PasswordResetConfirmation": "\u00bfEst\u00e1 seguro que desea restablecer la contrase\u00f1a?",
+ "PasswordResetConfirmation": "\u00bfEst\u00e1 seguro de querer restablecer la contrase\u00f1a?",
"PasswordSaved": "Contrase\u00f1a guardada.",
"PasswordMatchError": "La Contrase\u00f1a y la confirmaci\u00f3n de la contrase\u00f1a deben coincidir.",
"OptionRelease": "Versi\u00f3n Oficial",
"OptionBeta": "Beta",
"OptionDev": "Desarrollo (Inestable)",
"UninstallPluginHeader": "Desinstalar Complemento",
- "UninstallPluginConfirmation": "\u00bfEst\u00e1 seguro que desea desinstalar {0}?",
+ "UninstallPluginConfirmation": "\u00bfEst\u00e1 seguro de querer desinstalar {0}?",
"NoPluginConfigurationMessage": "El complemento no requiere configuraci\u00f3n",
"NoPluginsInstalledMessage": "No tiene complementos instalados.",
- "BrowsePluginCatalogMessage": "Explore el catalogo de complementos para ver los complementos disponibles.",
+ "BrowsePluginCatalogMessage": "Explorar el catalogo de complementos para ver los complementos disponibles.",
"MessageKeyEmailedTo": "Clave enviada por correo a {0}.",
"MessageKeysLinked": "Llaves Vinculadas",
"HeaderConfirmation": "Confirmaci\u00f3n",
@@ -44,7 +44,7 @@
"LabelScheduledTaskLastRan": "Ejecutado hace {0}, tomando {1}.",
"HeaderDeleteTaskTrigger": "Borrar Disparador de Tarea",
"HeaderTaskTriggers": "Disparadores de Tarea",
- "MessageDeleteTaskTrigger": "\u00bfEstas seguro de que deseas eliminar este disparador de tarea?",
+ "MessageDeleteTaskTrigger": "\u00bfEst\u00e1 seguro de querer eliminar este disparador de tarea?",
"MessageNoPluginsInstalled": "No tienes extensiones instaladas.",
"LabelVersionInstalled": "{0} instalado",
"LabelNumberReviews": "{0} Rese\u00f1as",
@@ -82,13 +82,13 @@
"RecommendationDirectedBy": "Dirigido por {0}",
"RecommendationStarring": "Protagonizado por {0}",
"HeaderConfirmRecordingCancellation": "Confirmar Cancelaci\u00f3n de la Grabaci\u00f3n",
- "MessageConfirmRecordingCancellation": "\u00bfEstas seguro de que deseas cancelar esta grabaci\u00f3n?",
+ "MessageConfirmRecordingCancellation": "\u00bfEst\u00e1 seguro de querer cancelar esta grabaci\u00f3n?",
"MessageRecordingCancelled": "Grabaci\u00f3n cancelada.",
"HeaderConfirmSeriesCancellation": "Confirmar Cancelaci\u00f3n de Serie",
- "MessageConfirmSeriesCancellation": "\u00bfEstas seguro de que deseas cancelar esta serie?",
+ "MessageConfirmSeriesCancellation": "\u00bfEst\u00e1 seguro de querer cancelar esta serie?",
"MessageSeriesCancelled": "Serie cancelada",
"HeaderConfirmRecordingDeletion": "Confirmar Eliminaci\u00f3n de Grabaci\u00f3n",
- "MessageConfirmRecordingDeletion": "\u00bfEstas seguro de que deseas eliminar esta grabaci\u00f3n?",
+ "MessageConfirmRecordingDeletion": "\u00bfEst\u00e1 seguro de querer eliminar esta grabaci\u00f3n?",
"MessageRecordingDeleted": "Grabaci\u00f3n eliminada.",
"ButonCancelRecording": "Cancelar Grabaci\u00f3n",
"MessageRecordingSaved": "Grabaci\u00f3n guardada.",
@@ -100,12 +100,12 @@
"OptionFriday": "Viernes",
"OptionSaturday": "S\u00e1bado",
"HeaderConfirmDeletion": "Confirmar Eliminaci\u00f3n",
- "MessageConfirmPathSubstitutionDeletion": "\u00bfEstas seguro de que deseas eliminar esta ruta alternativa?",
+ "MessageConfirmPathSubstitutionDeletion": "\u00bfEst\u00e1 seguro de querer eliminar esta ruta alternativa?",
"LiveTvUpdateAvailable": "(Actualizaci\u00f3n disponible)",
"LabelVersionUpToDate": "\u00a1Actualizado!",
"ButtonResetTuner": "Resetear sintonizador",
"HeaderResetTuner": "Resetear Sintonizador",
- "MessageConfirmResetTuner": "\u00bfEstas seguro de que deseas restablecer las configuraciones de este sintonizador? Cualquier reproducci\u00f3n o grabaci\u00f3n sera interrumpida abruptamente.",
+ "MessageConfirmResetTuner": "\u00bfEst\u00e1 seguro de querer restablecer las configuraciones de este sintonizador? Cualquier reproducci\u00f3n o grabaci\u00f3n sera interrumpida abruptamente.",
"ButtonCancelSeries": "Cancelar Series",
"HeaderSeriesRecordings": "Grabaciones de Series",
"LabelAnytime": "Cuando sea",
@@ -114,12 +114,12 @@
"StatusRecordingProgram": "Grabando {0}",
"StatusWatchingProgram": "Viendo {0}",
"HeaderSplitMedia": "Dividir y Separar Medios",
- "MessageConfirmSplitMedia": "\u00bfEstas seguro de que deseas dividir y separar estos medios en elementos individuales?",
+ "MessageConfirmSplitMedia": "\u00bfEst\u00e1 seguro de querer dividir y separar estos medios en elementos individuales?",
"HeaderError": "Error",
"MessagePleaseSelectOneItem": "Por favor selecciona al menos un elemento.",
"MessagePleaseSelectTwoItems": "Por favor selecciona al menos dos elementos.",
"MessageTheFollowingItemsWillBeGrouped": "Los siguientes t\u00edtulos ser\u00e1n agrupados en un solo elemento.",
- "MessageConfirmItemGrouping": "Los clientes de Media Browser elegir\u00e1n autom\u00e1ticamente la versi\u00f3n optima para reproducir basado en el dispositivo y el rendimiento de redo. \u00bfEsta seguro de que desea continuar?",
+ "MessageConfirmItemGrouping": "Los clientes de Media Browser elegir\u00e1n autom\u00e1ticamente la versi\u00f3n optima para reproducir basado en el dispositivo y el rendimiento de redo. \u00bfEst\u00e1 seguro de querer continuar?",
"HeaderResume": "Continuar",
"HeaderMyViews": "Mis Vistas",
"HeaderLibraryFolders": "Carpetas de Medios",
@@ -132,7 +132,7 @@
"HeaderFavoriteGames": "Juegos Preferidos",
"HeaderRatingsDownloads": "Calificaciones \/ Descargas",
"HeaderConfirmProfileDeletion": "Confirmar Eliminaci\u00f3n del Perfil",
- "MessageConfirmProfileDeletion": "\u00bfEst\u00e1 seguro que desea eliminar este perfil?",
+ "MessageConfirmProfileDeletion": "\u00bfEst\u00e1 seguro de querer eliminar este perfil?",
"HeaderSelectServerCachePath": "Seleccionar Trayector\u00eda para Cach\u00e9 del Servidor",
"HeaderSelectTranscodingPath": "Seleccionar Ruta para Transcodificaci\u00f3n Temporal",
"HeaderSelectImagesByNamePath": "Seleccionar Ruta para Im\u00e1genes por Nombre",
@@ -158,7 +158,7 @@
"StatusFailed": "Fallido",
"StatusSuccess": "Exitoso",
"MessageFileWillBeDeleted": "El siguiente archivo sera eliminado:",
- "MessageSureYouWishToProceed": "\u00bfEstas seguro de que deseas continuar?",
+ "MessageSureYouWishToProceed": "\u00bfEst\u00e1 seguro de querer continuar?",
"MessageDuplicatesWillBeDeleted": "Adicionalmente se eliminaran los siguientes duplicados:",
"MessageFollowingFileWillBeMovedFrom": "El siguiente archivo sera movido de:",
"MessageDestinationTo": "a:",
@@ -167,8 +167,8 @@
"OrganizePatternResult": "Resultado: {0}",
"HeaderRestart": "Reiniciar",
"HeaderShutdown": "Apagar",
- "MessageConfirmRestart": "\u00bfEstas seguro de que deseas reiniciar el Servidor de Media Browser?",
- "MessageConfirmShutdown": "\u00bfEstas seguro de que deseas apagar el Servidor de Media Browser?",
+ "MessageConfirmRestart": "\u00bfEst\u00e1 seguro de querer reiniciar el Servidor de Media Browser?",
+ "MessageConfirmShutdown": "\u00bfEst\u00e1 seguro de querer apagar el Servidor de Media Browser?",
"ButtonUpdateNow": "Actualizar Ahora",
"NewVersionOfSomethingAvailable": "\u00a1Una nueva versi\u00f3n de {0} esta disponible!",
"VersionXIsAvailableForDownload": "La versi\u00f3n {0} ahora esta disponible para descargar.",
@@ -185,7 +185,7 @@
"LabelUnknownLanaguage": "Idioma desconocido",
"HeaderCurrentSubtitles": "Subtitulos Actuales",
"MessageDownloadQueued": "La descarga se ha agregado a la cola.",
- "MessageAreYouSureDeleteSubtitles": "\u00bfEstas seguro de que deseas eliminar este archivo de subtitulos?",
+ "MessageAreYouSureDeleteSubtitles": "\u00bfEst\u00e1 seguro de querer eliminar este archivo de subtitulos?",
"ButtonRemoteControl": "Control Remoto",
"HeaderLatestTvRecordings": "Grabaciones Recientes",
"ButtonOk": "Ok",
@@ -247,9 +247,9 @@
"ButtonPreviousPage": "P\u00e1gina Anterior",
"ButtonMoveLeft": "Mover a la izquierda",
"ButtonMoveRight": "Mover a la derecha",
- "ButtonBrowseOnlineImages": "Navegar por im\u00e1genes en l\u00ednea",
+ "ButtonBrowseOnlineImages": "Buscar im\u00e1genes en l\u00ednea",
"HeaderDeleteItem": "Eliminar \u00cdtem",
- "ConfirmDeleteItem": "\u00bfEsta seguro de querer eleiminar este \u00edtem de su biblioteca?",
+ "ConfirmDeleteItem": "\u00bfEst\u00e1 seguro de querer eleiminar este \u00edtem de su biblioteca?",
"MessagePleaseEnterNameOrId": "Por favor ingrese un nombre o id externo.",
"MessageValueNotCorrect": "El valor ingresado no es correcto. Intente nuevamente por favor.",
"MessageItemSaved": "\u00cdtem guardado.",
@@ -261,7 +261,7 @@
"HeaderFieldsHelp": "Deslice un campo hacia \"apagado\" para bloquearlo y evitar que sus datos sean modificados.",
"HeaderLiveTV": "TV en Vivo",
"MissingLocalTrailer": "Falta avance local.",
- "MissingPrimaryImage": "Falta im\u00e1gen primaria.",
+ "MissingPrimaryImage": "Falta im\u00e1gen principal.",
"MissingBackdropImage": "Falta im\u00e1gen de fondo.",
"MissingLogoImage": "Falta im\u00e1gen de logo.",
"MissingEpisode": "Falta episodio.",
@@ -398,14 +398,14 @@
"LabelBirthYear": "A\u00f1o de nacimiento:",
"LabelDeathDate": "Fecha de defunci\u00f3n:",
"HeaderRemoveMediaLocation": "Eliminar Ubicaci\u00f3n de Medios",
- "MessageConfirmRemoveMediaLocation": "\u00bfEsta seguro de querer eliminar esta ubicaci\u00f3n?",
+ "MessageConfirmRemoveMediaLocation": "\u00bfEst\u00e1 seguro de querer eliminar esta ubicaci\u00f3n?",
"HeaderRenameMediaFolder": "Renombrar Carpeta de Medios",
"LabelNewName": "Nuevo nombre:",
"HeaderAddMediaFolder": "Agregar Carpeta de Medios",
"HeaderAddMediaFolderHelp": "Nombre (Pel\u00edculas, M\u00fascia, TV, etc.):",
"HeaderRemoveMediaFolder": "Eliminar Carpteta de Medios",
"MessageTheFollowingLocationWillBeRemovedFromLibrary": "Las siguientes ubicaciones de medios ser\u00e1n eliminadas de su biblioteca:",
- "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00bfEsta seguro de querer eliminar esta carpeta de medios?",
+ "MessageAreYouSureYouWishToRemoveMediaFolder": "\u00bfEst\u00e1 seguro de querer eliminar esta carpeta de medios?",
"ButtonRename": "Renombrar",
"ButtonChangeType": "Cambiar tipo",
"HeaderMediaLocations": "Ubicaciones de Medios",
@@ -449,7 +449,7 @@
"ButtonDelete": "Eliminar",
"HeaderMediaBrowserAccountAdded": "Cuanta de Media Browser A\u00f1adida",
"MessageMediaBrowserAccountAdded": "La cuenta de Media Browser has sido a\u00f1adida a este usuario.",
- "MessagePendingMediaBrowserAccountAdded": "La cuenta de Media Browser ha sifo a\u00f1adida a este usuario. Se enviar\u00e1 un correo electr\u00f3nico al due\u00f1o de dicha cuenta. La invitaci\u00f3n deber\u00e1 ser confirmada haciendo click en la liga contenida en el correo.",
+ "MessagePendingMediaBrowserAccountAdded": "La cuenta de Media Browser ha sifo a\u00f1adida a este usuario. Se enviar\u00e1 un correo electr\u00f3nico al due\u00f1o de dicha cuenta. La invitaci\u00f3n deber\u00e1 ser confirmada haciendo clic en la liga contenida en el correo.",
"HeaderMediaBrowserAccountRemoved": "Cuenta de Media Browser Removida",
"MessageMediaBrowserAccontRemoved": "La cuenta de Media Browser ha sido removida de este usuario.",
"TooltipLinkedToMediaBrowserConnect": "Ligado a Media Browser Connect",
@@ -575,8 +575,8 @@
"WebClientTourContent": "Vea sus medios recientemente a\u00f1adidos, siguientes ep\u00ecsodios y m\u00e1s. Los c\u00edrculos verdes indican cuantos medios sin reproducir tiene.",
"WebClientTourMovies": "Reproduzca pel\u00edculas, avances y m\u00e1s desde cualquier dispositivo con un navegador web.",
"WebClientTourMouseOver": "Mantgenga el rat\u00f3n sobre cualquier cartel para un acceso r\u00e1pido a informaci\u00f3n importante.",
- "WebClientTourTapHold": "Presione y mantenga o haga click derecho en cualquier cartel para mostrar un men\u00fa contextual",
- "WebClientTourMetadataManager": "Haga click en editar para abrir el administrador de metadatos",
+ "WebClientTourTapHold": "Mantenga presionado o haga clic derecho en cualquier cartel para mostrar un men\u00fa contextual",
+ "WebClientTourMetadataManager": "Haga clic en editar para abrir el administrador de metadatos",
"WebClientTourPlaylists": "Cree f\u00e1cilmente listas de reproducci\u00f3n y mezclas instant\u00e1neas, y reprod\u00fazcalas en cualquier dispositivo",
"WebClientTourCollections": "Cree colecciones de pel\u00edculas para agruparlas en sets de pel\u00edculas",
"WebClientTourUserPreferences1": "Las preferencias de usuario le permiten personalizar la manera en que su biblioteca es presentada en todos sus apps de Media Browser",
@@ -599,7 +599,7 @@
"TabDevices": "Dispositivos",
"DeviceLastUsedByUserName": "\u00daltimo usado por {0}",
"HeaderDeleteDevice": "Eliminar Dispositivo",
- "DeleteDeviceConfirmation": "\u00bfEsta seguro de querer eliminar este dispositivo? Volver\u00e1 a aparecer la siguiente vez que un usuario inicie sesi\u00f3n en \u00e9l.",
+ "DeleteDeviceConfirmation": "\u00bfEst\u00e1 seguro de querer eliminar este dispositivo? Volver\u00e1 a aparecer la siguiente vez que un usuario inicie sesi\u00f3n en \u00e9l.",
"LabelEnableCameraUploadFor": "Habilitar subir desde la c\u00e1mara para:",
"HeaderSelectUploadPath": "Seleccionar ruta de subida",
"LabelEnableCameraUploadForHelp": "Las subidas ocurrir\u00e1n autom\u00e1ticamente en segundo plano al iniciar sesi\u00f3n en Media Browser.",
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "No fue posible conectarse a lo que se ha seleccionado en este momento. Por favor int\u00e9ntelo m\u00e1s tarde.",
"ButtonSelectServer": "Seleccionar servidor",
"MessagePluginConfigurationRequiresLocalAccess": "Para configurar este complemento por favor inicie sesi\u00f3n en su servidor local directamente.",
- "MessageLoggedOutParentalControl": "El acceso esta restringido en este momento. Por favor intenta de nuevo mas tarde."
+ "MessageLoggedOutParentalControl": "El acceso esta restringido en este momento. Por favor intenta de nuevo mas tarde.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json
new file mode 100644
index 0000000000..6846b5cd71
--- /dev/null
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/fi.json
@@ -0,0 +1,620 @@
+{
+ "SettingsSaved": "Asetukset tallennettu.",
+ "AddUser": "Lis\u00e4\u00e4 K\u00e4ytt\u00e4j\u00e4",
+ "Users": "K\u00e4ytt\u00e4j\u00e4t",
+ "Delete": "Poista",
+ "Administrator": "Administrator",
+ "Password": "Salasana",
+ "DeleteImage": "Poista Kuva",
+ "DeleteImageConfirmation": "Oletko varma ett\u00e4 haluat poistaa t\u00e4m\u00e4n kuvan?",
+ "FileReadCancelled": "Tiedoston luku on peruutettu.",
+ "FileNotFound": "Tiedostoa ei l\u00f6ydy.",
+ "FileReadError": "Virhe tiedoston luvun aikana.",
+ "DeleteUser": "Poista k\u00e4ytt\u00e4j\u00e4",
+ "DeleteUserConfirmation": "Oletko varma ett\u00e4 haluat poistaa t\u00e4m\u00e4n k\u00e4ytt\u00e4j\u00e4n?",
+ "PasswordResetHeader": "Salasanan Palautus",
+ "PasswordResetComplete": "Salasana on palauttettu.",
+ "PasswordResetConfirmation": "Oletko varma, ett\u00e4 haluat palauttaa salasanan?",
+ "PasswordSaved": "Salasana tallennettu.",
+ "PasswordMatchError": "Salasana ja salasanan vahvistuksen pit\u00e4\u00e4 olla samat.",
+ "OptionRelease": "Virallinen Julkaisu",
+ "OptionBeta": "Beta",
+ "OptionDev": "Kehittely (Ei vakaa)",
+ "UninstallPluginHeader": "Poista Lis\u00e4osa",
+ "UninstallPluginConfirmation": "Oletko varma, ett\u00e4 haluat poistaa {0}?",
+ "NoPluginConfigurationMessage": "T\u00e4ll\u00e4 lis\u00e4osalla ei ole mit\u00e4\u00e4n muokattavaa.",
+ "NoPluginsInstalledMessage": "Sinulla ei ole mit\u00e4\u00e4n lis\u00e4osia asennettuna.",
+ "BrowsePluginCatalogMessage": "Selaa meid\u00e4n lis\u00e4osa listaa katsoaksesi saatavilla olevia lis\u00e4osia.",
+ "MessageKeyEmailedTo": "Key emailed to {0}.",
+ "MessageKeysLinked": "Keys linked.",
+ "HeaderConfirmation": "Confirmation",
+ "MessageKeyUpdated": "Thank you. Your supporter key has been updated.",
+ "MessageKeyRemoved": "Thank you. Your supporter key has been removed.",
+ "ErrorLaunchingChromecast": "There was an error launching chromecast. Please ensure your device is connected to your wireless network.",
+ "HeaderSearch": "Search",
+ "LabelArtist": "Artist",
+ "LabelMovie": "Movie",
+ "LabelMusicVideo": "Music Video",
+ "LabelEpisode": "Episode",
+ "LabelSeries": "Series",
+ "LabelStopping": "Stopping",
+ "LabelCancelled": "(cancelled)",
+ "LabelFailed": "(failed)",
+ "LabelAbortedByServerShutdown": "(Aborted by server shutdown)",
+ "LabelScheduledTaskLastRan": "Last ran {0}, taking {1}.",
+ "HeaderDeleteTaskTrigger": "Delete Task Trigger",
+ "HeaderTaskTriggers": "Task Triggers",
+ "MessageDeleteTaskTrigger": "Are you sure you wish to delete this task trigger?",
+ "MessageNoPluginsInstalled": "You have no plugins installed.",
+ "LabelVersionInstalled": "{0} installed",
+ "LabelNumberReviews": "{0} Reviews",
+ "LabelFree": "Free",
+ "HeaderSelectAudio": "Select Audio",
+ "HeaderSelectSubtitles": "Select Subtitles",
+ "LabelDefaultStream": "(Default)",
+ "LabelForcedStream": "(Forced)",
+ "LabelDefaultForcedStream": "(Default\/Forced)",
+ "LabelUnknownLanguage": "Unknown language",
+ "ButtonMute": "Mute",
+ "ButtonUnmute": "Unmute",
+ "ButtonStop": "Stop",
+ "ButtonNextTrack": "Next Track",
+ "ButtonPause": "Pause",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonQueue": "Queue",
+ "ButtonPlayTrailer": "Play trailer",
+ "ButtonPlaylist": "Playlist",
+ "ButtonPreviousTrack": "Previous Track",
+ "LabelEnabled": "Enabled",
+ "LabelDisabled": "Disabled",
+ "ButtonMoreInformation": "More Information",
+ "LabelNoUnreadNotifications": "No unread notifications.",
+ "ButtonViewNotifications": "View notifications",
+ "ButtonMarkTheseRead": "Mark these read",
+ "ButtonClose": "Close",
+ "LabelAllPlaysSentToPlayer": "All plays will be sent to the selected player.",
+ "MessageInvalidUser": "Invalid username or password. Please try again.",
+ "HeaderLoginFailure": "Login Failure",
+ "HeaderAllRecordings": "All Recordings",
+ "RecommendationBecauseYouLike": "Because you like {0}",
+ "RecommendationBecauseYouWatched": "Because you watched {0}",
+ "RecommendationDirectedBy": "Directed by {0}",
+ "RecommendationStarring": "Starring {0}",
+ "HeaderConfirmRecordingCancellation": "Confirm Recording Cancellation",
+ "MessageConfirmRecordingCancellation": "Are you sure you wish to cancel this recording?",
+ "MessageRecordingCancelled": "Recording cancelled.",
+ "HeaderConfirmSeriesCancellation": "Confirm Series Cancellation",
+ "MessageConfirmSeriesCancellation": "Are you sure you wish to cancel this series?",
+ "MessageSeriesCancelled": "Series cancelled.",
+ "HeaderConfirmRecordingDeletion": "Confirm Recording Deletion",
+ "MessageConfirmRecordingDeletion": "Are you sure you wish to delete this recording?",
+ "MessageRecordingDeleted": "Recording deleted.",
+ "ButonCancelRecording": "Cancel Recording",
+ "MessageRecordingSaved": "Recording saved.",
+ "OptionSunday": "Sunday",
+ "OptionMonday": "Monday",
+ "OptionTuesday": "Tuesday",
+ "OptionWednesday": "Wednesday",
+ "OptionThursday": "Thursday",
+ "OptionFriday": "Friday",
+ "OptionSaturday": "Saturday",
+ "HeaderConfirmDeletion": "Confirm Deletion",
+ "MessageConfirmPathSubstitutionDeletion": "Are you sure you wish to delete this path substitution?",
+ "LiveTvUpdateAvailable": "(Update available)",
+ "LabelVersionUpToDate": "Up to date!",
+ "ButtonResetTuner": "Reset tuner",
+ "HeaderResetTuner": "Reset Tuner",
+ "MessageConfirmResetTuner": "Are you sure you wish to reset this tuner? Any active players or recordings will be abruptly stopped.",
+ "ButtonCancelSeries": "Cancel Series",
+ "HeaderSeriesRecordings": "Series Recordings",
+ "LabelAnytime": "Any time",
+ "StatusRecording": "Recording",
+ "StatusWatching": "Watching",
+ "StatusRecordingProgram": "Recording {0}",
+ "StatusWatchingProgram": "Watching {0}",
+ "HeaderSplitMedia": "Split Media Apart",
+ "MessageConfirmSplitMedia": "Are you sure you wish to split the media sources into separate items?",
+ "HeaderError": "Error",
+ "MessagePleaseSelectOneItem": "Please select at least one item.",
+ "MessagePleaseSelectTwoItems": "Please select at least two items.",
+ "MessageTheFollowingItemsWillBeGrouped": "The following titles will be grouped into one item:",
+ "MessageConfirmItemGrouping": "Media Browser clients will automatically choose the optimal version to play based on device and network performance. Are you sure you wish to continue?",
+ "HeaderResume": "Resume",
+ "HeaderMyViews": "My Views",
+ "HeaderLibraryFolders": "Media Folders",
+ "HeaderLatestMedia": "Latest Media",
+ "ButtonMoreItems": "More...",
+ "ButtonMore": "More",
+ "HeaderFavoriteMovies": "Favorite Movies",
+ "HeaderFavoriteShows": "Favorite Shows",
+ "HeaderFavoriteEpisodes": "Favorite Episodes",
+ "HeaderFavoriteGames": "Favorite Games",
+ "HeaderRatingsDownloads": "Rating \/ Downloads",
+ "HeaderConfirmProfileDeletion": "Confirm Profile Deletion",
+ "MessageConfirmProfileDeletion": "Are you sure you wish to delete this profile?",
+ "HeaderSelectServerCachePath": "Select Server Cache Path",
+ "HeaderSelectTranscodingPath": "Select Transcoding Temporary Path",
+ "HeaderSelectImagesByNamePath": "Select Images By Name Path",
+ "HeaderSelectMetadataPath": "Select Metadata Path",
+ "HeaderSelectServerCachePathHelp": "Browse or enter the path to use for server cache files. The folder must be writeable.",
+ "HeaderSelectTranscodingPathHelp": "Browse or enter the path to use for transcoding temporary files. The folder must be writeable.",
+ "HeaderSelectImagesByNamePathHelp": "Browse or enter the path to your items by name folder. The folder must be writeable.",
+ "HeaderSelectMetadataPathHelp": "Browse or enter the path you'd like to store metadata within. The folder must be writeable.",
+ "HeaderSelectChannelDownloadPath": "Select Channel Download Path",
+ "HeaderSelectChannelDownloadPathHelp": "Browse or enter the path to use for storing channel cache files. The folder must be writeable.",
+ "OptionNewCollection": "New...",
+ "ButtonAdd": "Add",
+ "ButtonRemove": "Remove",
+ "LabelChapterDownloaders": "Chapter downloaders:",
+ "LabelChapterDownloadersHelp": "Enable and rank your preferred chapter downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.",
+ "HeaderFavoriteAlbums": "Favorite Albums",
+ "HeaderLatestChannelMedia": "Latest Channel Items",
+ "ButtonOrganizeFile": "Organize File",
+ "ButtonDeleteFile": "Delete File",
+ "HeaderOrganizeFile": "Organize File",
+ "HeaderDeleteFile": "Delete File",
+ "StatusSkipped": "Skipped",
+ "StatusFailed": "Failed",
+ "StatusSuccess": "Success",
+ "MessageFileWillBeDeleted": "The following file will be deleted:",
+ "MessageSureYouWishToProceed": "Are you sure you wish to proceed?",
+ "MessageDuplicatesWillBeDeleted": "In addition the following dupliates will be deleted:",
+ "MessageFollowingFileWillBeMovedFrom": "The following file will be moved from:",
+ "MessageDestinationTo": "to:",
+ "HeaderSelectWatchFolder": "Select Watch Folder",
+ "HeaderSelectWatchFolderHelp": "Browse or enter the path to your watch folder. The folder must be writeable.",
+ "OrganizePatternResult": "Result: {0}",
+ "HeaderRestart": "Restart",
+ "HeaderShutdown": "Shutdown",
+ "MessageConfirmRestart": "Are you sure you wish to restart Media Browser Server?",
+ "MessageConfirmShutdown": "Are you sure you wish to shutdown Media Browser Server?",
+ "ButtonUpdateNow": "Update Now",
+ "NewVersionOfSomethingAvailable": "A new version of {0} is available!",
+ "VersionXIsAvailableForDownload": "Version {0} is now available for download.",
+ "LabelVersionNumber": "Version {0}",
+ "LabelPlayMethodTranscoding": "Transcoding",
+ "LabelPlayMethodDirectStream": "Direct Streaming",
+ "LabelPlayMethodDirectPlay": "Direct Playing",
+ "LabelAudioCodec": "Audio: {0}",
+ "LabelVideoCodec": "Video: {0}",
+ "LabelRemoteAccessUrl": "Remote access: {0}",
+ "LabelRunningOnPort": "Running on port {0}.",
+ "HeaderLatestFromChannel": "Latest from {0}",
+ "ButtonDownload": "Download",
+ "LabelUnknownLanaguage": "Unknown language",
+ "HeaderCurrentSubtitles": "Current Subtitles",
+ "MessageDownloadQueued": "The download has been queued.",
+ "MessageAreYouSureDeleteSubtitles": "Are you sure you wish to delete this subtitle file?",
+ "ButtonRemoteControl": "Remote Control",
+ "HeaderLatestTvRecordings": "Latest Recordings",
+ "ButtonOk": "Ok",
+ "ButtonCancel": "Lopeta",
+ "ButtonRefresh": "Refresh",
+ "LabelCurrentPath": "Current path:",
+ "HeaderSelectMediaPath": "Select Media Path",
+ "ButtonNetwork": "Network",
+ "MessageDirectoryPickerInstruction": "Network paths can be entered manually in the event the Network button fails to locate your devices. For example, {0} or {1}.",
+ "HeaderMenu": "Menu",
+ "ButtonOpen": "Open",
+ "ButtonOpenInNewTab": "Open in new tab",
+ "ButtonShuffle": "Shuffle",
+ "ButtonInstantMix": "Instant mix",
+ "ButtonResume": "Resume",
+ "HeaderScenes": "Scenes",
+ "HeaderAudioTracks": "Audio Tracks",
+ "HeaderSubtitles": "Subtitles",
+ "HeaderVideoQuality": "Video Quality",
+ "MessageErrorPlayingVideo": "There was an error playing the video.",
+ "MessageEnsureOpenTuner": "Please ensure there is an open tuner availalble.",
+ "ButtonHome": "Home",
+ "ButtonDashboard": "Dashboard",
+ "ButtonReports": "Reports",
+ "ButtonMetadataManager": "Metadata Manager",
+ "HeaderTime": "Time",
+ "HeaderName": "Name",
+ "HeaderAlbum": "Album",
+ "HeaderAlbumArtist": "Album Artist",
+ "HeaderArtist": "Artist",
+ "LabelAddedOnDate": "Added {0}",
+ "ButtonStart": "Start",
+ "HeaderChannels": "Channels",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderBlockItemsWithNoRating": "Block items with no rating information:",
+ "OptionBlockOthers": "Others",
+ "OptionBlockTvShows": "TV Shows",
+ "OptionBlockTrailers": "Trailers",
+ "OptionBlockMusic": "Music",
+ "OptionBlockMovies": "Movies",
+ "OptionBlockBooks": "Books",
+ "OptionBlockGames": "Games",
+ "OptionBlockLiveTvPrograms": "Live TV Programs",
+ "OptionBlockLiveTvChannels": "Live TV Channels",
+ "OptionBlockChannelContent": "Internet Channel Content",
+ "ButtonRevoke": "Revoke",
+ "MessageConfirmRevokeApiKey": "Are you sure you wish to revoke this api key? The application's connection to Media Browser will be abruptly terminated.",
+ "HeaderConfirmRevokeApiKey": "Revoke Api Key",
+ "ValueContainer": "Container: {0}",
+ "ValueAudioCodec": "Audio Codec: {0}",
+ "ValueVideoCodec": "Video Codec: {0}",
+ "ValueCodec": "Codec: {0}",
+ "ValueConditions": "Conditions: {0}",
+ "LabelAll": "All",
+ "HeaderDeleteImage": "Delete Image",
+ "MessageFileNotFound": "File not found.",
+ "MessageFileReadError": "An error occurred reading this file.",
+ "ButtonNextPage": "Next Page",
+ "ButtonPreviousPage": "Previous Page",
+ "ButtonMoveLeft": "Move left",
+ "ButtonMoveRight": "Move right",
+ "ButtonBrowseOnlineImages": "Browse online images",
+ "HeaderDeleteItem": "Delete Item",
+ "ConfirmDeleteItem": "Are you sure you wish to delete this item from your library?",
+ "MessagePleaseEnterNameOrId": "Please enter a name or an external Id.",
+ "MessageValueNotCorrect": "The value entered is not correct. Please try again.",
+ "MessageItemSaved": "Item saved.",
+ "OptionEnded": "Ended",
+ "OptionContinuing": "Continuing",
+ "OptionOff": "Off",
+ "OptionOn": "On",
+ "HeaderFields": "Fields",
+ "HeaderFieldsHelp": "Slide a field to 'off' to lock it and prevent it's data from being changed.",
+ "HeaderLiveTV": "Live TV",
+ "MissingLocalTrailer": "Missing local trailer.",
+ "MissingPrimaryImage": "Missing primary image.",
+ "MissingBackdropImage": "Missing backdrop image.",
+ "MissingLogoImage": "Missing logo image.",
+ "MissingEpisode": "Missing episode.",
+ "OptionScreenshots": "Screenshots",
+ "OptionBackdrops": "Backdrops",
+ "OptionImages": "Images",
+ "OptionKeywords": "Keywords",
+ "OptionTags": "Tags",
+ "OptionStudios": "Studios",
+ "OptionName": "Name",
+ "OptionOverview": "Overview",
+ "OptionGenres": "Genres",
+ "OptionParentalRating": "Parental Rating",
+ "OptionPeople": "People",
+ "OptionRuntime": "Runtime",
+ "OptionProductionLocations": "Production Locations",
+ "OptionBirthLocation": "Birth Location",
+ "LabelAllChannels": "All channels",
+ "LabelLiveProgram": "LIVE",
+ "LabelNewProgram": "NEW",
+ "LabelPremiereProgram": "PREMIERE",
+ "LabelHDProgram": "HD",
+ "HeaderChangeFolderType": "Change Folder Type",
+ "HeaderChangeFolderTypeHelp": "To change the folder type, please remove and rebuild the collection with the new type.",
+ "HeaderAlert": "Alert",
+ "MessagePleaseRestart": "Please restart to finish updating.",
+ "ButtonRestart": "Restart",
+ "MessagePleaseRefreshPage": "Please refresh this page to receive new updates from the server.",
+ "ButtonHide": "Hide",
+ "MessageSettingsSaved": "Settings saved.",
+ "ButtonSignOut": "Sign Out",
+ "ButtonMyProfile": "My Profile",
+ "ButtonMyPreferences": "My Preferences",
+ "MessageBrowserDoesNotSupportWebSockets": "This browser does not support web sockets. For a better experience, try a newer browser such as Chrome, Firefox, IE10+, Safari (iOS) or Opera.",
+ "LabelInstallingPackage": "Installing {0}",
+ "LabelPackageInstallCompleted": "{0} installation completed.",
+ "LabelPackageInstallFailed": "{0} installation failed.",
+ "LabelPackageInstallCancelled": "{0} installation cancelled.",
+ "TabServer": "Server",
+ "TabUsers": "Users",
+ "TabLibrary": "Library",
+ "TabMetadata": "Metadata",
+ "TabDLNA": "DLNA",
+ "TabLiveTV": "Live TV",
+ "TabAutoOrganize": "Auto-Organize",
+ "TabPlugins": "Plugins",
+ "TabAdvanced": "Advanced",
+ "TabHelp": "Help",
+ "TabScheduledTasks": "Scheduled Tasks",
+ "ButtonFullscreen": "Fullscreen",
+ "ButtonAudioTracks": "Audio Tracks",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonScenes": "Scenes",
+ "ButtonQuality": "Quality",
+ "HeaderNotifications": "Notifications",
+ "HeaderSelectPlayer": "Select Player:",
+ "ButtonSelect": "Select",
+ "ButtonNew": "New",
+ "MessageInternetExplorerWebm": "For best results with Internet Explorer please install the WebM playback plugin.",
+ "HeaderVideoError": "Video Error",
+ "ButtonAddToPlaylist": "Add to playlist",
+ "HeaderAddToPlaylist": "Add to Playlist",
+ "LabelName": "Name:",
+ "ButtonSubmit": "Submit",
+ "LabelSelectPlaylist": "Playlist:",
+ "OptionNewPlaylist": "New playlist...",
+ "MessageAddedToPlaylistSuccess": "Ok",
+ "ButtonView": "View",
+ "ButtonViewSeriesRecording": "View series recording",
+ "ValueOriginalAirDate": "Original air date: {0}",
+ "ButtonRemoveFromPlaylist": "Remove from playlist",
+ "HeaderSpecials": "Specials",
+ "HeaderTrailers": "Trailers",
+ "HeaderAudio": "Audio",
+ "HeaderResolution": "Resolution",
+ "HeaderVideo": "Video",
+ "HeaderRuntime": "Runtime",
+ "HeaderCommunityRating": "Community rating",
+ "HeaderParentalRating": "Parental rating",
+ "HeaderReleaseDate": "Release date",
+ "HeaderDateAdded": "Date added",
+ "HeaderSeries": "Series",
+ "HeaderSeason": "Season",
+ "HeaderSeasonNumber": "Season number",
+ "HeaderNetwork": "Network",
+ "HeaderYear": "Year",
+ "HeaderGameSystem": "Game system",
+ "HeaderPlayers": "Players",
+ "HeaderEmbeddedImage": "Embedded image",
+ "HeaderTrack": "Track",
+ "HeaderDisc": "Disc",
+ "OptionMovies": "Movies",
+ "OptionCollections": "Collections",
+ "OptionSeries": "Series",
+ "OptionSeasons": "Seasons",
+ "OptionEpisodes": "Episodes",
+ "OptionGames": "Games",
+ "OptionGameSystems": "Game systems",
+ "OptionMusicArtists": "Music artists",
+ "OptionMusicAlbums": "Music albums",
+ "OptionMusicVideos": "Music videos",
+ "OptionSongs": "Songs",
+ "OptionHomeVideos": "Home videos",
+ "OptionBooks": "Books",
+ "OptionAdultVideos": "Adult videos",
+ "ButtonUp": "Up",
+ "ButtonDown": "Down",
+ "LabelMetadataReaders": "Metadata readers:",
+ "LabelMetadataReadersHelp": "Rank your preferred local metadata sources in order of priority. The first file found will be read.",
+ "LabelMetadataDownloaders": "Metadata downloaders:",
+ "LabelMetadataDownloadersHelp": "Enable and rank your preferred metadata downloaders in order of priority. Lower priority downloaders will only be used to fill in missing information.",
+ "LabelMetadataSavers": "Metadata savers:",
+ "LabelMetadataSaversHelp": "Choose the file formats to save your metadata to.",
+ "LabelImageFetchers": "Image fetchers:",
+ "LabelImageFetchersHelp": "Enable and rank your preferred image fetchers in order of priority.",
+ "ButtonQueueAllFromHere": "Queue all from here",
+ "ButtonPlayAllFromHere": "Play all from here",
+ "LabelDynamicExternalId": "{0} Id:",
+ "HeaderIdentify": "Identify Item",
+ "PersonTypePerson": "Person",
+ "LabelTitleDisplayOrder": "Title display order:",
+ "OptionSortName": "Sort name",
+ "OptionReleaseDate": "Release date",
+ "LabelSeasonNumber": "Season number:",
+ "LabelDiscNumber": "Disc number",
+ "LabelParentNumber": "Parent number",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelTrackNumber": "Track number:",
+ "LabelNumber": "Number:",
+ "LabelReleaseDate": "Release date:",
+ "LabelEndDate": "End date:",
+ "LabelYear": "Year:",
+ "LabelDateOfBirth": "Date of birth:",
+ "LabelBirthYear": "Birth year:",
+ "LabelDeathDate": "Death date:",
+ "HeaderRemoveMediaLocation": "Remove Media Location",
+ "MessageConfirmRemoveMediaLocation": "Are you sure you wish to remove this location?",
+ "HeaderRenameMediaFolder": "Rename Media Folder",
+ "LabelNewName": "New name:",
+ "HeaderAddMediaFolder": "Add Media Folder",
+ "HeaderAddMediaFolderHelp": "Name (Movies, Music, TV, etc):",
+ "HeaderRemoveMediaFolder": "Remove Media Folder",
+ "MessageTheFollowingLocationWillBeRemovedFromLibrary": "The following media locations will be removed from your library:",
+ "MessageAreYouSureYouWishToRemoveMediaFolder": "Are you sure you wish to remove this media folder?",
+ "ButtonRename": "Rename",
+ "ButtonChangeType": "Change type",
+ "HeaderMediaLocations": "Media Locations",
+ "LabelFolderTypeValue": "Folder type: {0}",
+ "LabelPathSubstitutionHelp": "Optional: Path substitution can map server paths to network shares that clients can access for direct playback.",
+ "FolderTypeMixed": "Mixed movies & tv",
+ "FolderTypeMovies": "Movies",
+ "FolderTypeMusic": "Music",
+ "FolderTypeAdultVideos": "Adult videos",
+ "FolderTypePhotos": "Photos",
+ "FolderTypeMusicVideos": "Music videos",
+ "FolderTypeHomeVideos": "Home videos",
+ "FolderTypeGames": "Games",
+ "FolderTypeBooks": "Books",
+ "FolderTypeTvShows": "TV shows",
+ "TabMovies": "Movies",
+ "TabSeries": "Series",
+ "TabEpisodes": "Episodes",
+ "TabTrailers": "Trailers",
+ "TabGames": "Games",
+ "TabAlbums": "Albums",
+ "TabSongs": "Songs",
+ "TabMusicVideos": "Music Videos",
+ "BirthPlaceValue": "Birth place: {0}",
+ "DeathDateValue": "Died: {0}",
+ "BirthDateValue": "Born: {0}",
+ "HeaderLatestReviews": "Latest Reviews",
+ "HeaderPluginInstallation": "Plugin Installation",
+ "MessageAlreadyInstalled": "This version is already installed.",
+ "ValueReviewCount": "{0} Reviews",
+ "MessageYouHaveVersionInstalled": "You currently have version {0} installed.",
+ "MessageTrialExpired": "The trial period for this feature has expired",
+ "MessageTrialWillExpireIn": "The trial period for this feature will expire in {0} day(s)",
+ "MessageInstallPluginFromApp": "This plugin must be installed from with in the app you intend to use it in.",
+ "ValuePriceUSD": "Price: {0} (USD)",
+ "MessageFeatureIncludedWithSupporter": "You are registered for this feature, and will be able to continue using it with an active supporter membership.",
+ "MessageChangeRecurringPlanConfirm": "After completing this transaction you will need to cancel your previous recurring donation from within your PayPal account. Thank you for supporting Media Browser.",
+ "MessageSupporterMembershipExpiredOn": "Your supporter membership expired on {0}.",
+ "MessageYouHaveALifetimeMembership": "You have a lifetime supporter membership. You can provide additional donations on a one-time or recurring basis using the options below. Thank you for supporting Media Browser.",
+ "MessageYouHaveAnActiveRecurringMembership": "You have an active {0} membership. You can upgrade your plan using the options below.",
+ "ButtonDelete": "Delete",
+ "HeaderMediaBrowserAccountAdded": "Media Browser Account Added",
+ "MessageMediaBrowserAccountAdded": "The Media Browser account has been added to this user.",
+ "MessagePendingMediaBrowserAccountAdded": "The Media Browser account has been added to this user. An email will be sent to the owner of the account. The invitation will need to be confirmed by clicking a link within the email.",
+ "HeaderMediaBrowserAccountRemoved": "Media Browser Account Removed",
+ "MessageMediaBrowserAccontRemoved": "The Media Browser account has been removed from this user.",
+ "TooltipLinkedToMediaBrowserConnect": "Linked to Media Browser Connect",
+ "HeaderUnrated": "Unrated",
+ "ValueDiscNumber": "Disc {0}",
+ "HeaderUnknownDate": "Unknown Date",
+ "HeaderUnknownYear": "Unknown Year",
+ "ValueMinutes": "{0} min",
+ "ButtonPlayExternalPlayer": "Play with external player",
+ "HeaderSelectExternalPlayer": "Select External Player",
+ "HeaderExternalPlayerPlayback": "External Player Playback",
+ "ButtonImDone": "I'm Done",
+ "OptionWatched": "Watched",
+ "OptionUnwatched": "Unwatched",
+ "ExternalPlayerPlaystateOptionsHelp": "Specify how you would like to resume playing this video next time.",
+ "LabelMarkAs": "Mark as:",
+ "OptionInProgress": "In-Progress",
+ "LabelResumePoint": "Resume point:",
+ "ValueOneMovie": "1 movie",
+ "ValueMovieCount": "{0} movies",
+ "ValueOneTrailer": "1 trailer",
+ "ValueTrailerCount": "{0} trailers",
+ "ValueOneSeries": "1 series",
+ "ValueSeriesCount": "{0} series",
+ "ValueOneEpisode": "1 episode",
+ "ValueEpisodeCount": "{0} episodes",
+ "ValueOneGame": "1 game",
+ "ValueGameCount": "{0} games",
+ "ValueOneAlbum": "1 album",
+ "ValueAlbumCount": "{0} albums",
+ "ValueOneSong": "1 song",
+ "ValueSongCount": "{0} songs",
+ "ValueOneMusicVideo": "1 music video",
+ "ValueMusicVideoCount": "{0} music videos",
+ "HeaderOffline": "Offline",
+ "HeaderUnaired": "Unaired",
+ "HeaderMissing": "Missing",
+ "ButtonWebsite": "Website",
+ "TooltipFavorite": "Favorite",
+ "TooltipLike": "Like",
+ "TooltipDislike": "Dislike",
+ "TooltipPlayed": "Played",
+ "ValueSeriesYearToPresent": "{0}-Present",
+ "ValueAwards": "Awards: {0}",
+ "ValueBudget": "Budget: {0}",
+ "ValueRevenue": "Revenue: {0}",
+ "ValuePremiered": "Premiered {0}",
+ "ValuePremieres": "Premieres {0}",
+ "ValueStudio": "Studio: {0}",
+ "ValueStudios": "Studios: {0}",
+ "ValueSpecialEpisodeName": "Special - {0}",
+ "LabelLimit": "Limit:",
+ "ValueLinks": "Links: {0}",
+ "HeaderPeople": "People",
+ "HeaderCastAndCrew": "Cast & Crew",
+ "ValueArtist": "Artist: {0}",
+ "ValueArtists": "Artists: {0}",
+ "HeaderTags": "Tags",
+ "MediaInfoCameraMake": "Camera make",
+ "MediaInfoCameraModel": "Camera model",
+ "MediaInfoAltitude": "Altitude",
+ "MediaInfoAperture": "Aperture",
+ "MediaInfoExposureTime": "Exposure time",
+ "MediaInfoFocalLength": "Focal length",
+ "MediaInfoOrientation": "Orientation",
+ "MediaInfoIsoSpeedRating": "Iso speed rating",
+ "MediaInfoLatitude": "Latitude",
+ "MediaInfoLongitude": "Longitude",
+ "MediaInfoShutterSpeed": "Shutter speed",
+ "MediaInfoSoftware": "Software",
+ "HeaderIfYouLikeCheckTheseOut": "If you like {0}, check these out...",
+ "HeaderPlotKeywords": "Plot Keywords",
+ "HeaderMovies": "Movies",
+ "HeaderAlbums": "Albums",
+ "HeaderGames": "Games",
+ "HeaderBooks": "Books",
+ "HeaderEpisodes": "Episodes",
+ "HeaderSeasons": "Seasons",
+ "HeaderTracks": "Tracks",
+ "HeaderItems": "Items",
+ "HeaderOtherItems": "Other Items",
+ "ButtonFullReview": "Full review",
+ "ValueAsRole": "as {0}",
+ "ValueGuestStar": "Guest star",
+ "MediaInfoSize": "Size",
+ "MediaInfoPath": "Path",
+ "MediaInfoFormat": "Format",
+ "MediaInfoContainer": "Container",
+ "MediaInfoDefault": "Default",
+ "MediaInfoForced": "Forced",
+ "MediaInfoExternal": "External",
+ "MediaInfoTimestamp": "Timestamp",
+ "MediaInfoPixelFormat": "Pixel format",
+ "MediaInfoBitDepth": "Bit depth",
+ "MediaInfoSampleRate": "Sample rate",
+ "MediaInfoBitrate": "Bitrate",
+ "MediaInfoChannels": "Channels",
+ "MediaInfoLayout": "Layout",
+ "MediaInfoLanguage": "Language",
+ "MediaInfoCodec": "Codec",
+ "MediaInfoProfile": "Profile",
+ "MediaInfoLevel": "Level",
+ "MediaInfoAspectRatio": "Aspect ratio",
+ "MediaInfoResolution": "Resolution",
+ "MediaInfoAnamorphic": "Anamorphic",
+ "MediaInfoInterlaced": "Interlaced",
+ "MediaInfoFramerate": "Framerate",
+ "MediaInfoStreamTypeAudio": "Audio",
+ "MediaInfoStreamTypeData": "Data",
+ "MediaInfoStreamTypeVideo": "Video",
+ "MediaInfoStreamTypeSubtitle": "Subtitle",
+ "MediaInfoStreamTypeEmbeddedImage": "Embedded Image",
+ "MediaInfoRefFrames": "Ref frames",
+ "TabPlayback": "Playback",
+ "HeaderSelectCustomIntrosPath": "Select Custom Intros Path",
+ "HeaderRateAndReview": "Rate and Review",
+ "HeaderThankYou": "Thank You",
+ "MessageThankYouForYourReview": "Thank you for your review.",
+ "LabelYourRating": "Your rating:",
+ "LabelFullReview": "Full review:",
+ "LabelShortRatingDescription": "Short rating summary:",
+ "OptionIRecommendThisItem": "I recommend this item",
+ "WebClientTourContent": "View your recently added media, next episodes, and more. The green circles indicate how many unplayed items you have.",
+ "WebClientTourMovies": "Play movies, trailers and more from any device with a web browser",
+ "WebClientTourMouseOver": "Hold the mouse over any poster for quick access to important information",
+ "WebClientTourTapHold": "Tap and hold or right click any poster for a context menu",
+ "WebClientTourMetadataManager": "Click edit to open the metadata manager",
+ "WebClientTourPlaylists": "Easily create playlists and instant mixes, and play them on any device",
+ "WebClientTourCollections": "Create movie collections to group box sets together",
+ "WebClientTourUserPreferences1": "User preferences allow you to customize the way your library is presented in all of your Media Browser apps",
+ "WebClientTourUserPreferences2": "Configure your audio and subtitle language settings once, for every Media Browser app",
+ "WebClientTourUserPreferences3": "Design the web client home page to your liking",
+ "WebClientTourUserPreferences4": "Configure backdrops, theme songs and external players",
+ "WebClientTourMobile1": "The web client works great on smartphones and tablets...",
+ "WebClientTourMobile2": "and easily controls other devices and Media Browser apps",
+ "MessageEnjoyYourStay": "Enjoy your stay",
+ "DashboardTourDashboard": "The server dashboard allows you to monitor your server and your users. You'll always know who is doing what and where they are.",
+ "DashboardTourUsers": "Easily create user accounts for your friends and family, each with their own permissions, library access, parental controls and more.",
+ "DashboardTourCinemaMode": "Cinema mode brings the theater experience straight to your living room with the ability to play trailers and custom intros before the main feature.",
+ "DashboardTourChapters": "Enable chapter image generation for your videos for a more pleasing presentation while viewing.",
+ "DashboardTourSubtitles": "Automatically download subtitles for your videos in any language.",
+ "DashboardTourPlugins": "Install plugins such as internet video channels, live tv, metadata scanners, and more.",
+ "DashboardTourNotifications": "Automatically send notifications of server events to your mobile device, email and more.",
+ "DashboardTourScheduledTasks": "Easily manage long running operations with scheduled tasks. Decide when they run, and how often.",
+ "DashboardTourMobile": "The Media Browser dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.",
+ "MessageRefreshQueued": "Refresh queued",
+ "TabDevices": "Devices",
+ "DeviceLastUsedByUserName": "Last used by {0}",
+ "HeaderDeleteDevice": "Delete Device",
+ "DeleteDeviceConfirmation": "Are you sure you wish to delete this device? It will reappear the next time a user signs in with it.",
+ "LabelEnableCameraUploadFor": "Enable camera upload for:",
+ "HeaderSelectUploadPath": "Select Upload Path",
+ "LabelEnableCameraUploadForHelp": "Uploads will occur automatically in the background when signed into Media Browser.",
+ "ErrorMessageStartHourGreaterThanEnd": "End time must be greater than the start time.",
+ "ButtonLibraryAccess": "Library access",
+ "ButtonParentalControl": "Parental control",
+ "HeaderInvitationSent": "Invitation Sent",
+ "MessageInvitationSentToUser": "An email has been sent to {0}, inviting them to accept your sharing invitation.",
+ "MessageInvitationSentToNewUser": "An email has been sent to {0} inviting them to sign up with Media Browser.",
+ "HeaderConnectionFailure": "Connection Failure",
+ "MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
+ "ButtonSelectServer": "Select server",
+ "MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
+}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/fr.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/fr.json
index 5dda177b73..ca4d6cd40d 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/fr.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/fr.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "Nous sommes incapable de se connecter \u00e0 la s\u00e9lection pour le moment. S.V.P. r\u00e9essayer plus tard.",
"ButtonSelectServer": "S\u00e9lectionner le serveur",
"MessagePluginConfigurationRequiresLocalAccess": "Pour configurer ce plugin, S.v.p. connecter vous \u00e0 votre serveur local directement.",
- "MessageLoggedOutParentalControl": "L'acc\u00e8s est actuellement limit\u00e9. S.v.p. r\u00e9essayez plus tard"
+ "MessageLoggedOutParentalControl": "L'acc\u00e8s est actuellement limit\u00e9. S.v.p. r\u00e9essayez plus tard",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/he.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/he.json
index f6e6a9726a..b4df9f3815 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/he.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/he.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/hr.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/hr.json
index f7d6e38556..93e7627601 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/hr.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/hr.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/it.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/it.json
index c1c1c9df77..2aa6196a8e 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/it.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/it.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Selezionare il server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json
index 9a7d24a704..5920ab6f02 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/javascript.json
@@ -621,5 +621,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json
index 3de5c99be6..5134974391 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/kk.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "\u0414\u04d9\u043b \u049b\u0430\u0437\u0456\u0440 \u0442\u0430\u04a3\u0434\u0430\u043b\u0493\u0430\u043d\u0493\u0430 \u049b\u043e\u0441\u044b\u043b\u0443\u044b\u043c\u044b\u0437 \u043c\u04af\u043c\u043a\u0456\u043d \u0435\u043c\u0435\u0441. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.",
"ButtonSelectServer": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443",
"MessagePluginConfigurationRequiresLocalAccess": "\u041e\u0441\u044b \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0456 \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u0436\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u04a3\u0456\u0437\u0433\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043a\u0456\u0440\u0456\u04a3\u0456\u0437.",
- "MessageLoggedOutParentalControl": "\u0410\u0493\u044b\u043c\u0434\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u0448\u0435\u043a\u0442\u0435\u043b\u0433\u0435\u043d. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437."
+ "MessageLoggedOutParentalControl": "\u0410\u0493\u044b\u043c\u0434\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u0448\u0435\u043a\u0442\u0435\u043b\u0433\u0435\u043d. \u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0456 \u043a\u0435\u0439\u0456\u043d \u049b\u0430\u0439\u0442\u0430\u043b\u0430\u04a3\u044b\u0437.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/ms.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/ms.json
index 482bb07741..110a46528e 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ms.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ms.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/nb.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/nb.json
index c163f17af3..8e62bdbe76 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/nb.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/nb.json
@@ -595,8 +595,8 @@
"DashboardTourNotifications": "Automatically send notifications of server events to your mobile device, email and more.",
"DashboardTourScheduledTasks": "Easily manage long running operations with scheduled tasks. Decide when they run, and how often.",
"DashboardTourMobile": "The Media Browser dashboard works great on smartphones and tablets. Manage your server from the palm of your hand anytime, anywhere.",
- "MessageRefreshQueued": "Refresh queued",
- "TabDevices": "Devices",
+ "MessageRefreshQueued": "Oppfrisk k\u00f8en",
+ "TabDevices": "Enheter",
"DeviceLastUsedByUserName": "Last used by {0}",
"HeaderDeleteDevice": "Delete Device",
"DeleteDeviceConfirmation": "Are you sure you wish to delete this device? It will reappear the next time a user signs in with it.",
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/nl.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/nl.json
index 502aba3e44..f6c36615b1 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/nl.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/nl.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "Er kan momenteel niet met de geselecteerde verbonden worden, probeer het svp. later nog eens.",
"ButtonSelectServer": "Selecteer server",
"MessagePluginConfigurationRequiresLocalAccess": "Meld svp. op de lokale server aan om deze plugin te configureren.",
- "MessageLoggedOutParentalControl": "Toegang is momenteel bepertk, probeer later opnieuw."
+ "MessageLoggedOutParentalControl": "Toegang is momenteel bepertk, probeer later opnieuw.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/pl.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/pl.json
index 1b49466548..3a6d16d357 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/pl.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/pl.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_BR.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_BR.json
index 06aded7e21..9fa9e1da05 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_BR.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_BR.json
@@ -2,11 +2,11 @@
"SettingsSaved": "Ajustes salvos.",
"AddUser": "Adicionar Usu\u00e1rio",
"Users": "Usu\u00e1rios",
- "Delete": "Apagar",
+ "Delete": "Excluir",
"Administrator": "Administrador",
"Password": "Senha",
- "DeleteImage": "Apagar Imagem",
- "DeleteImageConfirmation": "Deseja realmente apagar esta imagem?",
+ "DeleteImage": "Excluir Imagem",
+ "DeleteImageConfirmation": "Deseja realmente excluir esta imagem?",
"FileReadCancelled": "A leitura do arquivo foi cancelada.",
"FileNotFound": "Arquivo n\u00e3o encontrado.",
"FileReadError": "Ocorreu um erro ao ler o arquivo.",
@@ -240,7 +240,7 @@
"ValueCodec": "Codec: {0}",
"ValueConditions": "Condi\u00e7\u00f5es: {0}",
"LabelAll": "Todos",
- "HeaderDeleteImage": "Apagar Imagem",
+ "HeaderDeleteImage": "Excluir Imagem",
"MessageFileNotFound": "Arquivo n\u00e3o encontrado.",
"MessageFileReadError": "Ocorreu um erro ao ler este arquivo.",
"ButtonNextPage": "Pr\u00f3xima P\u00e1gina",
@@ -248,8 +248,8 @@
"ButtonMoveLeft": "Mover \u00e0 esquerda",
"ButtonMoveRight": "Mover \u00e0 direita",
"ButtonBrowseOnlineImages": "Procurar imagens online",
- "HeaderDeleteItem": "Apagar item",
- "ConfirmDeleteItem": "Deseja realmente apagar este item de sua biblioteca?",
+ "HeaderDeleteItem": "Excluir item",
+ "ConfirmDeleteItem": "Deseja realmente excluir este item de sua biblioteca?",
"MessagePleaseEnterNameOrId": "Por favor, digite um nome ou Id externo.",
"MessageValueNotCorrect": "O valor digitado n\u00e3o est\u00e1 correto. Por favor, tente novamente.",
"MessageItemSaved": "Item salvo.",
@@ -261,7 +261,7 @@
"HeaderFieldsHelp": "Deslize um campo para 'off' para bloquear e evitar que seus dados sejam alterados.",
"HeaderLiveTV": "TV ao Vivo",
"MissingLocalTrailer": "Faltando trailer local.",
- "MissingPrimaryImage": "Faltando imagem prim\u00e1ria.",
+ "MissingPrimaryImage": "Faltando imagem da capa.",
"MissingBackdropImage": "Faltando imagem de fundo.",
"MissingLogoImage": "Faltando imagem do logo.",
"MissingEpisode": "Faltando epis\u00f3dio.",
@@ -446,7 +446,7 @@
"MessageSupporterMembershipExpiredOn": "Sua ades\u00e3o de colaborador expirou em {0}.",
"MessageYouHaveALifetimeMembership": "Voc\u00ea tem uma ades\u00e3o de colaborador vital\u00edcia. Voc\u00ea pode fazer doa\u00e7\u00f5es adicionais em uma \u00fanica vez ou recorrentes usando as op\u00e7\u00f5es abaixo. Obrigado por colaborar com o Media Browser.",
"MessageYouHaveAnActiveRecurringMembership": "Voc\u00ea tem uma ades\u00e3o {0} ativa. Voc\u00ea pode atualizar seu plano usando as op\u00e7\u00f5es abaixo.",
- "ButtonDelete": "Apagar",
+ "ButtonDelete": "Excluir",
"HeaderMediaBrowserAccountAdded": "Conta do Media Browser Adicionada",
"MessageMediaBrowserAccountAdded": "A conta do Media Browser foi adicionada para este usu\u00e1rio.",
"MessagePendingMediaBrowserAccountAdded": "A conta do Media Browser foi adicionada para este usu\u00e1rio. Um email ser\u00e1 enviado para o dono da conta. O convite precisa ser confirmado, clicando no link dentro do email.",
@@ -489,8 +489,8 @@
"HeaderMissing": "Ausente",
"ButtonWebsite": "Website",
"TooltipFavorite": "Favorito",
- "TooltipLike": "Curtir",
- "TooltipDislike": "N\u00e3o curtir",
+ "TooltipLike": "Curti",
+ "TooltipDislike": "N\u00e3o curti",
"TooltipPlayed": "Reproduzido",
"ValueSeriesYearToPresent": "{0}-Presente",
"ValueAwards": "Pr\u00eamios: {0}",
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "N\u00e3o foi poss\u00edvel conectar ao selecionado. Por favor, tente mais tarde.",
"ButtonSelectServer": "Selecionar servidor",
"MessagePluginConfigurationRequiresLocalAccess": "Para configurar este plugin, por favor entre em seu servidor local diretamente.",
- "MessageLoggedOutParentalControl": "O acesso est\u00e1 atualmente restrito. Por favor, tente mais tarde."
+ "MessageLoggedOutParentalControl": "O acesso est\u00e1 atualmente restrito. Por favor, tente mais tarde.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_PT.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_PT.json
index b45c88f3a1..cab3b866ac 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_PT.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/pt_PT.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/ru.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/ru.json
index 00039753d3..2b7096ac80 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/ru.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/ru.json
@@ -5,7 +5,7 @@
"Delete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c",
"Administrator": "\u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440",
"Password": "\u041f\u0430\u0440\u043e\u043b\u044c",
- "DeleteImage": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0440\u0438\u0441\u0443\u043d\u043e\u043a",
+ "DeleteImage": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c \u0438\u0437\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435",
"DeleteImageConfirmation": "\u0412\u044b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u043e \u0445\u043e\u0442\u0438\u0442\u0435 \u0443\u0434\u0430\u043b\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0440\u0438\u0441\u0443\u043d\u043e\u043a?",
"FileReadCancelled": "\u0427\u0442\u0435\u043d\u0438\u0435 \u0444\u0430\u0439\u043b\u0430 \u0431\u044b\u043b\u043e \u043e\u0442\u043c\u0435\u043d\u0435\u043d\u043e.",
"FileNotFound": "\u0424\u0430\u0439\u043b \u043d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d.",
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "\u041c\u044b \u043d\u0435 \u043c\u043e\u0436\u0435\u043c \u0432 \u0434\u0430\u043d\u043d\u044b\u0439 \u043c\u043e\u043c\u0435\u043d\u0442 \u043f\u043e\u0434\u0441\u043e\u0435\u0434\u0438\u043d\u0438\u0442\u044c\u0441\u044f \u043a \u0432\u044b\u0431\u0440\u0430\u043d\u043d\u043e\u043c\u0443. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.",
"ButtonSelectServer": "\u0412\u044b\u0431\u0440\u0430\u0442\u044c \u0441\u0435\u0440\u0432\u0435\u0440",
"MessagePluginConfigurationRequiresLocalAccess": "\u0427\u0442\u043e\u0431\u044b \u0441\u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u043f\u043b\u0430\u0433\u0438\u043d, \u0432\u043e\u0439\u0434\u0438\u0442\u0435 \u0432 \u0441\u0432\u043e\u0439 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e.",
- "MessageLoggedOutParentalControl": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u0434\u043e\u0441\u0442\u0443\u043f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435."
+ "MessageLoggedOutParentalControl": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u0434\u043e\u0441\u0442\u0443\u043f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d. \u041f\u043e\u0432\u0442\u043e\u0440\u0438\u0442\u0435 \u043f\u043e\u043f\u044b\u0442\u043a\u0443 \u043f\u043e\u0437\u0436\u0435.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/sv.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/sv.json
index 4c225eb254..bbee508311 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/sv.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/sv.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/tr.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/tr.json
index ba92d63c66..2e4815477f 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/tr.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/tr.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/vi.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/vi.json
index 8c624de58c..0e16155bf6 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/vi.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/vi.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_CN.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_CN.json
index 26479273a6..e77668c80b 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_CN.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_CN.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_TW.json b/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_TW.json
index d9e300788c..8aae7a9bcb 100644
--- a/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_TW.json
+++ b/MediaBrowser.Server.Implementations/Localization/JavaScript/zh_TW.json
@@ -613,5 +613,8 @@
"MessageUnableToConnectToServer": "We're unable to connect to the selected right now. Please try again later.",
"ButtonSelectServer": "Select server",
"MessagePluginConfigurationRequiresLocalAccess": "To configure this plugin please sign in to your local server directly.",
- "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later."
+ "MessageLoggedOutParentalControl": "Access is currently restricted. Please try again later.",
+ "DefaultErrorMessage": "There was an error processing the request. Please try again later.",
+ "ButtonAccept": "Accept",
+ "ButtonReject": "Reject"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/LocalizationManager.cs b/MediaBrowser.Server.Implementations/Localization/LocalizationManager.cs
index 68e518fb7c..66c6c3632f 100644
--- a/MediaBrowser.Server.Implementations/Localization/LocalizationManager.cs
+++ b/MediaBrowser.Server.Implementations/Localization/LocalizationManager.cs
@@ -368,6 +368,7 @@ namespace MediaBrowser.Server.Implementations.Localization
new LocalizatonOption{ Name="Czech", Value="cs"},
new LocalizatonOption{ Name="Danish", Value="da"},
new LocalizatonOption{ Name="Dutch", Value="nl"},
+ new LocalizatonOption{ Name="Finnish", Value="fi"},
new LocalizatonOption{ Name="French", Value="fr"},
new LocalizatonOption{ Name="German", Value="de"},
new LocalizatonOption{ Name="Greek", Value="el"},
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ar.json b/MediaBrowser.Server.Implementations/Localization/Server/ar.json
index 47d2daf09f..be1711340a 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/ar.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/ar.json
@@ -1,594 +1,4 @@
{
- "OptionRelease": "\u0627\u0644\u0627\u0635\u062f\u0627\u0631 \u0627\u0644\u0631\u0633\u0645\u0649",
- "OptionBeta": "\u0628\u064a\u062a\u0627",
- "OptionDev": "\u062a\u0637\u0648\u0631\u0649 (\u063a\u064a\u0631 \u0645\u0633\u062a\u0642\u0631)",
- "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates",
- "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.",
- "LabelEnableDebugLogging": "Enable debug logging",
- "LabelRunServerAtStartup": "Run server at startup",
- "LabelRunServerAtStartupHelp": "This will start the tray icon on windows startup. To start the windows service, uncheck this and run the service from the windows control panel. Please note that you cannot run both at the same time, so you will need to exit the tray icon before starting the service.",
- "ButtonSelectDirectory": "Select Directory",
- "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.",
- "LabelCachePath": "Cache path:",
- "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.",
- "LabelImagesByNamePath": "Images by name path:",
- "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
- "LabelMetadataPath": "Metadata path:",
- "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
- "LabelTranscodingTempPath": "Transcoding temporary path:",
- "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
- "TabBasics": "Basics",
- "TabTV": "TV",
- "TabGames": "Games",
- "TabMusic": "Music",
- "TabOthers": "Others",
- "HeaderExtractChapterImagesFor": "Extract chapter images for:",
- "OptionMovies": "Movies",
- "OptionEpisodes": "Episodes",
- "OptionOtherVideos": "Other Videos",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
- "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
- "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferred download language:",
- "ButtonAutoScroll": "Auto-scroll",
- "LabelImageSavingConvention": "Image saving convention:",
- "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "Sign In",
- "TitleSignIn": "Sign In",
- "HeaderPleaseSignIn": "Please sign in",
- "LabelUser": "User:",
- "LabelPassword": "Password:",
- "ButtonManualLogin": "Manual Login",
- "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
- "TabGuide": "Guide",
- "TabChannels": "Channels",
- "TabCollections": "Collections",
- "HeaderChannels": "Channels",
- "TabRecordings": "Recordings",
- "TabScheduled": "Scheduled",
- "TabSeries": "Series",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record program on all channels",
- "OptionRecordAnytime": "Record program at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
"ViewTypeChannels": "Channels",
"ViewTypeLiveTV": "Live TV",
"ViewTypeLiveTvNowPlaying": "Now Airing",
@@ -630,7 +40,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -1000,6 +410,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "\u062e\u0631\u0648\u062c",
"LabelVisitCommunity": "\u0632\u064a\u0627\u0631\u0629 \u0627\u0644\u0645\u062c\u062a\u0645\u0639",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +663,595 @@
"TabServer": "Server",
"TabTranscoding": "Transcoding",
"TitleAdvanced": "Advanced",
- "LabelAutomaticUpdateLevel": "Automatic update level"
+ "LabelAutomaticUpdateLevel": "Automatic update level",
+ "OptionRelease": "\u0627\u0644\u0627\u0635\u062f\u0627\u0631 \u0627\u0644\u0631\u0633\u0645\u0649",
+ "OptionBeta": "\u0628\u064a\u062a\u0627",
+ "OptionDev": "\u062a\u0637\u0648\u0631\u0649 (\u063a\u064a\u0631 \u0645\u0633\u062a\u0642\u0631)",
+ "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates",
+ "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.",
+ "LabelEnableDebugLogging": "Enable debug logging",
+ "LabelRunServerAtStartup": "Run server at startup",
+ "LabelRunServerAtStartupHelp": "This will start the tray icon on windows startup. To start the windows service, uncheck this and run the service from the windows control panel. Please note that you cannot run both at the same time, so you will need to exit the tray icon before starting the service.",
+ "ButtonSelectDirectory": "Select Directory",
+ "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.",
+ "LabelCachePath": "Cache path:",
+ "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.",
+ "LabelImagesByNamePath": "Images by name path:",
+ "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
+ "LabelMetadataPath": "Metadata path:",
+ "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
+ "LabelTranscodingTempPath": "Transcoding temporary path:",
+ "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
+ "TabBasics": "Basics",
+ "TabTV": "TV",
+ "TabGames": "Games",
+ "TabMusic": "Music",
+ "TabOthers": "Others",
+ "HeaderExtractChapterImagesFor": "Extract chapter images for:",
+ "OptionMovies": "Movies",
+ "OptionEpisodes": "Episodes",
+ "OptionOtherVideos": "Other Videos",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Image saving convention:",
+ "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Sign In",
+ "TitleSignIn": "Sign In",
+ "HeaderPleaseSignIn": "Please sign in",
+ "LabelUser": "User:",
+ "LabelPassword": "Password:",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Channels",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Channels",
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ca.json b/MediaBrowser.Server.Implementations/Localization/Server/ca.json
index eb5195f09b..fc1d2f11bd 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/ca.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/ca.json
@@ -1,596 +1,4 @@
{
- "LabelRunServerAtStartup": "Run server at startup",
- "LabelRunServerAtStartupHelp": "This will start the tray icon on windows startup. To start the windows service, uncheck this and run the service from the windows control panel. Please note that you cannot run both at the same time, so you will need to exit the tray icon before starting the service.",
- "ButtonSelectDirectory": "Select Directory",
- "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.",
- "LabelCachePath": "Cache path:",
- "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.",
- "LabelImagesByNamePath": "Images by name path:",
- "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
- "LabelMetadataPath": "Metadata path:",
- "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
- "LabelTranscodingTempPath": "Transcoding temporary path:",
- "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
- "TabBasics": "Basics",
- "TabTV": "TV",
- "TabGames": "Games",
- "TabMusic": "Music",
- "TabOthers": "Others",
- "HeaderExtractChapterImagesFor": "Extract chapter images for:",
- "OptionMovies": "Movies",
- "OptionEpisodes": "Episodes",
- "OptionOtherVideos": "Other Videos",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
- "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
- "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferred download language:",
- "ButtonAutoScroll": "Auto-scroll",
- "LabelImageSavingConvention": "Image saving convention:",
- "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "Sign In",
- "TitleSignIn": "Sign In",
- "HeaderPleaseSignIn": "Please sign in",
- "LabelUser": "User:",
- "LabelPassword": "Password:",
- "ButtonManualLogin": "Manual Login",
- "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
- "TabGuide": "Guide",
- "TabChannels": "Channels",
- "TabCollections": "Collections",
- "HeaderChannels": "Channels",
- "TabRecordings": "Recordings",
- "TabScheduled": "Scheduled",
- "TabSeries": "Series",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record program on all channels",
- "OptionRecordAnytime": "Record program at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
"ViewTypeTvResume": "Resume",
"ViewTypeTvNextUp": "Next Up",
"ViewTypeTvLatest": "Latest",
@@ -624,7 +32,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -994,6 +402,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Sortir",
"LabelVisitCommunity": "Visitar la comunitat",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +661,597 @@
"OptionDev": "Dev (Inestable)",
"LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates",
"LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.",
- "LabelEnableDebugLogging": "Enable debug logging"
+ "LabelEnableDebugLogging": "Enable debug logging",
+ "LabelRunServerAtStartup": "Run server at startup",
+ "LabelRunServerAtStartupHelp": "This will start the tray icon on windows startup. To start the windows service, uncheck this and run the service from the windows control panel. Please note that you cannot run both at the same time, so you will need to exit the tray icon before starting the service.",
+ "ButtonSelectDirectory": "Select Directory",
+ "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.",
+ "LabelCachePath": "Cache path:",
+ "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.",
+ "LabelImagesByNamePath": "Images by name path:",
+ "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
+ "LabelMetadataPath": "Metadata path:",
+ "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
+ "LabelTranscodingTempPath": "Transcoding temporary path:",
+ "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
+ "TabBasics": "Basics",
+ "TabTV": "TV",
+ "TabGames": "Games",
+ "TabMusic": "Music",
+ "TabOthers": "Others",
+ "HeaderExtractChapterImagesFor": "Extract chapter images for:",
+ "OptionMovies": "Movies",
+ "OptionEpisodes": "Episodes",
+ "OptionOtherVideos": "Other Videos",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Image saving convention:",
+ "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Sign In",
+ "TitleSignIn": "Sign In",
+ "HeaderPleaseSignIn": "Please sign in",
+ "LabelUser": "User:",
+ "LabelPassword": "Password:",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Channels",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Channels",
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/cs.json b/MediaBrowser.Server.Implementations/Localization/Server/cs.json
index 3c447fbb87..d7f8b7d557 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/cs.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/cs.json
@@ -1,591 +1,4 @@
{
- "TabTV": "Tv",
- "TabGames": "Hry",
- "TabMusic": "Hudba",
- "TabOthers": "Ostatn\u00ed",
- "HeaderExtractChapterImagesFor": "Extrahovat obr\u00e1zky kapitol pro:",
- "OptionMovies": "Filmy",
- "OptionEpisodes": "Episody",
- "OptionOtherVideos": "Ostatn\u00ed videa",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "Povolit automatick\u00e9 aktualizace z FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Povolit automatick\u00e9 aktualizace z TheMovieDB.org",
- "LabelAutomaticUpdatesTvdb": "Povolit automatick\u00e9 aktualizace z TheTVDB.org",
- "LabelAutomaticUpdatesFanartHelp": "Pokud je povoleno, budou nov\u00e9 sn\u00edmky budou sta\u017eeny automaticky tak, jak jsou p\u0159id\u00e1ny na fanart.tv. St\u00e1vaj\u00edc\u00ed sn\u00edmky nebudou nahrazeny.",
- "LabelAutomaticUpdatesTmdbHelp": "Pokud je povoleno, budou nov\u00e9 sn\u00edmky budou sta\u017eeny automaticky tak, jak jsou p\u0159id\u00e1ny na TheMovieDB.org. St\u00e1vaj\u00edc\u00ed sn\u00edmky nebudou nahrazeny.",
- "LabelAutomaticUpdatesTvdbHelp": "Pokud je povoleno, budou nov\u00e9 sn\u00edmky budou sta\u017eeny automaticky tak, jak jsou p\u0159id\u00e1ny na TheTVDB.org. St\u00e1vaj\u00edc\u00ed sn\u00edmky nebudou nahrazeny.",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferovan\u00fd jazyk:",
- "ButtonAutoScroll": "Automatick\u00e9 posouv\u00e1n\u00ed",
- "LabelImageSavingConvention": "Konvence ukl\u00e1d\u00e1n\u00ed obr\u00e1zk\u016f:",
- "LabelImageSavingConventionHelp": "Media Browser rozpozn\u00e1 obr\u00e1zky z v\u011bt\u0161iny velk\u00fdch medi\u00e1ln\u00edch aplikac\u00ed. Nastavte v p\u0159\u00edpad\u011b, \u017ee vyu\u017e\u00edv\u00e1te jin produkt.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standardn\u00ed - MB2",
- "ButtonSignIn": "P\u0159ihl\u00e1sit se",
- "TitleSignIn": "P\u0159ihl\u00e1sit se",
- "HeaderPleaseSignIn": "Pros\u00edme, p\u0159ihlaste se",
- "LabelUser": "U\u017eivatel:",
- "LabelPassword": "Heslo:",
- "ButtonManualLogin": "Manu\u00e1ln\u00ed p\u0159ihl\u00e1\u0161en\u00ed",
- "PasswordLocalhostMessage": "Heslo nen\u00ed nutn\u00e9, pokud se p\u0159ihla\u0161ujete z m\u00edstn\u00edho PC-",
- "TabGuide": "Pr\u016fvodce",
- "TabChannels": "Kan\u00e1ly",
- "TabCollections": "Kolekce",
- "HeaderChannels": "Kan\u00e1ly",
- "TabRecordings": "Nahran\u00e9",
- "TabScheduled": "Napl\u00e1nov\u00e1no",
- "TabSeries": "S\u00e9rie",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Zru\u0161it nahr\u00e1v\u00e1n\u00ed",
- "HeaderPrePostPadding": "P\u0159ed\/po nahr\u00e1v\u00e1n\u00ed",
- "LabelPrePaddingMinutes": "Minuty nahr\u00e1van\u00e9 p\u0159ed za\u010d\u00e1tkem nahr\u00e1v\u00e1n\u00ed",
- "OptionPrePaddingRequired": "Minuty nahr\u00e1van\u00e9 p\u0159ed za\u010d\u00e1tkem nahr\u00e1v\u00e1n\u00ed jsou nutn\u00e9 pro nahr\u00e1v\u00e1n\u00ed.",
- "LabelPostPaddingMinutes": "Minuty nahr\u00e1van\u00e9 po skon\u010den\u00ed nahr\u00e1v\u00e1n\u00ed.",
- "OptionPostPaddingRequired": "Minuty nahr\u00e1van\u00e9 po skon\u010den\u00ed nahr\u00e1v\u00e1n\u00ed jsou nutn\u00e9 pro nahr\u00e1v\u00e1n\u00ed.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Bude v TV",
- "TabStatus": "Stav",
- "TabSettings": "Nastaven\u00ed",
- "ButtonRefreshGuideData": "Obnovit data pr\u016fvodce",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priorita",
- "OptionRecordOnAllChannels": "Nahr\u00e1vat program na v\u0161ech kan\u00e1lech",
- "OptionRecordAnytime": "Nahr\u00e1vat program v jak\u00fdkoliv \u010das",
- "OptionRecordOnlyNewEpisodes": "Nahr\u00e1vat pouze nov\u00e9 epizody",
- "HeaderDays": "Dny",
- "HeaderActiveRecordings": "Aktivn\u00ed nahr\u00e1v\u00e1n\u00ed",
- "HeaderLatestRecordings": "Posledn\u00ed nahr\u00e1v\u00e1n\u00ed",
- "HeaderAllRecordings": "V\u0161echna nahr\u00e1v\u00e1n\u00ed",
- "ButtonPlay": "P\u0159ehr\u00e1t",
- "ButtonEdit": "Upravit",
- "ButtonRecord": "Nahr\u00e1vat",
- "ButtonDelete": "Odstranit",
- "ButtonRemove": "Odstranit",
- "OptionRecordSeries": "Nahr\u00e1t s\u00e9rie",
- "HeaderDetails": "Detaily",
- "TitleLiveTV": "\u017div\u00e1 TV",
- "LabelNumberOfGuideDays": "Po\u010det dn\u016f pro sta\u017een\u00ed dat pr\u016fvodce:",
- "LabelNumberOfGuideDaysHelp": "Sta\u017een\u00edm v\u00edce dn\u016f dat pr\u016fvodce umo\u017en\u00ed v pl\u00e1nech nastavit budouc\u00ed nahr\u00e1v\u00e1n\u00ed v\u00edce do budoucna. M\u016f\u017ee v\u0161ak d\u00e9le trvat sta\u017een\u00ed t\u011bchto dat. Auto vybere mo\u017enost podle po\u010dtu kan\u00e1l\u016f.",
- "LabelActiveService": "Aktivn\u00ed slu\u017eby:",
- "LabelActiveServiceHelp": "M\u016f\u017ee b\u00fdt nainstalov\u00e1no v\u00edce plugin\u016f pro TV, ale jen jeden m\u016f\u017ee b\u00fdt aktivn\u00ed.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "P\u0159ed pokra\u010dov\u00e1n\u00edm je vy\u017eadov\u00e1n plugin TV poskytovatele.",
- "LiveTvPluginRequiredHelp": "Pros\u00edm nainstalujte jeden z dostupn\u00fdch plugin\u016f, jako Next PVR nebo ServerWmc",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Miniatura",
- "OptionDownloadMenuImage": "Nab\u00eddka",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disk",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Zadek",
- "OptionDownloadArtImage": "Obal",
- "OptionDownloadPrimaryImage": "Prim\u00e1rn\u00ed",
- "HeaderFetchImages": "Na\u010d\u00edst obr\u00e1zky:",
- "HeaderImageSettings": "Nastaven\u00ed obr\u00e1zk\u016f",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maxim\u00e1ln\u00ed po\u010det obr\u00e1zk\u016f na pozad\u00ed pro polo\u017eku:",
- "LabelMaxScreenshotsPerItem": "Maxim\u00e1ln\u00ed po\u010det screenshot\u016f:",
- "LabelMinBackdropDownloadWidth": "Maxim\u00e1ln\u00ed \u0161\u00ed\u0159ka pozad\u00ed:",
- "LabelMinScreenshotDownloadWidth": "Minim\u00e1ln\u00ed \u0161\u00ed\u0159ka screenshotu obrazovky:",
- "ButtonAddScheduledTaskTrigger": "P\u0159idat polo\u017eku \u00fakolu",
- "HeaderAddScheduledTaskTrigger": "P\u0159idat polo\u017eku \u00fakolu",
- "ButtonAdd": "P\u0159idat",
- "LabelTriggerType": "Typ \u00fakolu:",
- "OptionDaily": "Denn\u00ed",
- "OptionWeekly": "T\u00fddenn\u00ed",
- "OptionOnInterval": "V intervalu",
- "OptionOnAppStartup": "P\u0159i spu\u0161t\u011bn\u00ed aplikace",
- "OptionAfterSystemEvent": "Po syst\u00e9mov\u00e9 ud\u00e1losti",
- "LabelDay": "Den:",
- "LabelTime": "\u010cas:",
- "LabelEvent": "Ud\u00e1lost:",
- "OptionWakeFromSleep": "Probuzen\u00ed ze sp\u00e1nku",
- "LabelEveryXMinutes": "Ka\u017ed\u00fd:",
- "HeaderTvTuners": "Tunery",
- "HeaderGallery": "Galerie",
- "HeaderLatestGames": "Posledn\u00ed hry",
- "HeaderRecentlyPlayedGames": "Naposled hran\u00e9 hry",
- "TabGameSystems": "Hern\u00ed syst\u00e9my",
- "TitleMediaLibrary": "Knihovna m\u00e9di\u00ed",
- "TabFolders": "Slo\u017eky",
- "TabPathSubstitution": "Nahrazen\u00ed cest",
- "LabelSeasonZeroDisplayName": "Jm\u00e9no pro zobrazen\u00ed sez\u00f3ny 0:",
- "LabelEnableRealtimeMonitor": "Povolit sledov\u00e1n\u00ed v re\u00e1ln\u00e9m \u010dase",
- "LabelEnableRealtimeMonitorHelp": "Zm\u011bny budou zpracov\u00e1ny okam\u017eit\u011b, v podporovan\u00fdch souborov\u00fdch syst\u00e9mech.",
- "ButtonScanLibrary": "Prohledat knihovnu",
- "HeaderNumberOfPlayers": "P\u0159ehr\u00e1va\u010de:",
- "OptionAnyNumberOfPlayers": "Jak\u00fdkoliv",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Slo\u017eky m\u00e9di\u00ed",
- "HeaderThemeVideos": "T\u00e9ma videa",
- "HeaderThemeSongs": "T\u00e9ma skladeb",
- "HeaderScenes": "Sc\u00e9ny",
- "HeaderAwardsAndReviews": "Ocen\u011bn\u00ed a hodnocen\u00ed",
- "HeaderSoundtracks": "Soundtracky",
- "HeaderMusicVideos": "Hudebn\u00ed videa",
- "HeaderSpecialFeatures": "Speci\u00e1ln\u00ed funkce",
- "HeaderCastCrew": "Herci a obsazen\u00ed",
- "HeaderAdditionalParts": "Dal\u0161\u00ed sou\u010d\u00e1sti",
- "ButtonSplitVersionsApart": "Rozd\u011blit verze od sebe",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Chyb\u00ed",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Nahrazen\u00ed cest se pou\u017e\u00edv\u00e1 pro namapov\u00e1n\u00ed cest k serveru, kter\u00e9 je p\u0159\u00edstupn\u00e9 u\u017eivateli. Povolen\u00edm p\u0159\u00edm\u00e9ho p\u0159\u00edstupu m\u016f\u017ee umo\u017enit u\u017eivateli jeho p\u0159ehr\u00e1n\u00ed bez u\u017eit\u00ed streamov\u00e1n\u00ed a p\u0159ek\u00f3dov\u00e1n\u00ed servru.",
- "HeaderFrom": "Z",
- "HeaderTo": "Do",
- "LabelFrom": "Z:",
- "LabelFromHelp": "P\u0159\u00edklad: D\\Filmy (na serveru)",
- "LabelTo": "Do:",
- "LabelToHelp": "P\u0159\u00edklad: \\\\MujServer\\Filmy\\ (adres\u00e1\u0159 p\u0159\u00edstupn\u00fd u\u017eivateli)",
- "ButtonAddPathSubstitution": "P\u0159idat p\u0159emapov\u00e1n\u00ed",
- "OptionSpecialEpisode": "Speci\u00e1ln\u00ed",
- "OptionMissingEpisode": "Chyb\u011bj\u00edc\u00ed episody",
- "OptionUnairedEpisode": "Neprov\u011btran\u00e9 epizody",
- "OptionEpisodeSortName": "Se\u0159azen\u00ed n\u00e1zvu epizod",
- "OptionSeriesSortName": "Jm\u00e9no serie",
- "OptionTvdbRating": "Tvdb hodnocen\u00ed",
- "HeaderTranscodingQualityPreference": "Nastaven\u00ed kvality p\u0159ek\u00f3dov\u00e1n\u00ed_",
- "OptionAutomaticTranscodingHelp": "Server rozhodne kvalitu a rychlost",
- "OptionHighSpeedTranscodingHelp": "Ni\u017e\u0161\u00ed kvalita ale rychlej\u0161\u00ed p\u0159ek\u00f3dov\u00e1n\u00ed",
- "OptionHighQualityTranscodingHelp": "Vy\u0161\u0161\u00ed kvalita ale pomalej\u0161\u00ed p\u0159ek\u00f3dov\u00e1n\u00ed",
- "OptionMaxQualityTranscodingHelp": "Nejlep\u0161\u00ed kvalita, pomal\u00e9 p\u0159ek\u00f3dov\u00e1n\u00ed, velk\u00e1 z\u00e1t\u011b\u017e procesoru.",
- "OptionHighSpeedTranscoding": "Vy\u0161\u0161\u00ed rychlost",
- "OptionHighQualityTranscoding": "Vy\u0161\u0161\u00ed kvalita",
- "OptionMaxQualityTranscoding": "Maxim\u00e1ln\u00ed kvalita",
- "OptionEnableDebugTranscodingLogging": "Povolit z\u00e1znam p\u0159ek\u00f3dov\u00e1n\u00ed (pro debugging)",
- "OptionEnableDebugTranscodingLoggingHelp": "Toto nastaven\u00ed vytv\u00e1\u0159\u00ed velmi velk\u00e9 soubory se z\u00e1znamy a doporu\u010duje se pouze v p\u0159\u00edpad\u011b probl\u00e9m\u016f",
- "OptionUpscaling": "Povolit klient\u016fm po\u017eadovat zv\u011bt\u0161en\u00e1 videa",
- "OptionUpscalingHelp": "V n\u011bkter\u00fdch p\u0159\u00edpadech bude m\u00edt za n\u00e1sledek lep\u0161\u00ed kvalitu obrazu, ale zv\u00fd\u0161\u00ed zat\u00ed\u017een\u00ed CPU.",
- "EditCollectionItemsHelp": "P\u0159idejte nebo odeberte v\u0161echny filmy, seri\u00e1ly, alba, knihy nebo hry, kter\u00e9 chcete seskupit v r\u00e1mci t\u00e9to kolekce.",
- "HeaderAddTitles": "P\u0159idat n\u00e1zvy",
- "LabelEnableDlnaPlayTo": "Povolit DLNA p\u0159ehr\u00e1v\u00e1n\u00ed",
- "LabelEnableDlnaPlayToHelp": "Media Browser um\u00ed detekovat za\u0159\u00edzen\u00ed ve va\u0161\u00ed s\u00edti a nab\u00edz\u00ed mo\u017enost d\u00e1lkov\u00e9ho ovl\u00e1d\u00e1n\u00ed.",
- "LabelEnableDlnaDebugLogging": "Povolit DLNA protokolov\u00e1n\u00ed (pro lad\u011bn\u00ed)",
- "LabelEnableDlnaDebugLoggingHelp": "Toto nastaven\u00ed vytv\u00e1\u0159\u00ed velmi velk\u00e9 soubory se z\u00e1znamy a doporu\u010duje se pouze v p\u0159\u00edpad\u011b probl\u00e9m\u016f",
- "LabelEnableDlnaClientDiscoveryInterval": "\u010cas pro vyhled\u00e1n\u00ed klienta (sekund)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Ur\u010duje dobu v sekund\u00e1ch v intervalu mezi SSDP vyhled\u00e1v\u00e1n\u00ed prov\u00e1d\u011bn\u00e9 programem Media Browser.",
- "HeaderCustomDlnaProfiles": "Vlastn\u00ed profily",
- "HeaderSystemDlnaProfiles": "Syst\u00e9mov\u00e9 profily",
- "CustomDlnaProfilesHelp": "Vytvo\u0159te si vlastn\u00ed profil se zam\u011b\u0159it na nov\u00e9 za\u0159\u00edzen\u00ed nebo p\u0159epsat profil syst\u00e9mu.",
- "SystemDlnaProfilesHelp": "Syst\u00e9mov\u00e9 profily jsou jen pro \u010dten\u00ed. Chcete-li p\u0159epsat profil syst\u00e9mu, vytvo\u0159it vlastn\u00ed profil zam\u011b\u0159en\u00fd na stejn\u00e9 za\u0159\u00edzen\u00ed.",
- "TitleDashboard": "Hlavn\u00ed nab\u00eddka",
- "TabHome": "Dom\u016f",
- "TabInfo": "Info",
- "HeaderLinks": "Odkazy",
- "HeaderSystemPaths": "Syst\u00e9mov\u00e9 cesty",
- "LinkCommunity": "Komunita",
- "LinkGithub": "GitHub",
- "LinkApiDocumentation": "Dokumentace API",
- "LabelFriendlyServerName": "N\u00e1zev serveru:",
- "LabelFriendlyServerNameHelp": "Toto jm\u00e9no bude pou\u017eito jako identifikace serveru, ponech\u00e1te-li pr\u00e1zdn\u00e9 bude pou\u017eit n\u00e1zev po\u010d\u00edta\u010de.",
- "LabelPreferredDisplayLanguage": "Preferovan\u00fd jazyk zobrazen\u00ed:",
- "LabelPreferredDisplayLanguageHelp": "P\u0159eklad programu Media Browser prob\u00edh\u00e1, a je\u0161t\u011b nen\u00ed dokon\u010den.",
- "LabelReadHowYouCanContribute": "P\u0159e\u010dt\u011bte si o tom, jak m\u016f\u017eete p\u0159isp\u011bt.",
- "HeaderNewCollection": "Nov\u00e1 kolekce",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "P\u0159\u00edklad: Kolekce Star Wars",
- "OptionSearchForInternetMetadata": "Prohledat internet pro nalezen\u00ed metadat a obalu.",
- "ButtonCreate": "Vytvo\u0159it",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "\u010c\u00edslo portu web socketu:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "Extern\u00ed DDNS:",
- "LabelExternalDDNSHelp": "Pokud m\u00e1te dynamickou DNS zadejte jej zde. Media Browser aplikace ho pou\u017eije pro vzd\u00e1len\u00fd p\u0159\u00edstup.",
- "TabResume": "P\u0159eru\u0161it",
- "TabWeather": "Po\u010das\u00ed",
- "TitleAppSettings": "Nastaven\u00ed aplikace",
- "LabelMinResumePercentage": "Minim\u00e1ln\u00ed procento pro p\u0159eru\u0161en\u00ed:",
- "LabelMaxResumePercentage": "Maxim\u00e1ln\u00ed procento pro p\u0159eru\u0161en\u00ed:",
- "LabelMinResumeDuration": "Minim\u00e1ln\u00ed doba trv\u00e1n\u00ed (v sekund\u00e1ch):",
- "LabelMinResumePercentageHelp": "Tituly budou ozna\u010deny jako \"nep\u0159ehr\u00e1no\", pokud budou zastaveny p\u0159ed t\u00edmto \u010dasem.",
- "LabelMaxResumePercentageHelp": "Tituly budou ozna\u010deny jako \"p\u0159ehr\u00e1no\", pokud budou zastaveny po tomto \u010dase",
- "LabelMinResumeDurationHelp": "Tituly krat\u0161\u00ed, ne\u017e tento \u010das nebudou pozastaviteln\u00e9.",
- "TitleAutoOrganize": "Automatick\u00e9 uspo\u0159\u00e1dan\u00ed",
- "TabActivityLog": "Z\u00e1znam \u010dinnosti",
- "HeaderName": "N\u00e1zev",
- "HeaderDate": "Datum",
- "HeaderSource": "Zdroj",
- "HeaderDestination": "Um\u00edst\u011bn\u00ed",
- "HeaderProgram": "Program",
- "HeaderClients": "Klienti",
- "LabelCompleted": "Hotovo",
- "LabelFailed": "Failed",
- "LabelSkipped": "P\u0159esko\u010deno",
- "HeaderEpisodeOrganization": "Organizace epizod",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Vy\u017eadovan\u00e9 jenom pro s\u00fabory s v\u00edce epizodami",
- "HeaderSupportTheTeam": "Podpo\u0159te t\u00edm Media Browser",
- "LabelSupportAmount": "Suma (USD)",
- "HeaderSupportTheTeamHelp": "Pomozte zajistit pokra\u010dov\u00e1n\u00ed v\u00fdvoje tohoto projektu t\u00edm, \u017ee daruje. \u010c\u00e1st v\u0161ech dar\u016f bude pou\u017eita na dal\u0161\u00ed bezplatn\u00e9 n\u00e1stroje na kter\u00fdch jsme z\u00e1visl\u00ed.",
- "ButtonEnterSupporterKey": "Vlo\u017ete kl\u00ed\u010d sponzora",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Povolit organizaci nov\u00fdch epizod",
- "LabelWatchFolder": "Pozrie\u0165 slo\u017eku:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "Zobrazit napl\u00e1novan\u00e9 \u00falohy",
- "LabelMinFileSizeForOrganize": "Minim\u00e1ln\u00ed velikost souboru (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Men\u0161\u00ed soubory budou ignorov\u00e1ny.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Podporovan\u00e9 vzory",
- "HeaderTerm": "Term",
- "HeaderPattern": "Vzor",
- "HeaderResult": "V\u00fdsledek",
- "LabelDeleteEmptyFolders": "Odstranit pr\u00e1zdn\u00e9 slo\u017eky po zorganizov\u00e1n\u00ed",
- "LabelDeleteEmptyFoldersHelp": "Povolit tohle, aby byl adres\u00e1\u0159 pro stahov\u00e1n\u00ed \u010dist\u00fd.",
- "LabelDeleteLeftOverFiles": "Smazat zbyl\u00e9 soubory s n\u00e1sleduj\u00edc\u00edmi p\u0159\u00edponami:",
- "LabelDeleteLeftOverFilesHelp": "Odd\u011blte ;. Nap\u0159.: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "P\u0159epsat existuj\u00edc\u00ed epizody",
- "LabelTransferMethod": "Metoda p\u0159enosu",
- "OptionCopy": "Kop\u00edrovat",
- "OptionMove": "P\u0159esunout",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Posledn\u00ed novinky",
- "HeaderHelpImproveMediaBrowser": "Pomozte vylep\u0161it Media Browser",
- "HeaderRunningTasks": "B\u011b\u017e\u00edc\u00ed \u00falohy",
- "HeaderActiveDevices": "Akt\u00edvn\u00ed za\u0159\u00edzen\u00ed",
- "HeaderPendingInstallations": "\u010cekaj\u00edc\u00ed instalace",
- "HeaerServerInformation": "Informace o serveru",
- "ButtonRestartNow": "Restartovat nyn\u00ed",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Vypnout",
- "ButtonUpdateNow": "Aktualizujte te\u010f",
- "PleaseUpdateManually": "Pros\u00edm, vypn\u011bte server a aktualizujte ru\u010dne.",
- "NewServerVersionAvailable": "Je dostupn\u00e1 nov\u00e1 verze programu Media Browser!",
- "ServerUpToDate": "Media Browser server je aktu\u00e1ln\u00ed.",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Star\u00fd kl\u00ed\u010d sponzora",
- "LabelNewSupporterKey": "Nov\u00fd kl\u00ed\u010d sponzora",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Aktu\u00e1ln\u00ed e-mailov\u00e1 adresa",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "E-mailov\u00e1 adresa",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "P\u0159ehr\u00e1vat do",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "V\u00fdchoz\u00ed u\u017eivatel",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Nastaven\u00ed serveru",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Je vy\u017eadov\u00e1n restart serveru",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "U\u017eivatel:",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "V\u0161ichni u\u017eivatel\u00e9",
- "OptionAdminUsers": "Administr\u00e1to\u0159i",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Nahoru",
- "ButtonArrowDown": "Dol\u016f",
- "ButtonArrowLeft": "Vlevo",
- "ButtonArrowRight": "Vpravo",
- "ButtonBack": "Zp\u011bt",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Dom\u016f",
- "ButtonSearch": "Hled\u00e1n\u00ed",
- "ButtonSettings": "Nastaven\u00ed",
- "ButtonTakeScreenshot": "Zachytit obrazovku",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigace",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Sc\u00e9ny",
- "ButtonSubtitles": "Titulky",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Kolekce",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Typ:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video kodeky:",
- "LabelProfileAudioCodecs": "Audio kodeky:",
- "LabelProfileCodecs": "Kodeky:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Fotografie",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identifikace",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "V\u00fdrobce",
- "LabelManufacturerUrl": "Web v\u00fdrobce",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video kodek:",
- "LabelTranscodingVideoProfile": "Video profil:",
- "LabelTranscodingAudioCodec": "Audio kodek:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "P\u0159esko\u010dit, pokud video ji\u017e obsahuje grafick\u00e9 titulky",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Titulky",
- "TabChapters": "Kapitoly",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Registrovat",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Vlo\u017ete text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Vyhledat titulky",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Jazyky",
- "TabWebClient": "Web klient",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Povolit kulisy",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Hlavn\u00ed str\u00e1nka",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Ano",
- "OptionNo": "Ne",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Pokra\u010dovat",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Hl\u00e1\u0161en\u00ed",
- "HeaderMetadataManager": "Spr\u00e1vce metadat",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Ozna\u010dit jako p\u0159e\u010dten\u00e9",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Nejsledovan\u011bj\u0161\u00ed",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Zam\u00edtnout",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Filmy",
- "ViewTypeTvShows": "Televize",
- "ViewTypeGames": "Hry",
- "ViewTypeMusic": "Hudba",
- "ViewTypeBoxSets": "Kolekce",
- "ViewTypeChannels": "Kan\u00e1ly",
- "ViewTypeLiveTV": "\u017div\u00e1 TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
"ViewTypeMovieLatest": "Latest",
"ViewTypeMovieMovies": "Movies",
"ViewTypeMovieCollections": "Collections",
@@ -611,7 +24,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -981,6 +394,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Zav\u0159\u00edt",
"LabelVisitCommunity": "Nav\u0161t\u00edvit komunitu",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +666,592 @@
"LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
"LabelTranscodingTempPath": "Adres\u00e1\u0159 p\u0159ek\u00f3dov\u00e1n\u00ed:",
"LabelTranscodingTempPathHelp": "Tato slo\u017eka obsahuje soubory pot\u0159ebn\u00e9 pro p\u0159ek\u00f3dov\u00e1n\u00ed vide\u00ed. Zadejte vlastn\u00ed cestu, nebo ponechte pr\u00e1zdn\u00e9 pro pou\u017eit\u00ed v\u00fdchoz\u00ed datov\u00e9 slo\u017eky serveru.",
- "TabBasics": "Z\u00e1klady"
+ "TabBasics": "Z\u00e1klady",
+ "TabTV": "Tv",
+ "TabGames": "Hry",
+ "TabMusic": "Hudba",
+ "TabOthers": "Ostatn\u00ed",
+ "HeaderExtractChapterImagesFor": "Extrahovat obr\u00e1zky kapitol pro:",
+ "OptionMovies": "Filmy",
+ "OptionEpisodes": "Episody",
+ "OptionOtherVideos": "Ostatn\u00ed videa",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Povolit automatick\u00e9 aktualizace z FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Povolit automatick\u00e9 aktualizace z TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Povolit automatick\u00e9 aktualizace z TheTVDB.org",
+ "LabelAutomaticUpdatesFanartHelp": "Pokud je povoleno, budou nov\u00e9 sn\u00edmky budou sta\u017eeny automaticky tak, jak jsou p\u0159id\u00e1ny na fanart.tv. St\u00e1vaj\u00edc\u00ed sn\u00edmky nebudou nahrazeny.",
+ "LabelAutomaticUpdatesTmdbHelp": "Pokud je povoleno, budou nov\u00e9 sn\u00edmky budou sta\u017eeny automaticky tak, jak jsou p\u0159id\u00e1ny na TheMovieDB.org. St\u00e1vaj\u00edc\u00ed sn\u00edmky nebudou nahrazeny.",
+ "LabelAutomaticUpdatesTvdbHelp": "Pokud je povoleno, budou nov\u00e9 sn\u00edmky budou sta\u017eeny automaticky tak, jak jsou p\u0159id\u00e1ny na TheTVDB.org. St\u00e1vaj\u00edc\u00ed sn\u00edmky nebudou nahrazeny.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferovan\u00fd jazyk:",
+ "ButtonAutoScroll": "Automatick\u00e9 posouv\u00e1n\u00ed",
+ "LabelImageSavingConvention": "Konvence ukl\u00e1d\u00e1n\u00ed obr\u00e1zk\u016f:",
+ "LabelImageSavingConventionHelp": "Media Browser rozpozn\u00e1 obr\u00e1zky z v\u011bt\u0161iny velk\u00fdch medi\u00e1ln\u00edch aplikac\u00ed. Nastavte v p\u0159\u00edpad\u011b, \u017ee vyu\u017e\u00edv\u00e1te jin produkt.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standardn\u00ed - MB2",
+ "ButtonSignIn": "P\u0159ihl\u00e1sit se",
+ "TitleSignIn": "P\u0159ihl\u00e1sit se",
+ "HeaderPleaseSignIn": "Pros\u00edme, p\u0159ihlaste se",
+ "LabelUser": "U\u017eivatel:",
+ "LabelPassword": "Heslo:",
+ "ButtonManualLogin": "Manu\u00e1ln\u00ed p\u0159ihl\u00e1\u0161en\u00ed",
+ "PasswordLocalhostMessage": "Heslo nen\u00ed nutn\u00e9, pokud se p\u0159ihla\u0161ujete z m\u00edstn\u00edho PC-",
+ "TabGuide": "Pr\u016fvodce",
+ "TabChannels": "Kan\u00e1ly",
+ "TabCollections": "Kolekce",
+ "HeaderChannels": "Kan\u00e1ly",
+ "TabRecordings": "Nahran\u00e9",
+ "TabScheduled": "Napl\u00e1nov\u00e1no",
+ "TabSeries": "S\u00e9rie",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Zru\u0161it nahr\u00e1v\u00e1n\u00ed",
+ "HeaderPrePostPadding": "P\u0159ed\/po nahr\u00e1v\u00e1n\u00ed",
+ "LabelPrePaddingMinutes": "Minuty nahr\u00e1van\u00e9 p\u0159ed za\u010d\u00e1tkem nahr\u00e1v\u00e1n\u00ed",
+ "OptionPrePaddingRequired": "Minuty nahr\u00e1van\u00e9 p\u0159ed za\u010d\u00e1tkem nahr\u00e1v\u00e1n\u00ed jsou nutn\u00e9 pro nahr\u00e1v\u00e1n\u00ed.",
+ "LabelPostPaddingMinutes": "Minuty nahr\u00e1van\u00e9 po skon\u010den\u00ed nahr\u00e1v\u00e1n\u00ed.",
+ "OptionPostPaddingRequired": "Minuty nahr\u00e1van\u00e9 po skon\u010den\u00ed nahr\u00e1v\u00e1n\u00ed jsou nutn\u00e9 pro nahr\u00e1v\u00e1n\u00ed.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Bude v TV",
+ "TabStatus": "Stav",
+ "TabSettings": "Nastaven\u00ed",
+ "ButtonRefreshGuideData": "Obnovit data pr\u016fvodce",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priorita",
+ "OptionRecordOnAllChannels": "Nahr\u00e1vat program na v\u0161ech kan\u00e1lech",
+ "OptionRecordAnytime": "Nahr\u00e1vat program v jak\u00fdkoliv \u010das",
+ "OptionRecordOnlyNewEpisodes": "Nahr\u00e1vat pouze nov\u00e9 epizody",
+ "HeaderDays": "Dny",
+ "HeaderActiveRecordings": "Aktivn\u00ed nahr\u00e1v\u00e1n\u00ed",
+ "HeaderLatestRecordings": "Posledn\u00ed nahr\u00e1v\u00e1n\u00ed",
+ "HeaderAllRecordings": "V\u0161echna nahr\u00e1v\u00e1n\u00ed",
+ "ButtonPlay": "P\u0159ehr\u00e1t",
+ "ButtonEdit": "Upravit",
+ "ButtonRecord": "Nahr\u00e1vat",
+ "ButtonDelete": "Odstranit",
+ "ButtonRemove": "Odstranit",
+ "OptionRecordSeries": "Nahr\u00e1t s\u00e9rie",
+ "HeaderDetails": "Detaily",
+ "TitleLiveTV": "\u017div\u00e1 TV",
+ "LabelNumberOfGuideDays": "Po\u010det dn\u016f pro sta\u017een\u00ed dat pr\u016fvodce:",
+ "LabelNumberOfGuideDaysHelp": "Sta\u017een\u00edm v\u00edce dn\u016f dat pr\u016fvodce umo\u017en\u00ed v pl\u00e1nech nastavit budouc\u00ed nahr\u00e1v\u00e1n\u00ed v\u00edce do budoucna. M\u016f\u017ee v\u0161ak d\u00e9le trvat sta\u017een\u00ed t\u011bchto dat. Auto vybere mo\u017enost podle po\u010dtu kan\u00e1l\u016f.",
+ "LabelActiveService": "Aktivn\u00ed slu\u017eby:",
+ "LabelActiveServiceHelp": "M\u016f\u017ee b\u00fdt nainstalov\u00e1no v\u00edce plugin\u016f pro TV, ale jen jeden m\u016f\u017ee b\u00fdt aktivn\u00ed.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "P\u0159ed pokra\u010dov\u00e1n\u00edm je vy\u017eadov\u00e1n plugin TV poskytovatele.",
+ "LiveTvPluginRequiredHelp": "Pros\u00edm nainstalujte jeden z dostupn\u00fdch plugin\u016f, jako Next PVR nebo ServerWmc",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Miniatura",
+ "OptionDownloadMenuImage": "Nab\u00eddka",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disk",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Zadek",
+ "OptionDownloadArtImage": "Obal",
+ "OptionDownloadPrimaryImage": "Prim\u00e1rn\u00ed",
+ "HeaderFetchImages": "Na\u010d\u00edst obr\u00e1zky:",
+ "HeaderImageSettings": "Nastaven\u00ed obr\u00e1zk\u016f",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maxim\u00e1ln\u00ed po\u010det obr\u00e1zk\u016f na pozad\u00ed pro polo\u017eku:",
+ "LabelMaxScreenshotsPerItem": "Maxim\u00e1ln\u00ed po\u010det screenshot\u016f:",
+ "LabelMinBackdropDownloadWidth": "Maxim\u00e1ln\u00ed \u0161\u00ed\u0159ka pozad\u00ed:",
+ "LabelMinScreenshotDownloadWidth": "Minim\u00e1ln\u00ed \u0161\u00ed\u0159ka screenshotu obrazovky:",
+ "ButtonAddScheduledTaskTrigger": "P\u0159idat polo\u017eku \u00fakolu",
+ "HeaderAddScheduledTaskTrigger": "P\u0159idat polo\u017eku \u00fakolu",
+ "ButtonAdd": "P\u0159idat",
+ "LabelTriggerType": "Typ \u00fakolu:",
+ "OptionDaily": "Denn\u00ed",
+ "OptionWeekly": "T\u00fddenn\u00ed",
+ "OptionOnInterval": "V intervalu",
+ "OptionOnAppStartup": "P\u0159i spu\u0161t\u011bn\u00ed aplikace",
+ "OptionAfterSystemEvent": "Po syst\u00e9mov\u00e9 ud\u00e1losti",
+ "LabelDay": "Den:",
+ "LabelTime": "\u010cas:",
+ "LabelEvent": "Ud\u00e1lost:",
+ "OptionWakeFromSleep": "Probuzen\u00ed ze sp\u00e1nku",
+ "LabelEveryXMinutes": "Ka\u017ed\u00fd:",
+ "HeaderTvTuners": "Tunery",
+ "HeaderGallery": "Galerie",
+ "HeaderLatestGames": "Posledn\u00ed hry",
+ "HeaderRecentlyPlayedGames": "Naposled hran\u00e9 hry",
+ "TabGameSystems": "Hern\u00ed syst\u00e9my",
+ "TitleMediaLibrary": "Knihovna m\u00e9di\u00ed",
+ "TabFolders": "Slo\u017eky",
+ "TabPathSubstitution": "Nahrazen\u00ed cest",
+ "LabelSeasonZeroDisplayName": "Jm\u00e9no pro zobrazen\u00ed sez\u00f3ny 0:",
+ "LabelEnableRealtimeMonitor": "Povolit sledov\u00e1n\u00ed v re\u00e1ln\u00e9m \u010dase",
+ "LabelEnableRealtimeMonitorHelp": "Zm\u011bny budou zpracov\u00e1ny okam\u017eit\u011b, v podporovan\u00fdch souborov\u00fdch syst\u00e9mech.",
+ "ButtonScanLibrary": "Prohledat knihovnu",
+ "HeaderNumberOfPlayers": "P\u0159ehr\u00e1va\u010de:",
+ "OptionAnyNumberOfPlayers": "Jak\u00fdkoliv",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Slo\u017eky m\u00e9di\u00ed",
+ "HeaderThemeVideos": "T\u00e9ma videa",
+ "HeaderThemeSongs": "T\u00e9ma skladeb",
+ "HeaderScenes": "Sc\u00e9ny",
+ "HeaderAwardsAndReviews": "Ocen\u011bn\u00ed a hodnocen\u00ed",
+ "HeaderSoundtracks": "Soundtracky",
+ "HeaderMusicVideos": "Hudebn\u00ed videa",
+ "HeaderSpecialFeatures": "Speci\u00e1ln\u00ed funkce",
+ "HeaderCastCrew": "Herci a obsazen\u00ed",
+ "HeaderAdditionalParts": "Dal\u0161\u00ed sou\u010d\u00e1sti",
+ "ButtonSplitVersionsApart": "Rozd\u011blit verze od sebe",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Chyb\u00ed",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Nahrazen\u00ed cest se pou\u017e\u00edv\u00e1 pro namapov\u00e1n\u00ed cest k serveru, kter\u00e9 je p\u0159\u00edstupn\u00e9 u\u017eivateli. Povolen\u00edm p\u0159\u00edm\u00e9ho p\u0159\u00edstupu m\u016f\u017ee umo\u017enit u\u017eivateli jeho p\u0159ehr\u00e1n\u00ed bez u\u017eit\u00ed streamov\u00e1n\u00ed a p\u0159ek\u00f3dov\u00e1n\u00ed servru.",
+ "HeaderFrom": "Z",
+ "HeaderTo": "Do",
+ "LabelFrom": "Z:",
+ "LabelFromHelp": "P\u0159\u00edklad: D\\Filmy (na serveru)",
+ "LabelTo": "Do:",
+ "LabelToHelp": "P\u0159\u00edklad: \\\\MujServer\\Filmy\\ (adres\u00e1\u0159 p\u0159\u00edstupn\u00fd u\u017eivateli)",
+ "ButtonAddPathSubstitution": "P\u0159idat p\u0159emapov\u00e1n\u00ed",
+ "OptionSpecialEpisode": "Speci\u00e1ln\u00ed",
+ "OptionMissingEpisode": "Chyb\u011bj\u00edc\u00ed episody",
+ "OptionUnairedEpisode": "Neprov\u011btran\u00e9 epizody",
+ "OptionEpisodeSortName": "Se\u0159azen\u00ed n\u00e1zvu epizod",
+ "OptionSeriesSortName": "Jm\u00e9no serie",
+ "OptionTvdbRating": "Tvdb hodnocen\u00ed",
+ "HeaderTranscodingQualityPreference": "Nastaven\u00ed kvality p\u0159ek\u00f3dov\u00e1n\u00ed_",
+ "OptionAutomaticTranscodingHelp": "Server rozhodne kvalitu a rychlost",
+ "OptionHighSpeedTranscodingHelp": "Ni\u017e\u0161\u00ed kvalita ale rychlej\u0161\u00ed p\u0159ek\u00f3dov\u00e1n\u00ed",
+ "OptionHighQualityTranscodingHelp": "Vy\u0161\u0161\u00ed kvalita ale pomalej\u0161\u00ed p\u0159ek\u00f3dov\u00e1n\u00ed",
+ "OptionMaxQualityTranscodingHelp": "Nejlep\u0161\u00ed kvalita, pomal\u00e9 p\u0159ek\u00f3dov\u00e1n\u00ed, velk\u00e1 z\u00e1t\u011b\u017e procesoru.",
+ "OptionHighSpeedTranscoding": "Vy\u0161\u0161\u00ed rychlost",
+ "OptionHighQualityTranscoding": "Vy\u0161\u0161\u00ed kvalita",
+ "OptionMaxQualityTranscoding": "Maxim\u00e1ln\u00ed kvalita",
+ "OptionEnableDebugTranscodingLogging": "Povolit z\u00e1znam p\u0159ek\u00f3dov\u00e1n\u00ed (pro debugging)",
+ "OptionEnableDebugTranscodingLoggingHelp": "Toto nastaven\u00ed vytv\u00e1\u0159\u00ed velmi velk\u00e9 soubory se z\u00e1znamy a doporu\u010duje se pouze v p\u0159\u00edpad\u011b probl\u00e9m\u016f",
+ "OptionUpscaling": "Povolit klient\u016fm po\u017eadovat zv\u011bt\u0161en\u00e1 videa",
+ "OptionUpscalingHelp": "V n\u011bkter\u00fdch p\u0159\u00edpadech bude m\u00edt za n\u00e1sledek lep\u0161\u00ed kvalitu obrazu, ale zv\u00fd\u0161\u00ed zat\u00ed\u017een\u00ed CPU.",
+ "EditCollectionItemsHelp": "P\u0159idejte nebo odeberte v\u0161echny filmy, seri\u00e1ly, alba, knihy nebo hry, kter\u00e9 chcete seskupit v r\u00e1mci t\u00e9to kolekce.",
+ "HeaderAddTitles": "P\u0159idat n\u00e1zvy",
+ "LabelEnableDlnaPlayTo": "Povolit DLNA p\u0159ehr\u00e1v\u00e1n\u00ed",
+ "LabelEnableDlnaPlayToHelp": "Media Browser um\u00ed detekovat za\u0159\u00edzen\u00ed ve va\u0161\u00ed s\u00edti a nab\u00edz\u00ed mo\u017enost d\u00e1lkov\u00e9ho ovl\u00e1d\u00e1n\u00ed.",
+ "LabelEnableDlnaDebugLogging": "Povolit DLNA protokolov\u00e1n\u00ed (pro lad\u011bn\u00ed)",
+ "LabelEnableDlnaDebugLoggingHelp": "Toto nastaven\u00ed vytv\u00e1\u0159\u00ed velmi velk\u00e9 soubory se z\u00e1znamy a doporu\u010duje se pouze v p\u0159\u00edpad\u011b probl\u00e9m\u016f",
+ "LabelEnableDlnaClientDiscoveryInterval": "\u010cas pro vyhled\u00e1n\u00ed klienta (sekund)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Ur\u010duje dobu v sekund\u00e1ch v intervalu mezi SSDP vyhled\u00e1v\u00e1n\u00ed prov\u00e1d\u011bn\u00e9 programem Media Browser.",
+ "HeaderCustomDlnaProfiles": "Vlastn\u00ed profily",
+ "HeaderSystemDlnaProfiles": "Syst\u00e9mov\u00e9 profily",
+ "CustomDlnaProfilesHelp": "Vytvo\u0159te si vlastn\u00ed profil se zam\u011b\u0159it na nov\u00e9 za\u0159\u00edzen\u00ed nebo p\u0159epsat profil syst\u00e9mu.",
+ "SystemDlnaProfilesHelp": "Syst\u00e9mov\u00e9 profily jsou jen pro \u010dten\u00ed. Chcete-li p\u0159epsat profil syst\u00e9mu, vytvo\u0159it vlastn\u00ed profil zam\u011b\u0159en\u00fd na stejn\u00e9 za\u0159\u00edzen\u00ed.",
+ "TitleDashboard": "Hlavn\u00ed nab\u00eddka",
+ "TabHome": "Dom\u016f",
+ "TabInfo": "Info",
+ "HeaderLinks": "Odkazy",
+ "HeaderSystemPaths": "Syst\u00e9mov\u00e9 cesty",
+ "LinkCommunity": "Komunita",
+ "LinkGithub": "GitHub",
+ "LinkApiDocumentation": "Dokumentace API",
+ "LabelFriendlyServerName": "N\u00e1zev serveru:",
+ "LabelFriendlyServerNameHelp": "Toto jm\u00e9no bude pou\u017eito jako identifikace serveru, ponech\u00e1te-li pr\u00e1zdn\u00e9 bude pou\u017eit n\u00e1zev po\u010d\u00edta\u010de.",
+ "LabelPreferredDisplayLanguage": "Preferovan\u00fd jazyk zobrazen\u00ed:",
+ "LabelPreferredDisplayLanguageHelp": "P\u0159eklad programu Media Browser prob\u00edh\u00e1, a je\u0161t\u011b nen\u00ed dokon\u010den.",
+ "LabelReadHowYouCanContribute": "P\u0159e\u010dt\u011bte si o tom, jak m\u016f\u017eete p\u0159isp\u011bt.",
+ "HeaderNewCollection": "Nov\u00e1 kolekce",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "P\u0159\u00edklad: Kolekce Star Wars",
+ "OptionSearchForInternetMetadata": "Prohledat internet pro nalezen\u00ed metadat a obalu.",
+ "ButtonCreate": "Vytvo\u0159it",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "\u010c\u00edslo portu web socketu:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "Extern\u00ed DDNS:",
+ "LabelExternalDDNSHelp": "Pokud m\u00e1te dynamickou DNS zadejte jej zde. Media Browser aplikace ho pou\u017eije pro vzd\u00e1len\u00fd p\u0159\u00edstup.",
+ "TabResume": "P\u0159eru\u0161it",
+ "TabWeather": "Po\u010das\u00ed",
+ "TitleAppSettings": "Nastaven\u00ed aplikace",
+ "LabelMinResumePercentage": "Minim\u00e1ln\u00ed procento pro p\u0159eru\u0161en\u00ed:",
+ "LabelMaxResumePercentage": "Maxim\u00e1ln\u00ed procento pro p\u0159eru\u0161en\u00ed:",
+ "LabelMinResumeDuration": "Minim\u00e1ln\u00ed doba trv\u00e1n\u00ed (v sekund\u00e1ch):",
+ "LabelMinResumePercentageHelp": "Tituly budou ozna\u010deny jako \"nep\u0159ehr\u00e1no\", pokud budou zastaveny p\u0159ed t\u00edmto \u010dasem.",
+ "LabelMaxResumePercentageHelp": "Tituly budou ozna\u010deny jako \"p\u0159ehr\u00e1no\", pokud budou zastaveny po tomto \u010dase",
+ "LabelMinResumeDurationHelp": "Tituly krat\u0161\u00ed, ne\u017e tento \u010das nebudou pozastaviteln\u00e9.",
+ "TitleAutoOrganize": "Automatick\u00e9 uspo\u0159\u00e1dan\u00ed",
+ "TabActivityLog": "Z\u00e1znam \u010dinnosti",
+ "HeaderName": "N\u00e1zev",
+ "HeaderDate": "Datum",
+ "HeaderSource": "Zdroj",
+ "HeaderDestination": "Um\u00edst\u011bn\u00ed",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Klienti",
+ "LabelCompleted": "Hotovo",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "P\u0159esko\u010deno",
+ "HeaderEpisodeOrganization": "Organizace epizod",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Vy\u017eadovan\u00e9 jenom pro s\u00fabory s v\u00edce epizodami",
+ "HeaderSupportTheTeam": "Podpo\u0159te t\u00edm Media Browser",
+ "LabelSupportAmount": "Suma (USD)",
+ "HeaderSupportTheTeamHelp": "Pomozte zajistit pokra\u010dov\u00e1n\u00ed v\u00fdvoje tohoto projektu t\u00edm, \u017ee daruje. \u010c\u00e1st v\u0161ech dar\u016f bude pou\u017eita na dal\u0161\u00ed bezplatn\u00e9 n\u00e1stroje na kter\u00fdch jsme z\u00e1visl\u00ed.",
+ "ButtonEnterSupporterKey": "Vlo\u017ete kl\u00ed\u010d sponzora",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Povolit organizaci nov\u00fdch epizod",
+ "LabelWatchFolder": "Pozrie\u0165 slo\u017eku:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "Zobrazit napl\u00e1novan\u00e9 \u00falohy",
+ "LabelMinFileSizeForOrganize": "Minim\u00e1ln\u00ed velikost souboru (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Men\u0161\u00ed soubory budou ignorov\u00e1ny.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Podporovan\u00e9 vzory",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Vzor",
+ "HeaderResult": "V\u00fdsledek",
+ "LabelDeleteEmptyFolders": "Odstranit pr\u00e1zdn\u00e9 slo\u017eky po zorganizov\u00e1n\u00ed",
+ "LabelDeleteEmptyFoldersHelp": "Povolit tohle, aby byl adres\u00e1\u0159 pro stahov\u00e1n\u00ed \u010dist\u00fd.",
+ "LabelDeleteLeftOverFiles": "Smazat zbyl\u00e9 soubory s n\u00e1sleduj\u00edc\u00edmi p\u0159\u00edponami:",
+ "LabelDeleteLeftOverFilesHelp": "Odd\u011blte ;. Nap\u0159.: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "P\u0159epsat existuj\u00edc\u00ed epizody",
+ "LabelTransferMethod": "Metoda p\u0159enosu",
+ "OptionCopy": "Kop\u00edrovat",
+ "OptionMove": "P\u0159esunout",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Posledn\u00ed novinky",
+ "HeaderHelpImproveMediaBrowser": "Pomozte vylep\u0161it Media Browser",
+ "HeaderRunningTasks": "B\u011b\u017e\u00edc\u00ed \u00falohy",
+ "HeaderActiveDevices": "Akt\u00edvn\u00ed za\u0159\u00edzen\u00ed",
+ "HeaderPendingInstallations": "\u010cekaj\u00edc\u00ed instalace",
+ "HeaerServerInformation": "Informace o serveru",
+ "ButtonRestartNow": "Restartovat nyn\u00ed",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Vypnout",
+ "ButtonUpdateNow": "Aktualizujte te\u010f",
+ "PleaseUpdateManually": "Pros\u00edm, vypn\u011bte server a aktualizujte ru\u010dne.",
+ "NewServerVersionAvailable": "Je dostupn\u00e1 nov\u00e1 verze programu Media Browser!",
+ "ServerUpToDate": "Media Browser server je aktu\u00e1ln\u00ed.",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Star\u00fd kl\u00ed\u010d sponzora",
+ "LabelNewSupporterKey": "Nov\u00fd kl\u00ed\u010d sponzora",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Aktu\u00e1ln\u00ed e-mailov\u00e1 adresa",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "E-mailov\u00e1 adresa",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "P\u0159ehr\u00e1vat do",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "V\u00fdchoz\u00ed u\u017eivatel",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Nastaven\u00ed serveru",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Je vy\u017eadov\u00e1n restart serveru",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "U\u017eivatel:",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "V\u0161ichni u\u017eivatel\u00e9",
+ "OptionAdminUsers": "Administr\u00e1to\u0159i",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Nahoru",
+ "ButtonArrowDown": "Dol\u016f",
+ "ButtonArrowLeft": "Vlevo",
+ "ButtonArrowRight": "Vpravo",
+ "ButtonBack": "Zp\u011bt",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Dom\u016f",
+ "ButtonSearch": "Hled\u00e1n\u00ed",
+ "ButtonSettings": "Nastaven\u00ed",
+ "ButtonTakeScreenshot": "Zachytit obrazovku",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigace",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Sc\u00e9ny",
+ "ButtonSubtitles": "Titulky",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Kolekce",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Typ:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video kodeky:",
+ "LabelProfileAudioCodecs": "Audio kodeky:",
+ "LabelProfileCodecs": "Kodeky:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Fotografie",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identifikace",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "V\u00fdrobce",
+ "LabelManufacturerUrl": "Web v\u00fdrobce",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video kodek:",
+ "LabelTranscodingVideoProfile": "Video profil:",
+ "LabelTranscodingAudioCodec": "Audio kodek:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "P\u0159esko\u010dit, pokud video ji\u017e obsahuje grafick\u00e9 titulky",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Titulky",
+ "TabChapters": "Kapitoly",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Registrovat",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Vlo\u017ete text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Vyhledat titulky",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Jazyky",
+ "TabWebClient": "Web klient",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Povolit kulisy",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Hlavn\u00ed str\u00e1nka",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Ano",
+ "OptionNo": "Ne",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Pokra\u010dovat",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Hl\u00e1\u0161en\u00ed",
+ "HeaderMetadataManager": "Spr\u00e1vce metadat",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Ozna\u010dit jako p\u0159e\u010dten\u00e9",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Nejsledovan\u011bj\u0161\u00ed",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Zam\u00edtnout",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Filmy",
+ "ViewTypeTvShows": "Televize",
+ "ViewTypeGames": "Hry",
+ "ViewTypeMusic": "Hudba",
+ "ViewTypeBoxSets": "Kolekce",
+ "ViewTypeChannels": "Kan\u00e1ly",
+ "ViewTypeLiveTV": "\u017div\u00e1 TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/da.json b/MediaBrowser.Server.Implementations/Localization/Server/da.json
index e94b0a3d67..7905faf580 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/da.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/da.json
@@ -1,592 +1,4 @@
{
- "TabOthers": "Andre",
- "HeaderExtractChapterImagesFor": "Udtr\u00e6k kapitel billeder for:",
- "OptionMovies": "Film",
- "OptionEpisodes": "Episoder",
- "OptionOtherVideos": "Andre Videoer",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "Aktiver automatiske opdateringer fra FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Aktiver automatiske opdateringer fra TheMovieDB.org",
- "LabelAutomaticUpdatesTvdb": "Aktiver automatiske opdateringer fra TheTVDB.com",
- "LabelAutomaticUpdatesFanartHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til fanart.tv. Eksisterende billeder vil ikke bliver over skrevet.",
- "LabelAutomaticUpdatesTmdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheMovieDB.org. Eksisterende billeder vil ikke bliver over skrevet.",
- "LabelAutomaticUpdatesTvdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheTVDB.com. Eksisterende billeder vil ikke bliver over skrevet.",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferred download language:",
- "ButtonAutoScroll": "Auto-scroll",
- "LabelImageSavingConvention": "Image saving convention:",
- "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "Log Ind",
- "TitleSignIn": "Log Ind",
- "HeaderPleaseSignIn": "Log venligst ind",
- "LabelUser": "Bruger:",
- "LabelPassword": "Kode:",
- "ButtonManualLogin": "Manuelt Log Ind",
- "PasswordLocalhostMessage": "Koder er ikke kr\u00e6vet n\u00e5r der logges ind fra localhost.",
- "TabGuide": "Guide",
- "TabChannels": "Kanaler",
- "TabCollections": "Collections",
- "HeaderChannels": "Kanaler",
- "TabRecordings": "Optagelser",
- "TabScheduled": "Planlagt",
- "TabSeries": "Serier",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Annuller Optagelse",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Kommende TV",
- "TabStatus": "Status",
- "TabSettings": "Indstillinger",
- "ButtonRefreshGuideData": "Opdater Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Prioritet",
- "OptionRecordOnAllChannels": "Optag program p\u00e5 alle kanaler",
- "OptionRecordAnytime": "Optag program uanset tidpunkt",
- "OptionRecordOnlyNewEpisodes": "Optag kun nye episoder",
- "HeaderDays": "Dage",
- "HeaderActiveRecordings": "Aktive Optagelser",
- "HeaderLatestRecordings": "Seneste Optagelse",
- "HeaderAllRecordings": "Alle Optagelser",
- "ButtonPlay": "Afspil",
- "ButtonEdit": "Rediger",
- "ButtonRecord": "Optag",
- "ButtonDelete": "Slet",
- "ButtonRemove": "Fjern",
- "OptionRecordSeries": "Optag Serie",
- "HeaderDetails": "Detaljer",
- "TitleLiveTV": "Direkte TV",
- "LabelNumberOfGuideDays": "Antal dage af program guide data til download:",
- "LabelNumberOfGuideDaysHelp": "Hentning af flere dages program guide data giver mulighed for at planl\u00e6gge l\u00e6ngere ud i fremtiden, og se flere programoversigter, men det vil ogs\u00e5 tage l\u00e6ngere tid at downloade. Auto vil v\u00e6lge baseret p\u00e5 antallet af kanaler.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Boks",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Tilbage",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Hent Billeder:",
- "HeaderImageSettings": "Billede Indstillinger",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maksimum antal af bagt\u00e6pper per element:",
- "LabelMaxScreenshotsPerItem": "Maksimum antal af sk\u00e6rmbilleder per element:",
- "LabelMinBackdropDownloadWidth": "Minimum bagt\u00e6ppe vidde:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Tilf\u00f8j Opgave Udl\u00f8ser",
- "HeaderAddScheduledTaskTrigger": "Tilf\u00f8j Opgave Udl\u00f8ser",
- "ButtonAdd": "Tilf\u00f8j",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Manglende Episoder",
- "OptionUnairedEpisode": "Ikke Sendte Episoder",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Seriens Navn",
- "OptionTvdbRating": "Tvdb Bed\u00f8mmelse",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "Serveren vil bestemme kvalitet og hastighed",
- "OptionHighSpeedTranscodingHelp": "Lavere kvalitet, men hurtigere omkodning",
- "OptionHighQualityTranscodingHelp": "H\u00f8jere kvalitet, men langsommere omkodning",
- "OptionMaxQualityTranscodingHelp": "Bedste kvalitet med langsommere omkodning og h\u00f8jere CPU forbrug",
- "OptionHighSpeedTranscoding": "H\u00f8jere hastighed",
- "OptionHighQualityTranscoding": "H\u00f8jere kvalietet",
- "OptionMaxQualityTranscoding": "H\u00f8jeste kvalitet",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "Dette lave generer meget store log filer, og er kun anbefalet at bruge til fejlfindings form\u00e5l.",
- "OptionUpscaling": "Tillad klienter at bede om opskaleret video",
- "OptionUpscalingHelp": "I nogle tilf\u00e6lde vil dette f\u00f8rer til bedre video kvalitet, men vil for\u00f8ge CPU forbruget.",
- "EditCollectionItemsHelp": "Tilf\u00f8j eller fjern hvilken som helst film, serier, albums, bog eller spil, du har lyst til at tilf\u00f8je til denne samling.",
- "HeaderAddTitles": "Tilf\u00f8j Titler",
- "LabelEnableDlnaPlayTo": "Aktiver DLNA \"Afspil Til\"",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "Nyt indhold tilf\u00f8jet (flere)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Program",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Op",
- "ButtonArrowDown": "Ned",
- "ButtonArrowLeft": "Venstre",
- "ButtonArrowRight": "H\u00f8jre",
- "ButtonBack": "Tilbage",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Side op",
- "ButtonPageDown": "Side ned",
- "PageAbbreviation": "PG",
- "ButtonHome": "Hjem",
- "ButtonSearch": "S\u00f8g",
- "ButtonSettings": "Indstillinger",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Bogstav op",
- "ButtonLetterDown": "Bogstav ned",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Spiler nu",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scener",
- "ButtonSubtitles": "Undertekster",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin fejl",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Lyd",
- "OptionProfileVideoAudio": "Video lyd",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "bruger bibliotek",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "System venligt navn",
- "LabelManufacturer": "Producent",
- "LabelManufacturerUrl": "Producent url",
- "LabelModelName": "Model navn",
- "LabelModelNumber": "Model nummer",
- "LabelModelDescription": "Model beskrivelse",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Spring over hvis videioen allerede indeholder grafiske undertekster",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Undertekster",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles brugernavn:",
- "LabelOpenSubtitlesPassword": "Open Subtitles kode:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck dette for at sikre at alle videoer har undertekster, uanset hvilket sprog lydsporet anvender.",
- "HeaderSendMessage": "Send besked",
- "ButtonSend": "Send",
- "LabelMessageText": "Tekst besked",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
"ViewTypeMovieGenres": "Genres",
"ViewTypeMusicLatest": "Latest",
"ViewTypeMusicAlbums": "Albums",
@@ -608,7 +20,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -978,6 +390,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Afslut",
"LabelVisitCommunity": "Bes\u00f8g F\u00e6lleskab",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +665,593 @@
"TabBasics": "Basale",
"TabTV": "TV",
"TabGames": "Spil",
- "TabMusic": "Musik"
+ "TabMusic": "Musik",
+ "TabOthers": "Andre",
+ "HeaderExtractChapterImagesFor": "Udtr\u00e6k kapitel billeder for:",
+ "OptionMovies": "Film",
+ "OptionEpisodes": "Episoder",
+ "OptionOtherVideos": "Andre Videoer",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Aktiver automatiske opdateringer fra FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Aktiver automatiske opdateringer fra TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Aktiver automatiske opdateringer fra TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til fanart.tv. Eksisterende billeder vil ikke bliver over skrevet.",
+ "LabelAutomaticUpdatesTmdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheMovieDB.org. Eksisterende billeder vil ikke bliver over skrevet.",
+ "LabelAutomaticUpdatesTvdbHelp": "Hvis aktiveret, vil nye billeder blive hentet automatisk n\u00e5r de bliver tilf\u00f8jet til TheTVDB.com. Eksisterende billeder vil ikke bliver over skrevet.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Image saving convention:",
+ "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Log Ind",
+ "TitleSignIn": "Log Ind",
+ "HeaderPleaseSignIn": "Log venligst ind",
+ "LabelUser": "Bruger:",
+ "LabelPassword": "Kode:",
+ "ButtonManualLogin": "Manuelt Log Ind",
+ "PasswordLocalhostMessage": "Koder er ikke kr\u00e6vet n\u00e5r der logges ind fra localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Kanaler",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Kanaler",
+ "TabRecordings": "Optagelser",
+ "TabScheduled": "Planlagt",
+ "TabSeries": "Serier",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Annuller Optagelse",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Kommende TV",
+ "TabStatus": "Status",
+ "TabSettings": "Indstillinger",
+ "ButtonRefreshGuideData": "Opdater Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Prioritet",
+ "OptionRecordOnAllChannels": "Optag program p\u00e5 alle kanaler",
+ "OptionRecordAnytime": "Optag program uanset tidpunkt",
+ "OptionRecordOnlyNewEpisodes": "Optag kun nye episoder",
+ "HeaderDays": "Dage",
+ "HeaderActiveRecordings": "Aktive Optagelser",
+ "HeaderLatestRecordings": "Seneste Optagelse",
+ "HeaderAllRecordings": "Alle Optagelser",
+ "ButtonPlay": "Afspil",
+ "ButtonEdit": "Rediger",
+ "ButtonRecord": "Optag",
+ "ButtonDelete": "Slet",
+ "ButtonRemove": "Fjern",
+ "OptionRecordSeries": "Optag Serie",
+ "HeaderDetails": "Detaljer",
+ "TitleLiveTV": "Direkte TV",
+ "LabelNumberOfGuideDays": "Antal dage af program guide data til download:",
+ "LabelNumberOfGuideDaysHelp": "Hentning af flere dages program guide data giver mulighed for at planl\u00e6gge l\u00e6ngere ud i fremtiden, og se flere programoversigter, men det vil ogs\u00e5 tage l\u00e6ngere tid at downloade. Auto vil v\u00e6lge baseret p\u00e5 antallet af kanaler.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Boks",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Tilbage",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Hent Billeder:",
+ "HeaderImageSettings": "Billede Indstillinger",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maksimum antal af bagt\u00e6pper per element:",
+ "LabelMaxScreenshotsPerItem": "Maksimum antal af sk\u00e6rmbilleder per element:",
+ "LabelMinBackdropDownloadWidth": "Minimum bagt\u00e6ppe vidde:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Tilf\u00f8j Opgave Udl\u00f8ser",
+ "HeaderAddScheduledTaskTrigger": "Tilf\u00f8j Opgave Udl\u00f8ser",
+ "ButtonAdd": "Tilf\u00f8j",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Manglende Episoder",
+ "OptionUnairedEpisode": "Ikke Sendte Episoder",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Seriens Navn",
+ "OptionTvdbRating": "Tvdb Bed\u00f8mmelse",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "Serveren vil bestemme kvalitet og hastighed",
+ "OptionHighSpeedTranscodingHelp": "Lavere kvalitet, men hurtigere omkodning",
+ "OptionHighQualityTranscodingHelp": "H\u00f8jere kvalitet, men langsommere omkodning",
+ "OptionMaxQualityTranscodingHelp": "Bedste kvalitet med langsommere omkodning og h\u00f8jere CPU forbrug",
+ "OptionHighSpeedTranscoding": "H\u00f8jere hastighed",
+ "OptionHighQualityTranscoding": "H\u00f8jere kvalietet",
+ "OptionMaxQualityTranscoding": "H\u00f8jeste kvalitet",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "Dette lave generer meget store log filer, og er kun anbefalet at bruge til fejlfindings form\u00e5l.",
+ "OptionUpscaling": "Tillad klienter at bede om opskaleret video",
+ "OptionUpscalingHelp": "I nogle tilf\u00e6lde vil dette f\u00f8rer til bedre video kvalitet, men vil for\u00f8ge CPU forbruget.",
+ "EditCollectionItemsHelp": "Tilf\u00f8j eller fjern hvilken som helst film, serier, albums, bog eller spil, du har lyst til at tilf\u00f8je til denne samling.",
+ "HeaderAddTitles": "Tilf\u00f8j Titler",
+ "LabelEnableDlnaPlayTo": "Aktiver DLNA \"Afspil Til\"",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "Nyt indhold tilf\u00f8jet (flere)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Program",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Op",
+ "ButtonArrowDown": "Ned",
+ "ButtonArrowLeft": "Venstre",
+ "ButtonArrowRight": "H\u00f8jre",
+ "ButtonBack": "Tilbage",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Side op",
+ "ButtonPageDown": "Side ned",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Hjem",
+ "ButtonSearch": "S\u00f8g",
+ "ButtonSettings": "Indstillinger",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Bogstav op",
+ "ButtonLetterDown": "Bogstav ned",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Spiler nu",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scener",
+ "ButtonSubtitles": "Undertekster",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin fejl",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Lyd",
+ "OptionProfileVideoAudio": "Video lyd",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "bruger bibliotek",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "System venligt navn",
+ "LabelManufacturer": "Producent",
+ "LabelManufacturerUrl": "Producent url",
+ "LabelModelName": "Model navn",
+ "LabelModelNumber": "Model nummer",
+ "LabelModelDescription": "Model beskrivelse",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Spring over hvis videioen allerede indeholder grafiske undertekster",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Undertekster",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles brugernavn:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles kode:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck dette for at sikre at alle videoer har undertekster, uanset hvilket sprog lydsporet anvender.",
+ "HeaderSendMessage": "Send besked",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Tekst besked",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/de.json b/MediaBrowser.Server.Implementations/Localization/Server/de.json
index b7df072602..4b097ff202 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/de.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/de.json
@@ -1,588 +1,4 @@
{
- "ButtonSignIn": "Einloggen",
- "TitleSignIn": "Einloggen",
- "HeaderPleaseSignIn": "Bitte einloggen",
- "LabelUser": "Benutzer:",
- "LabelPassword": "Passwort:",
- "ButtonManualLogin": "Manuelle Anmeldung",
- "PasswordLocalhostMessage": "Passw\u00f6rter werden nicht gebraucht, wenn du dich vom Localhost aus einloggst.",
- "TabGuide": "Programm",
- "TabChannels": "Kan\u00e4le",
- "TabCollections": "Sammlungen",
- "HeaderChannels": "Kan\u00e4le",
- "TabRecordings": "Aufnahmen",
- "TabScheduled": "Geplant",
- "TabSeries": "Serie",
- "TabFavorites": "Favoriten",
- "TabMyLibrary": "Meine Bibliothek",
- "ButtonCancelRecording": "Aufnahme abbrechen",
- "HeaderPrePostPadding": "Pufferzeit vor\/nach der Aufnahme",
- "LabelPrePaddingMinutes": "Minuten vor der Aufnahme",
- "OptionPrePaddingRequired": "Die Pufferzeit vor der Aufnahme ist notwendig um aufzunehmen",
- "LabelPostPaddingMinutes": "Pufferminuten nach der Aufnahme",
- "OptionPostPaddingRequired": "Die Pufferzeit nach der Aufnahme ist notwendig um aufzunehmen",
- "HeaderWhatsOnTV": "Was gibts",
- "HeaderUpcomingTV": "Bevorstehend",
- "TabStatus": "Status",
- "TabSettings": "Einstellungen",
- "ButtonRefreshGuideData": "Aktualisiere TV-Programmdaten",
- "ButtonRefresh": "Aktualisieren",
- "ButtonAdvancedRefresh": "Erweiterte Aktualiserung",
- "OptionPriority": "Priorit\u00e4t",
- "OptionRecordOnAllChannels": "Nehme Programm auf allen Kan\u00e4len auf",
- "OptionRecordAnytime": "Neme Programm zu jeder Zeit auf",
- "OptionRecordOnlyNewEpisodes": "Nehme nur neue Episoden auf",
- "HeaderDays": "Tage",
- "HeaderActiveRecordings": "Aktive Aufnahmen",
- "HeaderLatestRecordings": "Neueste Aufnahmen",
- "HeaderAllRecordings": "Alle Aufnahmen",
- "ButtonPlay": "Abspielen",
- "ButtonEdit": "Bearbeiten",
- "ButtonRecord": "Aufnehmen",
- "ButtonDelete": "L\u00f6schen",
- "ButtonRemove": "Entfernen",
- "OptionRecordSeries": "Nehme Serie auf",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live-TV",
- "LabelNumberOfGuideDays": "Anzahl von Tagen f\u00fcr die Programminformationen geladen werden sollen:",
- "LabelNumberOfGuideDaysHelp": "Das laden von zus\u00e4tzlichen Programmdaten bietet einen besseren \u00dcberblick und die M\u00f6glichkeit weiter in die Zukunft zu planen. Aber es wird l\u00e4nger dauern alles herunterzuladen. Auto w\u00e4hlt auf Grundlage der Kanalanzahl.",
- "LabelActiveService": "Aktiver Service:",
- "LabelActiveServiceHelp": "Mehrere TV Plugins k\u00f6nnen installiert sein, aber nur eines kann aktiv sein.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "Ein Live-TV Serviceproviderplugin ist notwendig um fortzufahren.",
- "LiveTvPluginRequiredHelp": "Bitte installiere eines der verf\u00fcgbaren Plugins, wie z.B. Next Pvr oder ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Anpassungen f\u00fcr Medientyp:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Men\u00fc",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disk",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Zur\u00fcck",
- "OptionDownloadArtImage": "Kunst",
- "OptionDownloadPrimaryImage": "Prim\u00e4r",
- "HeaderFetchImages": "Bilder abrufen:",
- "HeaderImageSettings": "Bild Einstellungen",
- "TabOther": "Andere",
- "LabelMaxBackdropsPerItem": "Maximale Anzahl von Hintergr\u00fcnden pro Element:",
- "LabelMaxScreenshotsPerItem": "Maximale Anzahl von Screenshots pro Element:",
- "LabelMinBackdropDownloadWidth": "Minimale Breite f\u00fcr zu herunterladende Hintergr\u00fcnde:",
- "LabelMinScreenshotDownloadWidth": "Minimale Breite f\u00fcr zu herunterladende Screenshot:",
- "ButtonAddScheduledTaskTrigger": "F\u00fcge Task Ausl\u00f6ser hinzu",
- "HeaderAddScheduledTaskTrigger": "F\u00fcge Task Ausl\u00f6ser hinzu",
- "ButtonAdd": "Hinzuf\u00fcgen",
- "LabelTriggerType": "Ausl\u00f6ser Typ:",
- "OptionDaily": "T\u00e4glich",
- "OptionWeekly": "W\u00f6chentlich",
- "OptionOnInterval": "Nach einem Intervall",
- "OptionOnAppStartup": "Bei Anwendungsstart",
- "OptionAfterSystemEvent": "Nach einem Systemereignis",
- "LabelDay": "Tag:",
- "LabelTime": "Zeit:",
- "LabelEvent": "Ereignis:",
- "OptionWakeFromSleep": "Aufwachen nach dem Schlafen",
- "LabelEveryXMinutes": "Alle:",
- "HeaderTvTuners": "Tuner",
- "HeaderGallery": "Gallerie",
- "HeaderLatestGames": "Neueste Spiele",
- "HeaderRecentlyPlayedGames": "Zuletzt gespielte Spiele",
- "TabGameSystems": "Spielsysteme",
- "TitleMediaLibrary": "Medienbibliothek",
- "TabFolders": "Verzeichnisse",
- "TabPathSubstitution": "Pfadersetzung",
- "LabelSeasonZeroDisplayName": "Anzeigename f\u00fcr Season 0:",
- "LabelEnableRealtimeMonitor": "Erlaube Echtzeit\u00fcberwachung:",
- "LabelEnableRealtimeMonitorHelp": "\u00c4nderungen werden auf unterst\u00fctzten Dateisystemen sofort \u00fcbernommen.",
- "ButtonScanLibrary": "Scanne Bibliothek",
- "HeaderNumberOfPlayers": "Abspielger\u00e4te:",
- "OptionAnyNumberOfPlayers": "Jeder",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Medienverzeichnisse",
- "HeaderThemeVideos": "Titelvideos",
- "HeaderThemeSongs": "Titelsongs",
- "HeaderScenes": "Szenen",
- "HeaderAwardsAndReviews": "Auszeichnungen und Bewertungen",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Musikvideos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Besetzung & Crew",
- "HeaderAdditionalParts": "Zus\u00e4tzliche Teile",
- "ButtonSplitVersionsApart": "Spalte Versionen ab",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Fehlend",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Pfadsubstitutionen werden zum Ersetzen eines Serverpfades durch einen Netzwerkpfad genutzt, auf den die Clients direkt zugreifen k\u00f6nnen. Weil Clients direkten Zugang zu den Medien auf dem Server haben, sind diese in der Lage die Medien direkt \u00fcber das Netzwerk zu spielen und dabei vermeiden sie die Nutzung von Server-Ressourcen f\u00fcr das transkodieren von Streams.",
- "HeaderFrom": "Von",
- "HeaderTo": "Nach",
- "LabelFrom": "Von:",
- "LabelFromHelp": "Beispiel: D:\\Movies (auf dem Server)",
- "LabelTo": "Nach:",
- "LabelToHelp": "Beispiel: \\\\MyServer\\Movies (Ein Pfad, auf den die Clients zugreifen k\u00f6nnen)",
- "ButtonAddPathSubstitution": "F\u00fcge Ersetzung hinzu",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Fehlende Episoden",
- "OptionUnairedEpisode": "Nicht ausgestrahlte Episoden",
- "OptionEpisodeSortName": "Episodensortiername",
- "OptionSeriesSortName": "Serien Name",
- "OptionTvdbRating": "Tvdb Bewertung",
- "HeaderTranscodingQualityPreference": "Transcoding Qualit\u00e4tseinstellung:",
- "OptionAutomaticTranscodingHelp": "Der Server entscheidet \u00fcber Qualit\u00e4t und Geschwindigkeit.",
- "OptionHighSpeedTranscodingHelp": "Niedrigere Qualit\u00e4t, aber schnelleres Encoden.",
- "OptionHighQualityTranscodingHelp": "H\u00f6here Qualit\u00e4t, aber langsameres Encoden.",
- "OptionMaxQualityTranscodingHelp": "Beste Qualit\u00e4t bei langsamen Encoden und hoher CPU Last",
- "OptionHighSpeedTranscoding": "H\u00f6here Geschwindigkeit",
- "OptionHighQualityTranscoding": "H\u00f6here Qualit\u00e4t",
- "OptionMaxQualityTranscoding": "Maximale Qualit\u00e4t",
- "OptionEnableDebugTranscodingLogging": "Aktiviere debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "Dies wird sehr lange Logdateien erzeugen und ist nur zur Fehlerbehebung empfehlenswert.",
- "OptionUpscaling": "Erlaube den Clients ein hochskaliertes Video anzufordern",
- "OptionUpscalingHelp": "In manchen F\u00e4llen wird dadurch die Videoqualit\u00e4t verbesserert, aber es erh\u00f6ht auch die CPU Last.",
- "EditCollectionItemsHelp": "Entferne oder f\u00fcge alle Filme, Serien, Alben, B\u00fccher oder Spiele, die du in dieser Sammlung gruppieren willst hinzu.",
- "HeaderAddTitles": "Titel hinzuf\u00fcgen",
- "LabelEnableDlnaPlayTo": "Aktiviere DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser kann Ger\u00e4te in ihrem Netzwerk erkennen und die M\u00f6glichekeit der Fernsteuerung anbieten.",
- "LabelEnableDlnaDebugLogging": "Aktiviere DLNA Debug Logging",
- "LabelEnableDlnaDebugLoggingHelp": "Dies wird gro\u00dfe Logdateien erzeugen und sollte nur zur Fehlerbehebung benutzt werden.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client-Entdeckungs Intervall (Sekunden)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bestimmt die Dauer in Sekunden zwischen SSDP Suchvorg\u00e4ngen die von Media Browser durchgef\u00fchrt wird.",
- "HeaderCustomDlnaProfiles": "Benutzerdefinierte Profile",
- "HeaderSystemDlnaProfiles": "Systemprofile",
- "CustomDlnaProfilesHelp": "Erstelle ein benutzerdefiniertes Profil f\u00fcr ein neues Zielger\u00e4t, oder um ein vorhandenes Systemprofil zu \u00fcberschreiben.",
- "SystemDlnaProfilesHelp": "Systemprofile sind schreibgesch\u00fctzt. \u00c4nderungen an einem Systemprofil werden als neues benutzerdefiniertes Profil gespeichert.",
- "TitleDashboard": "\u00dcbersicht",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "Systempfade",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Dokumentation",
- "LabelFriendlyServerName": "Freundlicher Servername:",
- "LabelFriendlyServerNameHelp": "Dieser Name wird benutzt um diesen Server zu identifizieren. Wenn leer gelassen, wird der Computername benutzt.",
- "LabelPreferredDisplayLanguage": "Bevorzugte Anzeigesprache",
- "LabelPreferredDisplayLanguageHelp": "Die \u00dcbersetzung von Media Browser ist ein andauerndes Projekt und noch nicht abgeschlossen.",
- "LabelReadHowYouCanContribute": "Lese wie du dazu beitragen kannst.",
- "HeaderNewCollection": "Neue Collection",
- "HeaderAddToCollection": "Zur Sammlung hinzuf\u00fcgen",
- "ButtonSubmit": "Best\u00e4tigen",
- "NewCollectionNameExample": "Beispiel: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Suche im Internet nach Bildmaterial und Metadaten",
- "ButtonCreate": "Kreieren",
- "LabelLocalHttpServerPortNumber": "Lokale Port-Nummer:",
- "LabelLocalHttpServerPortNumberHelp": "Die TCP-Port-Nummer, an die der http-Server von Media Browser gebunden werden soll.",
- "LabelPublicPort": "\u00d6ffentliche Port-Nummer:",
- "LabelPublicPortHelp": "Der \u00f6ffentliche Port-Nummer, die auf den lokalen Port zugeordnet werden soll.",
- "LabelWebSocketPortNumber": "Web Socket Port Nummer:",
- "LabelEnableAutomaticPortMap": "Aktiviere das automatische Port-Mapping",
- "LabelEnableAutomaticPortMapHelp": "Versuche automatisch den \u00f6ffentlichen Port dem lokalen Port mit Hilfe von UPnP zuzuordnen. Dies kann mit einigen Router-Modellen nicht funktionieren.",
- "LabelExternalDDNS": "Externe DDNS:",
- "LabelExternalDDNSHelp": "Wenn du eine dynamische DNS besitzen, trage Sie sie hier ein. Media Browser Apps werden sie verwenden, wenn sie sich verbinden.",
- "TabResume": "Fortsetzen",
- "TabWeather": "Wetter",
- "TitleAppSettings": "App Einstellungen",
- "LabelMinResumePercentage": "Minimale Prozent f\u00fcr Wiederaufnahme:",
- "LabelMaxResumePercentage": "Maximale Prozent f\u00fcr Wiederaufnahme:",
- "LabelMinResumeDuration": "Minimale Dauer f\u00fcr Wiederaufnahme (Sekunden):",
- "LabelMinResumePercentageHelp": "Titel werden als \"nicht abgespielt\" eingetragen, wenn sie vor dieser Zeit gestoppt werden",
- "LabelMaxResumePercentageHelp": "Titel werden als \"vollst\u00e4ndig abgespielt\" eingetragen, wenn sie nach dieser Zeit gestoppt werden",
- "LabelMinResumeDurationHelp": "Titel die k\u00fcrzer als dieser Wert sind, werden nicht fortsetzbar sein",
- "TitleAutoOrganize": "automatische Sortierung",
- "TabActivityLog": "Aktivit\u00e4tsverlauf",
- "HeaderName": "Name",
- "HeaderDate": "Datum",
- "HeaderSource": "Quelle",
- "HeaderDestination": "Ziel",
- "HeaderProgram": "Programm",
- "HeaderClients": "Clients",
- "LabelCompleted": "Fertiggestellt",
- "LabelFailed": "Fehlgeschlagen",
- "LabelSkipped": "\u00dcbersprungen",
- "HeaderEpisodeOrganization": "Episodensortierung",
- "LabelSeries": "Serien:",
- "LabelSeasonNumber": "Staffelnummer:",
- "LabelEpisodeNumber": "Episodennummer:",
- "LabelEndingEpisodeNumber": "Nummer der letzten Episode:",
- "LabelEndingEpisodeNumberHelp": "Nur erforderlich f\u00fcr Mehrfachepisoden",
- "HeaderSupportTheTeam": "Unterst\u00fcze das Media Browser Team",
- "LabelSupportAmount": "Betrag (USD)",
- "HeaderSupportTheTeamHelp": "Hilf bei der Weiterentwicklung dieses Projekts indem du spendest. Ein Teil der Spenden wird an freie Anwendungen auf die wir angewiesen sind weiter gespendet.",
- "ButtonEnterSupporterKey": "Supporter Key eintragen",
- "DonationNextStep": "Sobald abgeschlossen, kehre bitte hierher zur\u00fcck und trage den Unterst\u00fctzerschl\u00fcssel ein, den du per E-Mail erhalten hast.",
- "AutoOrganizeHelp": "Die \"Auto-Organisation\" \u00fcberpr\u00fcft die Download-Verzeichnisse auf neue Dateien und verschiebt diese in die Medienverzeichnisse.",
- "AutoOrganizeTvHelp": "TV Dateien Organisation wird nur Episoden zu bereits vorhandenen Serien hinzuf\u00fcgen. Es werden keine neuen Serien angelegt.",
- "OptionEnableEpisodeOrganization": "Aktiviere die Sortierung neuer Episoden",
- "LabelWatchFolder": "\u00dcberwache Verzeichnis:",
- "LabelWatchFolderHelp": "Der Server wird dieses Verzeichnis, w\u00e4hrend der geplanten Aufgabe \"Organisiere neue Mediendateien\", abfragen.",
- "ButtonViewScheduledTasks": "Zeige Geplante Aufgaben",
- "LabelMinFileSizeForOrganize": "Minimale Dateigr\u00f6\u00dfe (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Dateien unter dieser Gr\u00f6\u00dfe werden ignoriert.",
- "LabelSeasonFolderPattern": "Staffelordnervorlage:",
- "LabelSeasonZeroFolderName": "Verzeichnisname f\u00fcr Staffel 0:",
- "HeaderEpisodeFilePattern": "Episodendateivorlage:",
- "LabelEpisodePattern": "Episodenvorlage:",
- "LabelMultiEpisodePattern": "Multi-Episodenvorlage:",
- "HeaderSupportedPatterns": "Unterst\u00fctzte Vorlagen:",
- "HeaderTerm": "Begriff",
- "HeaderPattern": "Vorlagen",
- "HeaderResult": "Ergebnis",
- "LabelDeleteEmptyFolders": "L\u00f6sche leere Verzeichnisse nach dem Organisieren.",
- "LabelDeleteEmptyFoldersHelp": "Aktiviere dies um den Downloadverzeichnisse sauber zu halten.",
- "LabelDeleteLeftOverFiles": "L\u00f6sche \u00fcbriggebliebene Dateien mit den folgenden Dateiendungen:",
- "LabelDeleteLeftOverFilesHelp": "Unterteile mit ;. Zum Beispiel: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "\u00dcberschreibe vorhandene Episoden",
- "LabelTransferMethod": "\u00dcbertragungsmethode",
- "OptionCopy": "Kopieren",
- "OptionMove": "Verschieben",
- "LabelTransferMethodHelp": "Kopiere oder verschiebe Dateien aus dem \u00dcberwachungsverzeichnis",
- "HeaderLatestNews": "Neueste Nachrichten",
- "HeaderHelpImproveMediaBrowser": "Hilf Media Browser zu verbessern",
- "HeaderRunningTasks": "Laufende Aufgaben",
- "HeaderActiveDevices": "Aktive Ger\u00e4te",
- "HeaderPendingInstallations": "Ausstehende Installationen",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Jetzt neustarten",
- "ButtonRestart": "Neu starten",
- "ButtonShutdown": "Herunterfahren",
- "ButtonUpdateNow": "Jetzt aktualisieren",
- "PleaseUpdateManually": "Bitte herunterfahren und den Server manuell aktualisieren.",
- "NewServerVersionAvailable": "Eine neue Version des Media Browser Server ist verf\u00fcgbar!",
- "ServerUpToDate": "Media Browser Server ist aktuell",
- "ErrorConnectingToMediaBrowserRepository": "Es trat ein Fehler bei der Verbindung zum Media Browser Repository auf.",
- "LabelComponentsUpdated": "Die folgenden Komponenten wurden installiert oder aktualisiert:",
- "MessagePleaseRestartServerToFinishUpdating": "Bitte den Server neustarten, um die Aktualisierungen abzuschlie\u00dfen.",
- "LabelDownMixAudioScale": "Audio Verst\u00e4rkung bei Downmixing:",
- "LabelDownMixAudioScaleHelp": "Erh\u00f6he die Audiolautst\u00e4rke beim Heruntermischen. Setzte auf 1 um die original Lautst\u00e4rke zu erhalten.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Alter Unterst\u00fctzerschl\u00fcssel",
- "LabelNewSupporterKey": "Neuer Unterst\u00fctzerschl\u00fcssel",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Aktuelle E-Mail Adresse",
- "LabelCurrentEmailAddressHelp": "Die aktuelle E-Mail Adresse, an die ihr neuer Schl\u00fcssel gesendet wurde.",
- "HeaderForgotKey": "Schl\u00fcssel vergessen",
- "LabelEmailAddress": "E-Mail Adresse",
- "LabelSupporterEmailAddress": "Die E-Mail Adresse, die zum Kauf des Schl\u00fcssels benutzt wurde.",
- "ButtonRetrieveKey": "Schl\u00fcssel wiederherstellen",
- "LabelSupporterKey": "Unterst\u00fctzerschl\u00fcssel (einf\u00fcgen aus E-Mail)",
- "LabelSupporterKeyHelp": "Gebe deinen Unterst\u00fctzerschl\u00fcssel ein um zus\u00e4tzliche Vorteile zu genie\u00dfen, die die Community f\u00fcr Media Browser entwickelt hat.",
- "MessageInvalidKey": "MB3 Schl\u00fcssel nicht vorhanden oder ung\u00fcltig.",
- "ErrorMessageInvalidKey": "Um einen Premiuminhalt zu registrieren, musst du auch ein Media Browser Unterst\u00fctzer sein. Bitte spende und unterst\u00fctze so die Weiterentwicklung des Kernprodukts. Danke.",
- "HeaderDisplaySettings": "Anzeige Einstellungen",
- "TabPlayTo": "Spiele an",
- "LabelEnableDlnaServer": "Aktiviere DLNA Server",
- "LabelEnableDlnaServerHelp": "Erlaubt UPnP Ger\u00e4ten in ihrem Netzwerk den Media Browser Inhalt zu durchsuchen und wiederzugeben.",
- "LabelEnableBlastAliveMessages": "Erzeuge Alive Meldungen",
- "LabelEnableBlastAliveMessagesHelp": "Aktiviere dies, wenn der Server nicht zuverl\u00e4ssig von anderen UPnP Ger\u00e4ten in ihrem Netzwerk erkannt wird.",
- "LabelBlastMessageInterval": "Alive Meldungsintervall (Sekunden)",
- "LabelBlastMessageIntervalHelp": "Legt die Dauer in Sekunden zwischen den Server Alive Meldungen fest.",
- "LabelDefaultUser": "Standardbenutzer",
- "LabelDefaultUserHelp": "Legt fest, welche Benutzerbibliothek auf verbundenen Ger\u00e4ten angezeigt werden soll. Dies kann f\u00fcr jedes Ger\u00e4t durch Profile \u00fcberschrieben werden.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Kanal",
- "HeaderServerSettings": "Server Einstellungen",
- "LabelWeatherDisplayLocation": "Wetteranzeige Ort:",
- "LabelWeatherDisplayLocationHelp": "US Postleitzahl \/ Stadt, Staat, Land \/ Stadt, Land",
- "LabelWeatherDisplayUnit": "Wetteranzeige Einheit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Manuelle Eingabe des Benutzernamens bei:",
- "HeaderRequireManualLoginHelp": "Wenn deaktiviert k\u00f6nnen Clients einen Anmeldebildschirm mit einer visuellen Auswahl der User anzeigen.",
- "OptionOtherApps": "Andere Apps",
- "OptionMobileApps": "Mobile Apps",
- "HeaderNotificationList": "Klicke auf eine Benachrichtigung um die Benachrichtigungseinstellungen zu bearbeiten",
- "NotificationOptionApplicationUpdateAvailable": "Anwendungsaktualisierung verf\u00fcgbar",
- "NotificationOptionApplicationUpdateInstalled": "Anwendungsaktualisierung installiert",
- "NotificationOptionPluginUpdateInstalled": "Pluginaktualisierung installiert",
- "NotificationOptionPluginInstalled": "Plugin installiert",
- "NotificationOptionPluginUninstalled": "Plugin deinstalliert",
- "NotificationOptionVideoPlayback": "Videowiedergabe gestartet",
- "NotificationOptionAudioPlayback": "Audiowiedergabe gestartet",
- "NotificationOptionGamePlayback": "Spielwiedergabe gestartet",
- "NotificationOptionVideoPlaybackStopped": "Videowiedergabe gestoppt",
- "NotificationOptionAudioPlaybackStopped": "Audiowiedergabe gestoppt",
- "NotificationOptionGamePlaybackStopped": "Spielwiedergabe gestoppt",
- "NotificationOptionTaskFailed": "Fehler bei geplanter Aufgabe",
- "NotificationOptionInstallationFailed": "Installationsfehler",
- "NotificationOptionNewLibraryContent": "Neuer Inhalt hinzugef\u00fcgt",
- "NotificationOptionNewLibraryContentMultiple": "Neuen Inhalte hinzugef\u00fcgt (mehrere)",
- "SendNotificationHelp": "Standardm\u00e4\u00dfig werden Benachrichtigungen in der Optionsleiste angezeigt. Durchsuche den Plugin Katalog f\u00fcr die Installation von weiteren Benachrichtigungsm\u00f6glichkeiten.",
- "NotificationOptionServerRestartRequired": "Serverneustart notwendig",
- "LabelNotificationEnabled": "Aktiviere diese Benachrichtigung",
- "LabelMonitorUsers": "\u00dcberwache Aktivit\u00e4t von:",
- "LabelSendNotificationToUsers": "Sende die Benachrichtigung an:",
- "LabelUseNotificationServices": "Nutze folgende Dienste:",
- "CategoryUser": "Benutzer",
- "CategorySystem": "System",
- "CategoryApplication": "Anwendung",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Benachrichtigungstitel:",
- "LabelAvailableTokens": "Verf\u00fcgbare Tokens:",
- "AdditionalNotificationServices": "Durchsuche den Plugin Katalog, um weitere Benachrichtigungsdienste zu installieren.",
- "OptionAllUsers": "Alle Benutzer",
- "OptionAdminUsers": "Administratoren",
- "OptionCustomUsers": "Benutzer",
- "ButtonArrowUp": "Auf",
- "ButtonArrowDown": "Ab",
- "ButtonArrowLeft": "Links",
- "ButtonArrowRight": "Rechts",
- "ButtonBack": "Zur\u00fcck",
- "ButtonInfo": "Info",
- "ButtonOsd": "On Screen Display",
- "ButtonPageUp": "Bild auf",
- "ButtonPageDown": "Bild ab",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Suche",
- "ButtonSettings": "Einstellungen",
- "ButtonTakeScreenshot": "Bildschirmfoto aufnehmen",
- "ButtonLetterUp": "Buchstabe hoch",
- "ButtonLetterDown": "Buchstabe runter",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Aktuelle Wiedergabe",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Vollbild umschalten",
- "ButtonScenes": "Szenen",
- "ButtonSubtitles": "Untertitel",
- "ButtonAudioTracks": "Audiospuren",
- "ButtonPreviousTrack": "Vorheriges St\u00fcck",
- "ButtonNextTrack": "N\u00e4chstes St\u00fcck",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "N\u00e4chstes",
- "ButtonPrevious": "Vorheriges",
- "LabelGroupMoviesIntoCollections": "Gruppiere Filme in Collections",
- "LabelGroupMoviesIntoCollectionsHelp": "Wenn Filmlisten angezeigt werden, dann werden Filme, die zu einer Collection geh\u00f6ren, als ein gruppiertes Element angezeigt.",
- "NotificationOptionPluginError": "Plugin Fehler",
- "ButtonVolumeUp": "Lauter",
- "ButtonVolumeDown": "Leiser",
- "ButtonMute": "Stumm",
- "HeaderLatestMedia": "Neueste Medien",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Getrennt durch Komma. Leerlassen, um auf alle Codecs anzuwenden.",
- "LabelProfileContainersHelp": "Getrennt durch Komma. Leerlassen, um auf alle Container anzuwenden.",
- "HeaderResponseProfile": "Antwort Profil",
- "LabelType": "Typ:",
- "LabelPersonRole": "Rolle:",
- "LabelPersonRoleHelp": "Rollen sind generell nur f\u00fcr Schauspieler verf\u00fcgbar.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video Codecs:",
- "LabelProfileAudioCodecs": "Audio Codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direktwiedergabe Profil",
- "HeaderTranscodingProfile": "Transcoding Profil",
- "HeaderCodecProfile": "Codec Profil",
- "HeaderCodecProfileHelp": "Codec Profile weisen auf Beschr\u00e4nkungen eines Ger\u00e4tes beim Abspielen bestimmter Codecs hin. Wenn eine Beschr\u00e4nkung zutrifft, dann werden Medien transcodiert, auch wenn der Codec f\u00fcr die Direktwiedergabe konfiguriert ist.",
- "HeaderContainerProfile": "Container Profil",
- "HeaderContainerProfileHelp": "Container Profile weisen auf Beschr\u00e4nkungen einen Ger\u00e4tes beim Abspielen bestimmter Formate hin. Wenn eine Beschr\u00e4nkung zutrifft, dann werden Medien transcodiert, auch wenn das Format f\u00fcr die Direktwiedergabe konfiguriert ist.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "Benutzer Bibliothek:",
- "LabelUserLibraryHelp": "W\u00e4hle aus, welche Medienbibliothek auf den Endger\u00e4ten angezeigt werden soll. Ohne Eintrag wird die Standardeinstellung beibehalten.",
- "OptionPlainStorageFolders": "Zeige alle Verzeichnisse als reine Speicherorte an",
- "OptionPlainStorageFoldersHelp": "Falls aktiviert, werden alle Verzeichnisse in DIDL als \"object.container.storageFolder\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Zeige alle Videos als reine Videodateien an",
- "OptionPlainVideoItemsHelp": "Falls aktiviert, werden alle Videos in DIDL als \"object.item.videoItem\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Unterst\u00fczte Medientypen:",
- "TabIdentification": "Identifikation",
- "HeaderIdentification": "Identifizierung",
- "TabDirectPlay": "Direktwiedergabe",
- "TabContainers": "Container",
- "TabCodecs": "Codecs",
- "TabResponses": "Antworten",
- "HeaderProfileInformation": "Profil Infomationen",
- "LabelEmbedAlbumArtDidl": "Integrierte Alben-Cover in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Einige Ger\u00e4te bevorzugen diese Methode um Album Art darstellen zu k\u00f6nnen. Andere wiederum k\u00f6nnen evtl. nichts abspielen, wenn diese Funktion aktiviert ist.",
- "LabelAlbumArtPN": "Alben-Cover PN:",
- "LabelAlbumArtHelp": "Die genutzte PN f\u00fcr Alben-Cover innerhalb der dlna:profileID Eigenschaften auf upnp:albumArtURL. Manche Abspielger\u00e4te ben\u00f6tigen einen bestimmten Wert, unabh\u00e4ngig von der Bildgr\u00f6\u00dfe.",
- "LabelAlbumArtMaxWidth": "Maximale Breite f\u00fcr Album Art:",
- "LabelAlbumArtMaxWidthHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Album Art:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Maximale H\u00f6he f\u00fcr Album Art:",
- "LabelAlbumArtMaxHeightHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Album Art:albumArtURI.",
- "LabelIconMaxWidth": "Maximale Iconbreite:",
- "LabelIconMaxWidthHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Icons:icon.",
- "LabelIconMaxHeight": "Maximale Iconh\u00f6he:",
- "LabelIconMaxHeightHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Icons:icon.",
- "LabelIdentificationFieldHelp": "Ein Teilstring oder Regex Ausdruck, der keine Gro\u00df- und Kleinschreibung ber\u00fccksichtigt.",
- "HeaderProfileServerSettingsHelp": "Diese Einstellungen legen fest, wie sich MediaBrowser gegen\u00fcber den Endger\u00e4ten verh\u00e4lt.",
- "LabelMaxBitrate": "Maximale Bitrate:",
- "LabelMaxBitrateHelp": "Lege eine maximale Bitrate, f\u00fcr Anwendungsgebiete mit begrenzter Bandbreite oder bei durch die Endger\u00e4te auferlegten Banbdbreitenbegrenzungen, fest",
- "LabelMaxStreamingBitrate": "Maximale Streamingbitrate",
- "LabelMaxStreamingBitrateHelp": "W\u00e4hle die maximale Bitrate w\u00e4hrend des streamens.",
- "LabelMaxStaticBitrate": "Maximale Synchronisierungsbitrate ",
- "LabelMaxStaticBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das synchronisieren von Inhalten mit hoher Qualit\u00e4t.",
- "LabelMusicStaticBitrate": "Musik Synchronisierungsbitrate:",
- "LabelMusicStaticBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das synchronisieren von Musik",
- "LabelMusicStreamingTranscodingBitrate": "Musik Transkodier Bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das streamen von Musik",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignoriere Anfragen f\u00fcr Transkodierbytebereiche",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Falls aktiviert, werden diese Anfragen ber\u00fccksichtigt aber Byte-Range-Header ignoriert werden.",
- "LabelFriendlyName": "Freundlicher Name",
- "LabelManufacturer": "Hersteller",
- "LabelManufacturerUrl": "Hersteller URL",
- "LabelModelName": "Modellname",
- "LabelModelNumber": "Modellnummer",
- "LabelModelDescription": "Modellbeschreibung",
- "LabelModelUrl": "Modell URL",
- "LabelSerialNumber": "Seriennummer",
- "LabelDeviceDescription": "Ger\u00e4tebeschreibung",
- "HeaderIdentificationCriteriaHelp": "Gebe mindestens ein Identifikationskriterium an.",
- "HeaderDirectPlayProfileHelp": "F\u00fcge Direct-Play Profile hinzu um die nativen Abspielm\u00f6glichkeiten von Ger\u00e4ten festzulegen.",
- "HeaderTranscodingProfileHelp": "F\u00fcge Transkodierprofile hinzu, um festzulegen welche Formate genutzt werden sollen, falls transkodiert werden muss.",
- "HeaderResponseProfileHelp": "Antwortprofile bieten eine M\u00f6glichkeit die Informationen, die w\u00e4hrend dem abspielen diverser Medientypen an die Abspielger\u00e4te gesendet werden, zu personalisieren.",
- "LabelXDlnaCap": "X-DLNA Grenze:",
- "LabelXDlnaCapHelp": "Legt den Inhalt des X_DLNACAP Elements in der urn:schemas-dlna-org:device-1-0 namespace fest.",
- "LabelXDlnaDoc": "X-DLNA Dokument:",
- "LabelXDlnaDocHelp": "Legt den Inhalt des X_DLNADOC Elements in der urn:schemas-dlna-org:device-1-0 namespace fest.",
- "LabelSonyAggregationFlags": "Sony Aggregation Flags:",
- "LabelSonyAggregationFlagsHelp": "Legt den Inhalt des aggregationFlags Elements in der rn:schemas-sonycom:av namespace fest.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video Codec:",
- "LabelTranscodingVideoProfile": "Video Profil:",
- "LabelTranscodingAudioCodec": "Audio Codec:",
- "OptionEnableM2tsMode": "Aktiviere M2TS Modus",
- "OptionEnableM2tsModeHelp": "Aktiviere M2TS Modus beim Encodieren nach MPEGTS.",
- "OptionEstimateContentLength": "Voraussichtliche Inhaltsl\u00e4nge beim Transkodieren",
- "OptionReportByteRangeSeekingWhenTranscoding": "Teilt die Unterst\u00fctzung der Bytesuche w\u00e4hrend des transkodierens auf dem Server mit.",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dies wird f\u00fcr manche Abspielger\u00e4te ben\u00f6tigt, auf denen die Zeitsuche nicht gut funktioniert.",
- "HeaderSubtitleDownloadingHelp": "Wenn Media Browser deine Videodateien scannt kann er nach fehlenden Untertiteln suchen und diese mit Hilfe eines Untertitelanbieters, wie beispielsweise OpenSubtitles.org, herunterladen.",
- "HeaderDownloadSubtitlesFor": "Lade Untertitel runter f\u00fcr",
- "MessageNoChapterProviders": "Installiere ein Plugin f\u00fcr Kapitelinhalte, wie beispielsweise ChapterDb, um weitere Optionen f\u00fcr Kapitel zu erhalten.",
- "LabelSkipIfGraphicalSubsPresent": "\u00dcberspringen, falls das Video bereits grafische Untertitel enth\u00e4lt",
- "LabelSkipIfGraphicalSubsPresentHelp": "Die Beibehaltung von Textversionen der Untertitel ist effizienter f\u00fcr die \u00dcbermittlung an mobile Endger\u00e4te.",
- "TabSubtitles": "Untertitel",
- "TabChapters": "Kapitel",
- "HeaderDownloadChaptersFor": "Lade Kapitelnamen herunter f\u00fcr:",
- "LabelOpenSubtitlesUsername": "\"Open Subtitles\" Benutzername:",
- "LabelOpenSubtitlesPassword": "\"Open Subtitles\" Passwort:",
- "HeaderChapterDownloadingHelp": "Wenn Media Browser deine Videodateien scannt kann er nach passenden Kapitelnamen suchen und diese mit Hilfe eines Kapitel Plugins, wie beispielsweise ChapterDb, herunterladen.",
- "LabelPlayDefaultAudioTrack": "Spiele unabh\u00e4ngig von der Sprache die Standardtonspur",
- "LabelSubtitlePlaybackMode": "Untertitel Modus:",
- "LabelDownloadLanguages": "Herunterzuladende Sprachen:",
- "ButtonRegister": "Registrierung",
- "LabelSkipIfAudioTrackPresent": "\u00dcberspringen, falls der Ton bereits der herunterladbaren Sprache entspricht",
- "LabelSkipIfAudioTrackPresentHelp": "Entferne den Haken, um sicherzustellen das alle Videos Untertitel haben, unabh\u00e4ngig von der Audiosprache",
- "HeaderSendMessage": "sende Nachricht",
- "ButtonSend": "senden",
- "LabelMessageText": "Inhalt der Nachricht",
- "MessageNoAvailablePlugins": "Keine verf\u00fcgbaren Erweiterungen.",
- "LabelDisplayPluginsFor": "Zeige Plugins f\u00fcr:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episodenname",
- "LabelSeriesNamePlain": "Serienname",
- "ValueSeriesNamePeriod": "Serien.Name",
- "ValueSeriesNameUnderscore": "Serien_Name",
- "ValueEpisodeNamePeriod": "Episodentitel",
- "ValueEpisodeNameUnderscore": "Episoden_Name",
- "LabelSeasonNumberPlain": "Staffelnummer",
- "LabelEpisodeNumberPlain": "Episodennummer",
- "LabelEndingEpisodeNumberPlain": "Nummer der letzten Episode",
- "HeaderTypeText": "Texteingabe",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Suche nach Untertiteln",
- "MessageNoSubtitleSearchResultsFound": "Keine Suchergebnisse gefunden",
- "TabDisplay": "Anzeige",
- "TabLanguages": "Sprachen",
- "TabWebClient": "Webclient",
- "LabelEnableThemeSongs": "Aktiviere Titelmelodie",
- "LabelEnableBackdrops": "Aktiviere Hintergr\u00fcnde",
- "LabelEnableThemeSongsHelp": "Wenn aktiviert, wird die Titelmusik w\u00e4hrend dem Durchsuchen durch die Bibliothek im Hintergrund abgespielt",
- "LabelEnableBackdropsHelp": "Falls aktiviert, werden beim durchsuchen der Bibliothek auf einigen Seiten passende Hintergr\u00fcnde angezeigt.",
- "HeaderHomePage": "Startseite",
- "HeaderSettingsForThisDevice": "Einstellungen f\u00fcr dieses Ger\u00e4t",
- "OptionAuto": "Auto",
- "OptionYes": "Ja",
- "OptionNo": "Nein",
- "LabelHomePageSection1": "Startseite Bereich 1:",
- "LabelHomePageSection2": "Startseite Bereich 2:",
- "LabelHomePageSection3": "Startseite Bereich 3:",
- "LabelHomePageSection4": "Startseite Bereich 4:",
- "OptionMyViewsButtons": "Meine Ansichten (Tasten)",
- "OptionMyViews": "Meine Ansichten",
- "OptionMyViewsSmall": "Meine Ansichten (Klein)",
- "OptionResumablemedia": "Wiederhole",
- "OptionLatestMedia": "Neuste Medien",
- "OptionLatestChannelMedia": "Neueste Channel Inhalte:",
- "HeaderLatestChannelItems": "Neueste Channel Inhalte:",
- "OptionNone": "Keines",
- "HeaderLiveTv": "Live-TV",
- "HeaderReports": "Meldungen",
- "HeaderMetadataManager": "Metadaten-Manager",
- "HeaderPreferences": "Einstellungen",
- "MessageLoadingChannels": "Lade Kanalinhalt...",
- "MessageLoadingContent": "Lade Inhalt...",
- "ButtonMarkRead": "Als gelesen markieren",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Meistgesehen",
- "TabNextUp": "Als N\u00e4chstes",
- "MessageNoMovieSuggestionsAvailable": "Momentan sind keine Filmvorschl\u00e4ge verf\u00fcgbar. Schaue und bewerte zuerst deine Filme. Komme danach zur\u00fcck, um deine Filmvorschl\u00e4ge anzuschauen.",
- "MessageNoCollectionsAvailable": "Sammlungen erlauben es dir eine personalisierte Zusammenstellung von Filmen, Serien, Alben, B\u00fcchern und Spielen zu genie\u00dfen. Klicke auf den \"Neu\" Button um mit der Erstellung von Sammlungen zu beginnen.",
- "MessageNoPlaylistsAvailable": "Wiedergabeliste erlauben es dir eine Liste mit Inhalt zu erstellen der fortlaufend abgespielt wird. Um einer Wiedergabeliste Inhalte hinzuzuf\u00fcgen klicke rechts oder mache einen langen Tap und w\u00e4hle daraufhin \"Zur Wiedergabeliste hinzuf\u00fcgen\" aus.",
- "MessageNoPlaylistItemsAvailable": "Diese Wiedergabeliste ist momentan leer.",
- "HeaderWelcomeToMediaBrowserWebClient": "Willkommen zum Media Browser Web Client",
- "ButtonDismiss": "Verwerfen",
- "ButtonTakeTheTour": "Mache die Tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Bevorzugte Qualit\u00e4t des Internetstreams",
- "LabelChannelStreamQualityHelp": "In einer Umgebung mit langsamer Bandbreite kann die Beschr\u00e4nkung der Wiedergabequalit\u00e4t eine fl\u00fcssige Darstellung sichern.",
- "OptionBestAvailableStreamQuality": "Die besten verf\u00fcgbaren",
- "LabelEnableChannelContentDownloadingFor": "Aktiviere das herunterladen von Channel Inhalten f\u00fcr:",
- "LabelEnableChannelContentDownloadingForHelp": "Manche Kan\u00e4le unterst\u00fctzen das herunterladen von Inhalten vor dem eigentlichen ansehen. Aktiviere diese Funktion in Umgebungen mit langsamer Bandbreite, um Inhalte herunterzuladen w\u00e4hrend keine aktive Nutzung stattfindet. Die Inhalte werden dabei im Zuge der automatisierten Channel Download Aufgabe heruntergeladen.",
- "LabelChannelDownloadPath": "Channel Inhalt Downloadverzeichnis:",
- "LabelChannelDownloadPathHelp": "Lege, falls gew\u00fcnscht, einen eigenen Pfad f\u00fcr Downloads fest. Lasse das Feld frei, wenn in den internen Programmdatenordner heruntergeladen werden soll.",
- "LabelChannelDownloadAge": "L\u00f6sche Inhalt nach: (Tagen)",
- "LabelChannelDownloadAgeHelp": "Heruntergeladene Inhalte die \u00e4lter als dieser Wert sind werden gel\u00f6scht. Sie werden aber weiterhin \u00fcber das Internetstreaming verf\u00fcgbar sein.",
- "ChannelSettingsFormHelp": "Installiere Kan\u00e4le wie beispielsweise \"Trailers\" oder \"Vimeo\" aus dem Plugin Katalog.",
- "LabelSelectCollection": "W\u00e4hle Zusammenstellung:",
- "ButtonOptions": "Optionen",
- "ViewTypeMovies": "Filme",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Spiele",
- "ViewTypeMusic": "Musik",
- "ViewTypeBoxSets": "Sammlungen",
- "ViewTypeChannels": "Kan\u00e4le",
- "ViewTypeLiveTV": "Live-TV",
- "ViewTypeLiveTvNowPlaying": "Gerade ausgestrahlt",
- "ViewTypeLatestGames": "Neueste Spiele",
- "ViewTypeRecentlyPlayedGames": "K\u00fcrzlich abgespielt",
- "ViewTypeGameFavorites": "Favoriten",
- "ViewTypeGameSystems": "Spielesysteme",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Fortsetzen",
- "ViewTypeTvNextUp": "Als n\u00e4chstes",
- "ViewTypeTvLatest": "Neueste",
- "ViewTypeTvShowSeries": "Serien",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Serien Favoriten",
- "ViewTypeTvFavoriteEpisodes": "Episoden Favoriten",
- "ViewTypeMovieResume": "Fortsetzen",
- "ViewTypeMovieLatest": "Neueste",
- "ViewTypeMovieMovies": "Filme",
- "ViewTypeMovieCollections": "Sammlungen",
- "ViewTypeMovieFavorites": "Favoriten",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Neueste",
- "ViewTypeMusicAlbums": "Alben",
- "ViewTypeMusicAlbumArtists": "Album-K\u00fcnstler",
- "HeaderOtherDisplaySettings": "Anzeige Einstellungen",
- "ViewTypeMusicSongs": "Lieder",
- "ViewTypeMusicFavorites": "Favoriten",
- "ViewTypeMusicFavoriteAlbums": "Album Favoriten",
- "ViewTypeMusicFavoriteArtists": "Interpreten Favoriten",
- "ViewTypeMusicFavoriteSongs": "Lieder Favoriten",
- "HeaderMyViews": "Meine Ansichten",
- "LabelSelectFolderGroups": "Gruppiere Inhalte von folgenden Verzeichnissen automatisch zu Ansichten wie beispielsweise Filme, Musik und TV:",
- "LabelSelectFolderGroupsHelp": "Verzeichnisse die nicht markiert sind werden alleine, mit ihren eigenen Ansichten, angezeigt.",
- "OptionDisplayAdultContent": "Zeige Inhalt f\u00fcr Erwachsene an",
- "OptionLibraryFolders": "Medienverzeichnisse",
"TitleRemoteControl": "Fernsteuerung",
"OptionLatestTvRecordings": "Neueste Aufnahmen",
"LabelProtocolInfo": "Protokoll Information:",
@@ -954,11 +370,15 @@
"OptionDisableUserPreferencesHelp": "Falls aktiviert, werden nur Administratoren die M\u00f6glichkeit haben, Benutzerbilder, Passw\u00f6rter und Spracheinstellungen zu bearbeiten.",
"HeaderSelectServer": "W\u00e4hle Server",
"MessageNoServersAvailableToConnect": "Keine Server sind f\u00fcr eine Verbindung verf\u00fcgbar. Falls du dazu eingeladen wurdest einen Server zu teilen, best\u00e4tige die Einladung bitte durch einen Aufruf des Links in der E-Mail.",
- "TitleNewUser": "New User",
- "ButtonConfigurePassword": "Configure Password",
- "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
- "HeaderLibraryAccess": "Library Access",
- "HeaderChannelAccess": "Channel Access",
+ "TitleNewUser": "Neuer Benutzer",
+ "ButtonConfigurePassword": "Passwort konfigurieren",
+ "HeaderDashboardUserPassword": "Benutzerpassw\u00f6rter werden in den pers\u00f6nlichen Profileinstellungen der einzelnen Benutzer verwaltet.",
+ "HeaderLibraryAccess": "Bibliothekszugriff",
+ "HeaderChannelAccess": "Channelzugriff",
+ "HeaderLatestItems": "Neueste Medien",
+ "LabelSelectLastestItemsFolders": "Beziehe Medien aus folgenden Sektionen in \"Neueste Medien\" mit ein",
+ "HeaderShareMediaFolders": "Teile Medienverzeichnisse",
+ "MessageGuestSharingPermissionsHelp": "Die meisten Funktionen sind f\u00fcr G\u00e4ste zun\u00e4chst nicht verf\u00fcgbar, k\u00f6nnen aber je nach Bedarf aktiviert werden.",
"LabelExit": "Beenden",
"LabelVisitCommunity": "Besuche die Community",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +669,589 @@
"LabelImageSavingConvention": "Speicherconvention der Bilddatein:",
"LabelImageSavingConventionHelp": "Media Browser erkennt Bilddateien von den meisten gro\u00dfen Medienanwendungen. Die Festlegung deiner Download Einstellungen ist n\u00fctzlich, wenn du auch andere Produkte benutzt.",
"OptionImageSavingCompatible": "Kompatibilit\u00e4t - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2"
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Einloggen",
+ "TitleSignIn": "Einloggen",
+ "HeaderPleaseSignIn": "Bitte einloggen",
+ "LabelUser": "Benutzer:",
+ "LabelPassword": "Passwort:",
+ "ButtonManualLogin": "Manuelle Anmeldung",
+ "PasswordLocalhostMessage": "Passw\u00f6rter werden nicht gebraucht, wenn du dich vom Localhost aus einloggst.",
+ "TabGuide": "Programm",
+ "TabChannels": "Kan\u00e4le",
+ "TabCollections": "Sammlungen",
+ "HeaderChannels": "Kan\u00e4le",
+ "TabRecordings": "Aufnahmen",
+ "TabScheduled": "Geplant",
+ "TabSeries": "Serie",
+ "TabFavorites": "Favoriten",
+ "TabMyLibrary": "Meine Bibliothek",
+ "ButtonCancelRecording": "Aufnahme abbrechen",
+ "HeaderPrePostPadding": "Pufferzeit vor\/nach der Aufnahme",
+ "LabelPrePaddingMinutes": "Minuten vor der Aufnahme",
+ "OptionPrePaddingRequired": "Die Pufferzeit vor der Aufnahme ist notwendig um aufzunehmen",
+ "LabelPostPaddingMinutes": "Pufferminuten nach der Aufnahme",
+ "OptionPostPaddingRequired": "Die Pufferzeit nach der Aufnahme ist notwendig um aufzunehmen",
+ "HeaderWhatsOnTV": "Was gibts",
+ "HeaderUpcomingTV": "Bevorstehend",
+ "TabStatus": "Status",
+ "TabSettings": "Einstellungen",
+ "ButtonRefreshGuideData": "Aktualisiere TV-Programmdaten",
+ "ButtonRefresh": "Aktualisieren",
+ "ButtonAdvancedRefresh": "Erweiterte Aktualiserung",
+ "OptionPriority": "Priorit\u00e4t",
+ "OptionRecordOnAllChannels": "Nehme Programm auf allen Kan\u00e4len auf",
+ "OptionRecordAnytime": "Neme Programm zu jeder Zeit auf",
+ "OptionRecordOnlyNewEpisodes": "Nehme nur neue Episoden auf",
+ "HeaderDays": "Tage",
+ "HeaderActiveRecordings": "Aktive Aufnahmen",
+ "HeaderLatestRecordings": "Neueste Aufnahmen",
+ "HeaderAllRecordings": "Alle Aufnahmen",
+ "ButtonPlay": "Abspielen",
+ "ButtonEdit": "Bearbeiten",
+ "ButtonRecord": "Aufnehmen",
+ "ButtonDelete": "L\u00f6schen",
+ "ButtonRemove": "Entfernen",
+ "OptionRecordSeries": "Nehme Serie auf",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live-TV",
+ "LabelNumberOfGuideDays": "Anzahl von Tagen f\u00fcr die Programminformationen geladen werden sollen:",
+ "LabelNumberOfGuideDaysHelp": "Das laden von zus\u00e4tzlichen Programmdaten bietet einen besseren \u00dcberblick und die M\u00f6glichkeit weiter in die Zukunft zu planen. Aber es wird l\u00e4nger dauern alles herunterzuladen. Auto w\u00e4hlt auf Grundlage der Kanalanzahl.",
+ "LabelActiveService": "Aktiver Service:",
+ "LabelActiveServiceHelp": "Mehrere TV Plugins k\u00f6nnen installiert sein, aber nur eines kann aktiv sein.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "Ein Live-TV Serviceproviderplugin ist notwendig um fortzufahren.",
+ "LiveTvPluginRequiredHelp": "Bitte installiere eines der verf\u00fcgbaren Plugins, wie z.B. Next Pvr oder ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Anpassungen f\u00fcr Medientyp:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Men\u00fc",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disk",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Zur\u00fcck",
+ "OptionDownloadArtImage": "Kunst",
+ "OptionDownloadPrimaryImage": "Prim\u00e4r",
+ "HeaderFetchImages": "Bilder abrufen:",
+ "HeaderImageSettings": "Bild Einstellungen",
+ "TabOther": "Andere",
+ "LabelMaxBackdropsPerItem": "Maximale Anzahl von Hintergr\u00fcnden pro Element:",
+ "LabelMaxScreenshotsPerItem": "Maximale Anzahl von Screenshots pro Element:",
+ "LabelMinBackdropDownloadWidth": "Minimale Breite f\u00fcr zu herunterladende Hintergr\u00fcnde:",
+ "LabelMinScreenshotDownloadWidth": "Minimale Breite f\u00fcr zu herunterladende Screenshot:",
+ "ButtonAddScheduledTaskTrigger": "F\u00fcge Task Ausl\u00f6ser hinzu",
+ "HeaderAddScheduledTaskTrigger": "F\u00fcge Task Ausl\u00f6ser hinzu",
+ "ButtonAdd": "Hinzuf\u00fcgen",
+ "LabelTriggerType": "Ausl\u00f6ser Typ:",
+ "OptionDaily": "T\u00e4glich",
+ "OptionWeekly": "W\u00f6chentlich",
+ "OptionOnInterval": "Nach einem Intervall",
+ "OptionOnAppStartup": "Bei Anwendungsstart",
+ "OptionAfterSystemEvent": "Nach einem Systemereignis",
+ "LabelDay": "Tag:",
+ "LabelTime": "Zeit:",
+ "LabelEvent": "Ereignis:",
+ "OptionWakeFromSleep": "Aufwachen nach dem Schlafen",
+ "LabelEveryXMinutes": "Alle:",
+ "HeaderTvTuners": "Tuner",
+ "HeaderGallery": "Gallerie",
+ "HeaderLatestGames": "Neueste Spiele",
+ "HeaderRecentlyPlayedGames": "Zuletzt gespielte Spiele",
+ "TabGameSystems": "Spielsysteme",
+ "TitleMediaLibrary": "Medienbibliothek",
+ "TabFolders": "Verzeichnisse",
+ "TabPathSubstitution": "Pfadersetzung",
+ "LabelSeasonZeroDisplayName": "Anzeigename f\u00fcr Season 0:",
+ "LabelEnableRealtimeMonitor": "Erlaube Echtzeit\u00fcberwachung:",
+ "LabelEnableRealtimeMonitorHelp": "\u00c4nderungen werden auf unterst\u00fctzten Dateisystemen sofort \u00fcbernommen.",
+ "ButtonScanLibrary": "Scanne Bibliothek",
+ "HeaderNumberOfPlayers": "Abspielger\u00e4te:",
+ "OptionAnyNumberOfPlayers": "Jeder",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Medienverzeichnisse",
+ "HeaderThemeVideos": "Titelvideos",
+ "HeaderThemeSongs": "Titelsongs",
+ "HeaderScenes": "Szenen",
+ "HeaderAwardsAndReviews": "Auszeichnungen und Bewertungen",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Musikvideos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Besetzung & Crew",
+ "HeaderAdditionalParts": "Zus\u00e4tzliche Teile",
+ "ButtonSplitVersionsApart": "Spalte Versionen ab",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Fehlend",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Pfadsubstitutionen werden zum Ersetzen eines Serverpfades durch einen Netzwerkpfad genutzt, auf den die Clients direkt zugreifen k\u00f6nnen. Weil Clients direkten Zugang zu den Medien auf dem Server haben, sind diese in der Lage die Medien direkt \u00fcber das Netzwerk zu spielen und dabei vermeiden sie die Nutzung von Server-Ressourcen f\u00fcr das transkodieren von Streams.",
+ "HeaderFrom": "Von",
+ "HeaderTo": "Nach",
+ "LabelFrom": "Von:",
+ "LabelFromHelp": "Beispiel: D:\\Movies (auf dem Server)",
+ "LabelTo": "Nach:",
+ "LabelToHelp": "Beispiel: \\\\MyServer\\Movies (Ein Pfad, auf den die Clients zugreifen k\u00f6nnen)",
+ "ButtonAddPathSubstitution": "F\u00fcge Ersetzung hinzu",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Fehlende Episoden",
+ "OptionUnairedEpisode": "Nicht ausgestrahlte Episoden",
+ "OptionEpisodeSortName": "Episodensortiername",
+ "OptionSeriesSortName": "Serien Name",
+ "OptionTvdbRating": "Tvdb Bewertung",
+ "HeaderTranscodingQualityPreference": "Transcoding Qualit\u00e4tseinstellung:",
+ "OptionAutomaticTranscodingHelp": "Der Server entscheidet \u00fcber Qualit\u00e4t und Geschwindigkeit.",
+ "OptionHighSpeedTranscodingHelp": "Niedrigere Qualit\u00e4t, aber schnelleres Encoden.",
+ "OptionHighQualityTranscodingHelp": "H\u00f6here Qualit\u00e4t, aber langsameres Encoden.",
+ "OptionMaxQualityTranscodingHelp": "Beste Qualit\u00e4t bei langsamen Encoden und hoher CPU Last",
+ "OptionHighSpeedTranscoding": "H\u00f6here Geschwindigkeit",
+ "OptionHighQualityTranscoding": "H\u00f6here Qualit\u00e4t",
+ "OptionMaxQualityTranscoding": "Maximale Qualit\u00e4t",
+ "OptionEnableDebugTranscodingLogging": "Aktiviere debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "Dies wird sehr lange Logdateien erzeugen und ist nur zur Fehlerbehebung empfehlenswert.",
+ "OptionUpscaling": "Erlaube den Clients ein hochskaliertes Video anzufordern",
+ "OptionUpscalingHelp": "In manchen F\u00e4llen wird dadurch die Videoqualit\u00e4t verbesserert, aber es erh\u00f6ht auch die CPU Last.",
+ "EditCollectionItemsHelp": "Entferne oder f\u00fcge alle Filme, Serien, Alben, B\u00fccher oder Spiele, die du in dieser Sammlung gruppieren willst hinzu.",
+ "HeaderAddTitles": "Titel hinzuf\u00fcgen",
+ "LabelEnableDlnaPlayTo": "Aktiviere DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser kann Ger\u00e4te in ihrem Netzwerk erkennen und die M\u00f6glichekeit der Fernsteuerung anbieten.",
+ "LabelEnableDlnaDebugLogging": "Aktiviere DLNA Debug Logging",
+ "LabelEnableDlnaDebugLoggingHelp": "Dies wird gro\u00dfe Logdateien erzeugen und sollte nur zur Fehlerbehebung benutzt werden.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client-Entdeckungs Intervall (Sekunden)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bestimmt die Dauer in Sekunden zwischen SSDP Suchvorg\u00e4ngen die von Media Browser durchgef\u00fchrt wird.",
+ "HeaderCustomDlnaProfiles": "Benutzerdefinierte Profile",
+ "HeaderSystemDlnaProfiles": "Systemprofile",
+ "CustomDlnaProfilesHelp": "Erstelle ein benutzerdefiniertes Profil f\u00fcr ein neues Zielger\u00e4t, oder um ein vorhandenes Systemprofil zu \u00fcberschreiben.",
+ "SystemDlnaProfilesHelp": "Systemprofile sind schreibgesch\u00fctzt. \u00c4nderungen an einem Systemprofil werden als neues benutzerdefiniertes Profil gespeichert.",
+ "TitleDashboard": "\u00dcbersicht",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "Systempfade",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Dokumentation",
+ "LabelFriendlyServerName": "Freundlicher Servername:",
+ "LabelFriendlyServerNameHelp": "Dieser Name wird benutzt um diesen Server zu identifizieren. Wenn leer gelassen, wird der Computername benutzt.",
+ "LabelPreferredDisplayLanguage": "Bevorzugte Anzeigesprache",
+ "LabelPreferredDisplayLanguageHelp": "Die \u00dcbersetzung von Media Browser ist ein andauerndes Projekt und noch nicht abgeschlossen.",
+ "LabelReadHowYouCanContribute": "Lese wie du dazu beitragen kannst.",
+ "HeaderNewCollection": "Neue Collection",
+ "HeaderAddToCollection": "Zur Sammlung hinzuf\u00fcgen",
+ "ButtonSubmit": "Best\u00e4tigen",
+ "NewCollectionNameExample": "Beispiel: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Suche im Internet nach Bildmaterial und Metadaten",
+ "ButtonCreate": "Kreieren",
+ "LabelLocalHttpServerPortNumber": "Lokale Port-Nummer:",
+ "LabelLocalHttpServerPortNumberHelp": "Die TCP-Port-Nummer, an die der http-Server von Media Browser gebunden werden soll.",
+ "LabelPublicPort": "\u00d6ffentliche Port-Nummer:",
+ "LabelPublicPortHelp": "Der \u00f6ffentliche Port-Nummer, die auf den lokalen Port zugeordnet werden soll.",
+ "LabelWebSocketPortNumber": "Web Socket Port Nummer:",
+ "LabelEnableAutomaticPortMap": "Aktiviere das automatische Port-Mapping",
+ "LabelEnableAutomaticPortMapHelp": "Versuche automatisch den \u00f6ffentlichen Port dem lokalen Port mit Hilfe von UPnP zuzuordnen. Dies kann mit einigen Router-Modellen nicht funktionieren.",
+ "LabelExternalDDNS": "Externe DDNS:",
+ "LabelExternalDDNSHelp": "Wenn du eine dynamische DNS besitzen, trage Sie sie hier ein. Media Browser Apps werden sie verwenden, wenn sie sich verbinden.",
+ "TabResume": "Fortsetzen",
+ "TabWeather": "Wetter",
+ "TitleAppSettings": "App Einstellungen",
+ "LabelMinResumePercentage": "Minimale Prozent f\u00fcr Wiederaufnahme:",
+ "LabelMaxResumePercentage": "Maximale Prozent f\u00fcr Wiederaufnahme:",
+ "LabelMinResumeDuration": "Minimale Dauer f\u00fcr Wiederaufnahme (Sekunden):",
+ "LabelMinResumePercentageHelp": "Titel werden als \"nicht abgespielt\" eingetragen, wenn sie vor dieser Zeit gestoppt werden",
+ "LabelMaxResumePercentageHelp": "Titel werden als \"vollst\u00e4ndig abgespielt\" eingetragen, wenn sie nach dieser Zeit gestoppt werden",
+ "LabelMinResumeDurationHelp": "Titel die k\u00fcrzer als dieser Wert sind, werden nicht fortsetzbar sein",
+ "TitleAutoOrganize": "automatische Sortierung",
+ "TabActivityLog": "Aktivit\u00e4tsverlauf",
+ "HeaderName": "Name",
+ "HeaderDate": "Datum",
+ "HeaderSource": "Quelle",
+ "HeaderDestination": "Ziel",
+ "HeaderProgram": "Programm",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Fertiggestellt",
+ "LabelFailed": "Fehlgeschlagen",
+ "LabelSkipped": "\u00dcbersprungen",
+ "HeaderEpisodeOrganization": "Episodensortierung",
+ "LabelSeries": "Serien:",
+ "LabelSeasonNumber": "Staffelnummer:",
+ "LabelEpisodeNumber": "Episodennummer:",
+ "LabelEndingEpisodeNumber": "Nummer der letzten Episode:",
+ "LabelEndingEpisodeNumberHelp": "Nur erforderlich f\u00fcr Mehrfachepisoden",
+ "HeaderSupportTheTeam": "Unterst\u00fcze das Media Browser Team",
+ "LabelSupportAmount": "Betrag (USD)",
+ "HeaderSupportTheTeamHelp": "Hilf bei der Weiterentwicklung dieses Projekts indem du spendest. Ein Teil der Spenden wird an freie Anwendungen auf die wir angewiesen sind weiter gespendet.",
+ "ButtonEnterSupporterKey": "Supporter Key eintragen",
+ "DonationNextStep": "Sobald abgeschlossen, kehre bitte hierher zur\u00fcck und trage den Unterst\u00fctzerschl\u00fcssel ein, den du per E-Mail erhalten hast.",
+ "AutoOrganizeHelp": "Die \"Auto-Organisation\" \u00fcberpr\u00fcft die Download-Verzeichnisse auf neue Dateien und verschiebt diese in die Medienverzeichnisse.",
+ "AutoOrganizeTvHelp": "TV Dateien Organisation wird nur Episoden zu bereits vorhandenen Serien hinzuf\u00fcgen. Es werden keine neuen Serien angelegt.",
+ "OptionEnableEpisodeOrganization": "Aktiviere die Sortierung neuer Episoden",
+ "LabelWatchFolder": "\u00dcberwache Verzeichnis:",
+ "LabelWatchFolderHelp": "Der Server wird dieses Verzeichnis, w\u00e4hrend der geplanten Aufgabe \"Organisiere neue Mediendateien\", abfragen.",
+ "ButtonViewScheduledTasks": "Zeige Geplante Aufgaben",
+ "LabelMinFileSizeForOrganize": "Minimale Dateigr\u00f6\u00dfe (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Dateien unter dieser Gr\u00f6\u00dfe werden ignoriert.",
+ "LabelSeasonFolderPattern": "Staffelordnervorlage:",
+ "LabelSeasonZeroFolderName": "Verzeichnisname f\u00fcr Staffel 0:",
+ "HeaderEpisodeFilePattern": "Episodendateivorlage:",
+ "LabelEpisodePattern": "Episodenvorlage:",
+ "LabelMultiEpisodePattern": "Multi-Episodenvorlage:",
+ "HeaderSupportedPatterns": "Unterst\u00fctzte Vorlagen:",
+ "HeaderTerm": "Begriff",
+ "HeaderPattern": "Vorlagen",
+ "HeaderResult": "Ergebnis",
+ "LabelDeleteEmptyFolders": "L\u00f6sche leere Verzeichnisse nach dem Organisieren.",
+ "LabelDeleteEmptyFoldersHelp": "Aktiviere dies um den Downloadverzeichnisse sauber zu halten.",
+ "LabelDeleteLeftOverFiles": "L\u00f6sche \u00fcbriggebliebene Dateien mit den folgenden Dateiendungen:",
+ "LabelDeleteLeftOverFilesHelp": "Unterteile mit ;. Zum Beispiel: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "\u00dcberschreibe vorhandene Episoden",
+ "LabelTransferMethod": "\u00dcbertragungsmethode",
+ "OptionCopy": "Kopieren",
+ "OptionMove": "Verschieben",
+ "LabelTransferMethodHelp": "Kopiere oder verschiebe Dateien aus dem \u00dcberwachungsverzeichnis",
+ "HeaderLatestNews": "Neueste Nachrichten",
+ "HeaderHelpImproveMediaBrowser": "Hilf Media Browser zu verbessern",
+ "HeaderRunningTasks": "Laufende Aufgaben",
+ "HeaderActiveDevices": "Aktive Ger\u00e4te",
+ "HeaderPendingInstallations": "Ausstehende Installationen",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Jetzt neustarten",
+ "ButtonRestart": "Neu starten",
+ "ButtonShutdown": "Herunterfahren",
+ "ButtonUpdateNow": "Jetzt aktualisieren",
+ "PleaseUpdateManually": "Bitte herunterfahren und den Server manuell aktualisieren.",
+ "NewServerVersionAvailable": "Eine neue Version des Media Browser Server ist verf\u00fcgbar!",
+ "ServerUpToDate": "Media Browser Server ist aktuell",
+ "ErrorConnectingToMediaBrowserRepository": "Es trat ein Fehler bei der Verbindung zum Media Browser Repository auf.",
+ "LabelComponentsUpdated": "Die folgenden Komponenten wurden installiert oder aktualisiert:",
+ "MessagePleaseRestartServerToFinishUpdating": "Bitte den Server neustarten, um die Aktualisierungen abzuschlie\u00dfen.",
+ "LabelDownMixAudioScale": "Audio Verst\u00e4rkung bei Downmixing:",
+ "LabelDownMixAudioScaleHelp": "Erh\u00f6he die Audiolautst\u00e4rke beim Heruntermischen. Setzte auf 1 um die original Lautst\u00e4rke zu erhalten.",
+ "ButtonLinkKeys": "Schl\u00fcssel transferieren",
+ "LabelOldSupporterKey": "Alter Unterst\u00fctzerschl\u00fcssel",
+ "LabelNewSupporterKey": "Neuer Unterst\u00fctzerschl\u00fcssel",
+ "HeaderMultipleKeyLinking": "Transferiere zu einem neuen Schl\u00fcssel",
+ "MultipleKeyLinkingHelp": "Benutze diese Funktion falls du einen neuen Unterst\u00fctzer Schl\u00fcssel erhalten hast, um deine alte Schl\u00fcssel Registrierung zu deiner neuen zu transferieren.",
+ "LabelCurrentEmailAddress": "Aktuelle E-Mail Adresse",
+ "LabelCurrentEmailAddressHelp": "Die aktuelle E-Mail Adresse, an die ihr neuer Schl\u00fcssel gesendet wurde.",
+ "HeaderForgotKey": "Schl\u00fcssel vergessen",
+ "LabelEmailAddress": "E-Mail Adresse",
+ "LabelSupporterEmailAddress": "Die E-Mail Adresse, die zum Kauf des Schl\u00fcssels benutzt wurde.",
+ "ButtonRetrieveKey": "Schl\u00fcssel wiederherstellen",
+ "LabelSupporterKey": "Unterst\u00fctzerschl\u00fcssel (einf\u00fcgen aus E-Mail)",
+ "LabelSupporterKeyHelp": "Gebe deinen Unterst\u00fctzerschl\u00fcssel ein um zus\u00e4tzliche Vorteile zu genie\u00dfen, die die Community f\u00fcr Media Browser entwickelt hat.",
+ "MessageInvalidKey": "MB3 Schl\u00fcssel nicht vorhanden oder ung\u00fcltig.",
+ "ErrorMessageInvalidKey": "Um einen Premiuminhalt zu registrieren, musst du auch ein Media Browser Unterst\u00fctzer sein. Bitte spende und unterst\u00fctze so die Weiterentwicklung des Kernprodukts. Danke.",
+ "HeaderDisplaySettings": "Anzeige Einstellungen",
+ "TabPlayTo": "Spiele an",
+ "LabelEnableDlnaServer": "Aktiviere DLNA Server",
+ "LabelEnableDlnaServerHelp": "Erlaubt UPnP Ger\u00e4ten in ihrem Netzwerk den Media Browser Inhalt zu durchsuchen und wiederzugeben.",
+ "LabelEnableBlastAliveMessages": "Erzeuge Alive Meldungen",
+ "LabelEnableBlastAliveMessagesHelp": "Aktiviere dies, wenn der Server nicht zuverl\u00e4ssig von anderen UPnP Ger\u00e4ten in ihrem Netzwerk erkannt wird.",
+ "LabelBlastMessageInterval": "Alive Meldungsintervall (Sekunden)",
+ "LabelBlastMessageIntervalHelp": "Legt die Dauer in Sekunden zwischen den Server Alive Meldungen fest.",
+ "LabelDefaultUser": "Standardbenutzer",
+ "LabelDefaultUserHelp": "Legt fest, welche Benutzerbibliothek auf verbundenen Ger\u00e4ten angezeigt werden soll. Dies kann f\u00fcr jedes Ger\u00e4t durch Profile \u00fcberschrieben werden.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Kanal",
+ "HeaderServerSettings": "Server Einstellungen",
+ "LabelWeatherDisplayLocation": "Wetteranzeige Ort:",
+ "LabelWeatherDisplayLocationHelp": "US Postleitzahl \/ Stadt, Staat, Land \/ Stadt, Land",
+ "LabelWeatherDisplayUnit": "Wetteranzeige Einheit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Manuelle Eingabe des Benutzernamens bei:",
+ "HeaderRequireManualLoginHelp": "Wenn deaktiviert k\u00f6nnen Clients einen Anmeldebildschirm mit einer visuellen Auswahl der User anzeigen.",
+ "OptionOtherApps": "Andere Apps",
+ "OptionMobileApps": "Mobile Apps",
+ "HeaderNotificationList": "Klicke auf eine Benachrichtigung um die Benachrichtigungseinstellungen zu bearbeiten",
+ "NotificationOptionApplicationUpdateAvailable": "Anwendungsaktualisierung verf\u00fcgbar",
+ "NotificationOptionApplicationUpdateInstalled": "Anwendungsaktualisierung installiert",
+ "NotificationOptionPluginUpdateInstalled": "Pluginaktualisierung installiert",
+ "NotificationOptionPluginInstalled": "Plugin installiert",
+ "NotificationOptionPluginUninstalled": "Plugin deinstalliert",
+ "NotificationOptionVideoPlayback": "Videowiedergabe gestartet",
+ "NotificationOptionAudioPlayback": "Audiowiedergabe gestartet",
+ "NotificationOptionGamePlayback": "Spielwiedergabe gestartet",
+ "NotificationOptionVideoPlaybackStopped": "Videowiedergabe gestoppt",
+ "NotificationOptionAudioPlaybackStopped": "Audiowiedergabe gestoppt",
+ "NotificationOptionGamePlaybackStopped": "Spielwiedergabe gestoppt",
+ "NotificationOptionTaskFailed": "Fehler bei geplanter Aufgabe",
+ "NotificationOptionInstallationFailed": "Installationsfehler",
+ "NotificationOptionNewLibraryContent": "Neuer Inhalt hinzugef\u00fcgt",
+ "NotificationOptionNewLibraryContentMultiple": "Neuen Inhalte hinzugef\u00fcgt (mehrere)",
+ "SendNotificationHelp": "Standardm\u00e4\u00dfig werden Benachrichtigungen in der Optionsleiste angezeigt. Durchsuche den Plugin Katalog f\u00fcr die Installation von weiteren Benachrichtigungsm\u00f6glichkeiten.",
+ "NotificationOptionServerRestartRequired": "Serverneustart notwendig",
+ "LabelNotificationEnabled": "Aktiviere diese Benachrichtigung",
+ "LabelMonitorUsers": "\u00dcberwache Aktivit\u00e4t von:",
+ "LabelSendNotificationToUsers": "Sende die Benachrichtigung an:",
+ "LabelUseNotificationServices": "Nutze folgende Dienste:",
+ "CategoryUser": "Benutzer",
+ "CategorySystem": "System",
+ "CategoryApplication": "Anwendung",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Benachrichtigungstitel:",
+ "LabelAvailableTokens": "Verf\u00fcgbare Tokens:",
+ "AdditionalNotificationServices": "Durchsuche den Plugin Katalog, um weitere Benachrichtigungsdienste zu installieren.",
+ "OptionAllUsers": "Alle Benutzer",
+ "OptionAdminUsers": "Administratoren",
+ "OptionCustomUsers": "Benutzer",
+ "ButtonArrowUp": "Auf",
+ "ButtonArrowDown": "Ab",
+ "ButtonArrowLeft": "Links",
+ "ButtonArrowRight": "Rechts",
+ "ButtonBack": "Zur\u00fcck",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On Screen Display",
+ "ButtonPageUp": "Bild auf",
+ "ButtonPageDown": "Bild ab",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Suche",
+ "ButtonSettings": "Einstellungen",
+ "ButtonTakeScreenshot": "Bildschirmfoto aufnehmen",
+ "ButtonLetterUp": "Buchstabe hoch",
+ "ButtonLetterDown": "Buchstabe runter",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Aktuelle Wiedergabe",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Vollbild umschalten",
+ "ButtonScenes": "Szenen",
+ "ButtonSubtitles": "Untertitel",
+ "ButtonAudioTracks": "Audiospuren",
+ "ButtonPreviousTrack": "Vorheriges St\u00fcck",
+ "ButtonNextTrack": "N\u00e4chstes St\u00fcck",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "N\u00e4chstes",
+ "ButtonPrevious": "Vorheriges",
+ "LabelGroupMoviesIntoCollections": "Gruppiere Filme in Collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "Wenn Filmlisten angezeigt werden, dann werden Filme, die zu einer Collection geh\u00f6ren, als ein gruppiertes Element angezeigt.",
+ "NotificationOptionPluginError": "Plugin Fehler",
+ "ButtonVolumeUp": "Lauter",
+ "ButtonVolumeDown": "Leiser",
+ "ButtonMute": "Stumm",
+ "HeaderLatestMedia": "Neueste Medien",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Getrennt durch Komma. Leerlassen, um auf alle Codecs anzuwenden.",
+ "LabelProfileContainersHelp": "Getrennt durch Komma. Leerlassen, um auf alle Container anzuwenden.",
+ "HeaderResponseProfile": "Antwort Profil",
+ "LabelType": "Typ:",
+ "LabelPersonRole": "Rolle:",
+ "LabelPersonRoleHelp": "Rollen sind generell nur f\u00fcr Schauspieler verf\u00fcgbar.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video Codecs:",
+ "LabelProfileAudioCodecs": "Audio Codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direktwiedergabe Profil",
+ "HeaderTranscodingProfile": "Transcoding Profil",
+ "HeaderCodecProfile": "Codec Profil",
+ "HeaderCodecProfileHelp": "Codec Profile weisen auf Beschr\u00e4nkungen eines Ger\u00e4tes beim Abspielen bestimmter Codecs hin. Wenn eine Beschr\u00e4nkung zutrifft, dann werden Medien transcodiert, auch wenn der Codec f\u00fcr die Direktwiedergabe konfiguriert ist.",
+ "HeaderContainerProfile": "Container Profil",
+ "HeaderContainerProfileHelp": "Container Profile weisen auf Beschr\u00e4nkungen einen Ger\u00e4tes beim Abspielen bestimmter Formate hin. Wenn eine Beschr\u00e4nkung zutrifft, dann werden Medien transcodiert, auch wenn das Format f\u00fcr die Direktwiedergabe konfiguriert ist.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "Benutzer Bibliothek:",
+ "LabelUserLibraryHelp": "W\u00e4hle aus, welche Medienbibliothek auf den Endger\u00e4ten angezeigt werden soll. Ohne Eintrag wird die Standardeinstellung beibehalten.",
+ "OptionPlainStorageFolders": "Zeige alle Verzeichnisse als reine Speicherorte an",
+ "OptionPlainStorageFoldersHelp": "Falls aktiviert, werden alle Verzeichnisse in DIDL als \"object.container.storageFolder\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Zeige alle Videos als reine Videodateien an",
+ "OptionPlainVideoItemsHelp": "Falls aktiviert, werden alle Videos in DIDL als \"object.item.videoItem\" angezeigt, anstatt eines spezifischen Typs wie beispielsweise \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Unterst\u00fczte Medientypen:",
+ "TabIdentification": "Identifikation",
+ "HeaderIdentification": "Identifizierung",
+ "TabDirectPlay": "Direktwiedergabe",
+ "TabContainers": "Container",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Antworten",
+ "HeaderProfileInformation": "Profil Infomationen",
+ "LabelEmbedAlbumArtDidl": "Integrierte Alben-Cover in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Einige Ger\u00e4te bevorzugen diese Methode um Album Art darstellen zu k\u00f6nnen. Andere wiederum k\u00f6nnen evtl. nichts abspielen, wenn diese Funktion aktiviert ist.",
+ "LabelAlbumArtPN": "Alben-Cover PN:",
+ "LabelAlbumArtHelp": "Die genutzte PN f\u00fcr Alben-Cover innerhalb der dlna:profileID Eigenschaften auf upnp:albumArtURL. Manche Abspielger\u00e4te ben\u00f6tigen einen bestimmten Wert, unabh\u00e4ngig von der Bildgr\u00f6\u00dfe.",
+ "LabelAlbumArtMaxWidth": "Maximale Breite f\u00fcr Album Art:",
+ "LabelAlbumArtMaxWidthHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Album Art:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Maximale H\u00f6he f\u00fcr Album Art:",
+ "LabelAlbumArtMaxHeightHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Album Art:albumArtURI.",
+ "LabelIconMaxWidth": "Maximale Iconbreite:",
+ "LabelIconMaxWidthHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Icons:icon.",
+ "LabelIconMaxHeight": "Maximale Iconh\u00f6he:",
+ "LabelIconMaxHeightHelp": "Maximale Aufl\u00f6sung f\u00fcr durch UPnP \u00fcbermittelte Icons:icon.",
+ "LabelIdentificationFieldHelp": "Ein Teilstring oder Regex Ausdruck, der keine Gro\u00df- und Kleinschreibung ber\u00fccksichtigt.",
+ "HeaderProfileServerSettingsHelp": "Diese Einstellungen legen fest, wie sich MediaBrowser gegen\u00fcber den Endger\u00e4ten verh\u00e4lt.",
+ "LabelMaxBitrate": "Maximale Bitrate:",
+ "LabelMaxBitrateHelp": "Lege eine maximale Bitrate, f\u00fcr Anwendungsgebiete mit begrenzter Bandbreite oder bei durch die Endger\u00e4te auferlegten Banbdbreitenbegrenzungen, fest",
+ "LabelMaxStreamingBitrate": "Maximale Streamingbitrate",
+ "LabelMaxStreamingBitrateHelp": "W\u00e4hle die maximale Bitrate w\u00e4hrend des streamens.",
+ "LabelMaxStaticBitrate": "Maximale Synchronisierungsbitrate ",
+ "LabelMaxStaticBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das synchronisieren von Inhalten mit hoher Qualit\u00e4t.",
+ "LabelMusicStaticBitrate": "Musik Synchronisierungsbitrate:",
+ "LabelMusicStaticBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das synchronisieren von Musik",
+ "LabelMusicStreamingTranscodingBitrate": "Musik Transkodier Bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "W\u00e4hle die maximale Bitrate f\u00fcr das streamen von Musik",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignoriere Anfragen f\u00fcr Transkodierbytebereiche",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Falls aktiviert, werden diese Anfragen ber\u00fccksichtigt aber Byte-Range-Header ignoriert werden.",
+ "LabelFriendlyName": "Freundlicher Name",
+ "LabelManufacturer": "Hersteller",
+ "LabelManufacturerUrl": "Hersteller URL",
+ "LabelModelName": "Modellname",
+ "LabelModelNumber": "Modellnummer",
+ "LabelModelDescription": "Modellbeschreibung",
+ "LabelModelUrl": "Modell URL",
+ "LabelSerialNumber": "Seriennummer",
+ "LabelDeviceDescription": "Ger\u00e4tebeschreibung",
+ "HeaderIdentificationCriteriaHelp": "Gebe mindestens ein Identifikationskriterium an.",
+ "HeaderDirectPlayProfileHelp": "F\u00fcge Direct-Play Profile hinzu um die nativen Abspielm\u00f6glichkeiten von Ger\u00e4ten festzulegen.",
+ "HeaderTranscodingProfileHelp": "F\u00fcge Transkodierprofile hinzu, um festzulegen welche Formate genutzt werden sollen, falls transkodiert werden muss.",
+ "HeaderResponseProfileHelp": "Antwortprofile bieten eine M\u00f6glichkeit die Informationen, die w\u00e4hrend dem abspielen diverser Medientypen an die Abspielger\u00e4te gesendet werden, zu personalisieren.",
+ "LabelXDlnaCap": "X-DLNA Grenze:",
+ "LabelXDlnaCapHelp": "Legt den Inhalt des X_DLNACAP Elements in der urn:schemas-dlna-org:device-1-0 namespace fest.",
+ "LabelXDlnaDoc": "X-DLNA Dokument:",
+ "LabelXDlnaDocHelp": "Legt den Inhalt des X_DLNADOC Elements in der urn:schemas-dlna-org:device-1-0 namespace fest.",
+ "LabelSonyAggregationFlags": "Sony Aggregation Flags:",
+ "LabelSonyAggregationFlagsHelp": "Legt den Inhalt des aggregationFlags Elements in der rn:schemas-sonycom:av namespace fest.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video Codec:",
+ "LabelTranscodingVideoProfile": "Video Profil:",
+ "LabelTranscodingAudioCodec": "Audio Codec:",
+ "OptionEnableM2tsMode": "Aktiviere M2TS Modus",
+ "OptionEnableM2tsModeHelp": "Aktiviere M2TS Modus beim Encodieren nach MPEGTS.",
+ "OptionEstimateContentLength": "Voraussichtliche Inhaltsl\u00e4nge beim Transkodieren",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Teilt die Unterst\u00fctzung der Bytesuche w\u00e4hrend des transkodierens auf dem Server mit.",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dies wird f\u00fcr manche Abspielger\u00e4te ben\u00f6tigt, auf denen die Zeitsuche nicht gut funktioniert.",
+ "HeaderSubtitleDownloadingHelp": "Wenn Media Browser deine Videodateien scannt kann er nach fehlenden Untertiteln suchen und diese mit Hilfe eines Untertitelanbieters, wie beispielsweise OpenSubtitles.org, herunterladen.",
+ "HeaderDownloadSubtitlesFor": "Lade Untertitel runter f\u00fcr",
+ "MessageNoChapterProviders": "Installiere ein Plugin f\u00fcr Kapitelinhalte, wie beispielsweise ChapterDb, um weitere Optionen f\u00fcr Kapitel zu erhalten.",
+ "LabelSkipIfGraphicalSubsPresent": "\u00dcberspringen, falls das Video bereits grafische Untertitel enth\u00e4lt",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Die Beibehaltung von Textversionen der Untertitel ist effizienter f\u00fcr die \u00dcbermittlung an mobile Endger\u00e4te.",
+ "TabSubtitles": "Untertitel",
+ "TabChapters": "Kapitel",
+ "HeaderDownloadChaptersFor": "Lade Kapitelnamen herunter f\u00fcr:",
+ "LabelOpenSubtitlesUsername": "\"Open Subtitles\" Benutzername:",
+ "LabelOpenSubtitlesPassword": "\"Open Subtitles\" Passwort:",
+ "HeaderChapterDownloadingHelp": "Wenn Media Browser deine Videodateien scannt kann er nach passenden Kapitelnamen suchen und diese mit Hilfe eines Kapitel Plugins, wie beispielsweise ChapterDb, herunterladen.",
+ "LabelPlayDefaultAudioTrack": "Spiele unabh\u00e4ngig von der Sprache die Standardtonspur",
+ "LabelSubtitlePlaybackMode": "Untertitel Modus:",
+ "LabelDownloadLanguages": "Herunterzuladende Sprachen:",
+ "ButtonRegister": "Registrierung",
+ "LabelSkipIfAudioTrackPresent": "\u00dcberspringen, falls der Ton bereits der herunterladbaren Sprache entspricht",
+ "LabelSkipIfAudioTrackPresentHelp": "Entferne den Haken, um sicherzustellen das alle Videos Untertitel haben, unabh\u00e4ngig von der Audiosprache",
+ "HeaderSendMessage": "sende Nachricht",
+ "ButtonSend": "senden",
+ "LabelMessageText": "Inhalt der Nachricht",
+ "MessageNoAvailablePlugins": "Keine verf\u00fcgbaren Erweiterungen.",
+ "LabelDisplayPluginsFor": "Zeige Plugins f\u00fcr:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episodenname",
+ "LabelSeriesNamePlain": "Serienname",
+ "ValueSeriesNamePeriod": "Serien.Name",
+ "ValueSeriesNameUnderscore": "Serien_Name",
+ "ValueEpisodeNamePeriod": "Episodentitel",
+ "ValueEpisodeNameUnderscore": "Episoden_Name",
+ "LabelSeasonNumberPlain": "Staffelnummer",
+ "LabelEpisodeNumberPlain": "Episodennummer",
+ "LabelEndingEpisodeNumberPlain": "Nummer der letzten Episode",
+ "HeaderTypeText": "Texteingabe",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Suche nach Untertiteln",
+ "MessageNoSubtitleSearchResultsFound": "Keine Suchergebnisse gefunden",
+ "TabDisplay": "Anzeige",
+ "TabLanguages": "Sprachen",
+ "TabWebClient": "Webclient",
+ "LabelEnableThemeSongs": "Aktiviere Titelmelodie",
+ "LabelEnableBackdrops": "Aktiviere Hintergr\u00fcnde",
+ "LabelEnableThemeSongsHelp": "Wenn aktiviert, wird die Titelmusik w\u00e4hrend dem Durchsuchen durch die Bibliothek im Hintergrund abgespielt",
+ "LabelEnableBackdropsHelp": "Falls aktiviert, werden beim durchsuchen der Bibliothek auf einigen Seiten passende Hintergr\u00fcnde angezeigt.",
+ "HeaderHomePage": "Startseite",
+ "HeaderSettingsForThisDevice": "Einstellungen f\u00fcr dieses Ger\u00e4t",
+ "OptionAuto": "Auto",
+ "OptionYes": "Ja",
+ "OptionNo": "Nein",
+ "LabelHomePageSection1": "Startseite Bereich 1:",
+ "LabelHomePageSection2": "Startseite Bereich 2:",
+ "LabelHomePageSection3": "Startseite Bereich 3:",
+ "LabelHomePageSection4": "Startseite Bereich 4:",
+ "OptionMyViewsButtons": "Meine Ansichten (Tasten)",
+ "OptionMyViews": "Meine Ansichten",
+ "OptionMyViewsSmall": "Meine Ansichten (Klein)",
+ "OptionResumablemedia": "Wiederhole",
+ "OptionLatestMedia": "Neuste Medien",
+ "OptionLatestChannelMedia": "Neueste Channel Inhalte:",
+ "HeaderLatestChannelItems": "Neueste Channel Inhalte:",
+ "OptionNone": "Keines",
+ "HeaderLiveTv": "Live-TV",
+ "HeaderReports": "Meldungen",
+ "HeaderMetadataManager": "Metadaten-Manager",
+ "HeaderPreferences": "Einstellungen",
+ "MessageLoadingChannels": "Lade Kanalinhalt...",
+ "MessageLoadingContent": "Lade Inhalt...",
+ "ButtonMarkRead": "Als gelesen markieren",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Meistgesehen",
+ "TabNextUp": "Als N\u00e4chstes",
+ "MessageNoMovieSuggestionsAvailable": "Momentan sind keine Filmvorschl\u00e4ge verf\u00fcgbar. Schaue und bewerte zuerst deine Filme. Komme danach zur\u00fcck, um deine Filmvorschl\u00e4ge anzuschauen.",
+ "MessageNoCollectionsAvailable": "Sammlungen erlauben es dir eine personalisierte Zusammenstellung von Filmen, Serien, Alben, B\u00fcchern und Spielen zu genie\u00dfen. Klicke auf den \"Neu\" Button um mit der Erstellung von Sammlungen zu beginnen.",
+ "MessageNoPlaylistsAvailable": "Wiedergabeliste erlauben es dir eine Liste mit Inhalt zu erstellen der fortlaufend abgespielt wird. Um einer Wiedergabeliste Inhalte hinzuzuf\u00fcgen klicke rechts oder mache einen langen Tap und w\u00e4hle daraufhin \"Zur Wiedergabeliste hinzuf\u00fcgen\" aus.",
+ "MessageNoPlaylistItemsAvailable": "Diese Wiedergabeliste ist momentan leer.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Willkommen zum Media Browser Web Client",
+ "ButtonDismiss": "Verwerfen",
+ "ButtonTakeTheTour": "Mache die Tour",
+ "ButtonEditOtherUserPreferences": "Bearbeite dieses Benutzerprofil, Passwort und pers\u00f6nlichen Pr\u00e4ferenzen.",
+ "LabelChannelStreamQuality": "Bevorzugte Qualit\u00e4t des Internetstreams",
+ "LabelChannelStreamQualityHelp": "In einer Umgebung mit langsamer Bandbreite kann die Beschr\u00e4nkung der Wiedergabequalit\u00e4t eine fl\u00fcssige Darstellung sichern.",
+ "OptionBestAvailableStreamQuality": "Die besten verf\u00fcgbaren",
+ "LabelEnableChannelContentDownloadingFor": "Aktiviere das herunterladen von Channel Inhalten f\u00fcr:",
+ "LabelEnableChannelContentDownloadingForHelp": "Manche Kan\u00e4le unterst\u00fctzen das herunterladen von Inhalten vor dem eigentlichen ansehen. Aktiviere diese Funktion in Umgebungen mit langsamer Bandbreite, um Inhalte herunterzuladen w\u00e4hrend keine aktive Nutzung stattfindet. Die Inhalte werden dabei im Zuge der automatisierten Channel Download Aufgabe heruntergeladen.",
+ "LabelChannelDownloadPath": "Channel Inhalt Downloadverzeichnis:",
+ "LabelChannelDownloadPathHelp": "Lege, falls gew\u00fcnscht, einen eigenen Pfad f\u00fcr Downloads fest. Lasse das Feld frei, wenn in den internen Programmdatenordner heruntergeladen werden soll.",
+ "LabelChannelDownloadAge": "L\u00f6sche Inhalt nach: (Tagen)",
+ "LabelChannelDownloadAgeHelp": "Heruntergeladene Inhalte die \u00e4lter als dieser Wert sind werden gel\u00f6scht. Sie werden aber weiterhin \u00fcber das Internetstreaming verf\u00fcgbar sein.",
+ "ChannelSettingsFormHelp": "Installiere Kan\u00e4le wie beispielsweise \"Trailers\" oder \"Vimeo\" aus dem Plugin Katalog.",
+ "LabelSelectCollection": "W\u00e4hle Zusammenstellung:",
+ "ButtonOptions": "Optionen",
+ "ViewTypeMovies": "Filme",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Spiele",
+ "ViewTypeMusic": "Musik",
+ "ViewTypeBoxSets": "Sammlungen",
+ "ViewTypeChannels": "Kan\u00e4le",
+ "ViewTypeLiveTV": "Live-TV",
+ "ViewTypeLiveTvNowPlaying": "Gerade ausgestrahlt",
+ "ViewTypeLatestGames": "Neueste Spiele",
+ "ViewTypeRecentlyPlayedGames": "K\u00fcrzlich abgespielt",
+ "ViewTypeGameFavorites": "Favoriten",
+ "ViewTypeGameSystems": "Spielesysteme",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Fortsetzen",
+ "ViewTypeTvNextUp": "Als n\u00e4chstes",
+ "ViewTypeTvLatest": "Neueste",
+ "ViewTypeTvShowSeries": "Serien",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Serien Favoriten",
+ "ViewTypeTvFavoriteEpisodes": "Episoden Favoriten",
+ "ViewTypeMovieResume": "Fortsetzen",
+ "ViewTypeMovieLatest": "Neueste",
+ "ViewTypeMovieMovies": "Filme",
+ "ViewTypeMovieCollections": "Sammlungen",
+ "ViewTypeMovieFavorites": "Favoriten",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Neueste",
+ "ViewTypeMusicAlbums": "Alben",
+ "ViewTypeMusicAlbumArtists": "Album-K\u00fcnstler",
+ "HeaderOtherDisplaySettings": "Anzeige Einstellungen",
+ "ViewTypeMusicSongs": "Lieder",
+ "ViewTypeMusicFavorites": "Favoriten",
+ "ViewTypeMusicFavoriteAlbums": "Album Favoriten",
+ "ViewTypeMusicFavoriteArtists": "Interpreten Favoriten",
+ "ViewTypeMusicFavoriteSongs": "Lieder Favoriten",
+ "HeaderMyViews": "Meine Ansichten",
+ "LabelSelectFolderGroups": "Gruppiere Inhalte von folgenden Verzeichnissen automatisch zu Ansichten wie beispielsweise Filme, Musik und TV:",
+ "LabelSelectFolderGroupsHelp": "Verzeichnisse die nicht markiert sind werden alleine, mit ihren eigenen Ansichten, angezeigt.",
+ "OptionDisplayAdultContent": "Zeige Inhalt f\u00fcr Erwachsene an",
+ "OptionLibraryFolders": "Medienverzeichnisse"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/el.json b/MediaBrowser.Server.Implementations/Localization/Server/el.json
index 7612076408..fd9ff51619 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/el.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/el.json
@@ -1,591 +1,9 @@
{
- "LabelPassword": "Password:",
- "ButtonManualLogin": "Manual Login",
- "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
- "TabGuide": "Guide",
- "TabChannels": "Channels",
- "TabCollections": "Collections",
- "HeaderChannels": "Channels",
- "TabRecordings": "Recordings",
- "TabScheduled": "Scheduled",
- "TabSeries": "Series",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record program on all channels",
- "OptionRecordAnytime": "Record program at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
"LabelProtocolInfo": "Protocol info:",
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -955,6 +373,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "\u03ad\u03be\u03bf\u03b4\u03bf\u03c2",
"LabelVisitCommunity": "\u0395\u03c0\u03af\u03c3\u03ba\u03b5\u03c8\u03b7 \u039a\u03bf\u03b9\u03bd\u03cc\u03c4\u03b7\u03c4\u03b1",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +671,587 @@
"ButtonSignIn": "Sign In",
"TitleSignIn": "Sign In",
"HeaderPleaseSignIn": "Please sign in",
- "LabelUser": "User:"
+ "LabelUser": "User:",
+ "LabelPassword": "Password:",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Channels",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Channels",
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/en_GB.json b/MediaBrowser.Server.Implementations/Localization/Server/en_GB.json
index c4ff98d7cd..f228555b51 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/en_GB.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/en_GB.json
@@ -1,586 +1,4 @@
{
- "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
- "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferred download language:",
- "ButtonAutoScroll": "Auto-scroll",
- "LabelImageSavingConvention": "Image saving convention:",
- "LabelImageSavingConventionHelp": "Media Browser recognises images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "Sign In",
- "TitleSignIn": "Sign In",
- "HeaderPleaseSignIn": "Please sign in",
- "LabelUser": "User:",
- "LabelPassword": "Password:",
- "ButtonManualLogin": "Manual Login",
- "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
- "TabGuide": "Guide",
- "TabChannels": "Channels",
- "TabCollections": "Collections",
- "HeaderChannels": "Channels",
- "TabRecordings": "Recordings",
- "TabScheduled": "Scheduled",
- "TabSeries": "Series",
- "TabFavorites": "Favourites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record programme on all channels",
- "OptionRecordAnytime": "Record programme at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organise",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organise monitors your download folders for new files and moves them to your media directories",
- "AutoOrganizeTvHelp": "TV file organising will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organise new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customise information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalised groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
"ViewTypeMusicAlbums": "Albums",
"ViewTypeMusicAlbumArtists": "Album Artists",
"HeaderOtherDisplaySettings": "Display Settings",
@@ -600,7 +18,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -970,6 +388,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Exit",
"LabelVisitCommunity": "Visit Community",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +671,587 @@
"OptionOtherVideos": "Other Videos",
"TitleMetadata": "Metadata",
"LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org"
+ "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Image saving convention:",
+ "LabelImageSavingConventionHelp": "Media Browser recognises images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Sign In",
+ "TitleSignIn": "Sign In",
+ "HeaderPleaseSignIn": "Please sign in",
+ "LabelUser": "User:",
+ "LabelPassword": "Password:",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Channels",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Channels",
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favourites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record programme on all channels",
+ "OptionRecordAnytime": "Record programme at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organise",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organise monitors your download folders for new files and moves them to your media directories",
+ "AutoOrganizeTvHelp": "TV file organising will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organise new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customise information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalised groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/en_US.json b/MediaBrowser.Server.Implementations/Localization/Server/en_US.json
index dde50016f7..875f088ef0 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/en_US.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/en_US.json
@@ -1,606 +1,4 @@
{
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Services",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Server log files:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
- "LabelLoginDisclaimer": "Login disclaimer:",
- "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
- "LabelAutomaticallyDonate": "Automatically donate this amount every month",
- "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
- "OptionList": "List",
- "TabDashboard": "Dashboard",
- "TitleServer": "Server",
- "LabelCache": "Cache:",
- "LabelLogs": "Logs:",
- "LabelMetadata": "Metadata:",
- "LabelImagesByName": "Images by name:",
- "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
- "HeaderLatestMusic": "Latest Music",
- "HeaderBranding": "Branding",
- "HeaderApiKeys": "Api Keys",
- "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
- "HeaderApiKey": "Api Key",
- "HeaderApp": "App",
- "HeaderDevice": "Device",
- "HeaderUser": "User",
- "HeaderDateIssued": "Date Issued",
- "LabelChapterName": "Chapter {0}",
- "HeaderNewApiKey": "New Api Key",
- "LabelAppName": "App name",
- "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
- "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
- "HeaderHttpHeaders": "Http Headers",
- "HeaderIdentificationHeader": "Identification Header",
- "LabelValue": "Value:",
- "LabelMatchType": "Match type:",
- "OptionEquals": "Equals",
- "OptionRegex": "Regex",
- "OptionSubstring": "Substring",
- "TabView": "View",
- "TabSort": "Sort",
- "TabFilter": "Filter",
- "ButtonView": "View",
- "LabelPageSize": "Item limit:",
- "LabelPath": "Path:",
- "LabelView": "View:",
- "TabUsers": "Users",
- "LabelSortName": "Sort name:",
- "LabelDateAdded": "Date added:",
- "HeaderFeatures": "Features",
- "HeaderAdvanced": "Advanced",
- "ButtonSync": "Sync",
- "TabScheduledTasks": "Scheduled Tasks",
- "HeaderChapters": "Chapters",
- "HeaderResumeSettings": "Resume Settings",
- "TabSync": "Sync",
- "TitleUsers": "Users",
- "LabelProtocol": "Protocol:",
- "OptionProtocolHttp": "Http",
- "OptionProtocolHls": "Http Live Streaming",
- "LabelContext": "Context:",
- "OptionContextStreaming": "Streaming",
- "OptionContextStatic": "Sync",
- "ButtonAddToPlaylist": "Add to playlist",
- "TabPlaylists": "Playlists",
"ButtonClose": "Close",
"LabelAllLanguages": "All languages",
"HeaderBrowseOnlineImages": "Browse Online Images",
@@ -893,6 +291,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Exit",
"LabelVisitCommunity": "Visit Community",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +651,607 @@
"HeaderFetchImages": "Fetch Images:",
"HeaderImageSettings": "Image Settings",
"TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:"
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
+ "LabelLoginDisclaimer": "Login disclaimer:",
+ "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
+ "LabelAutomaticallyDonate": "Automatically donate this amount every month",
+ "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
+ "OptionList": "List",
+ "TabDashboard": "Dashboard",
+ "TitleServer": "Server",
+ "LabelCache": "Cache:",
+ "LabelLogs": "Logs:",
+ "LabelMetadata": "Metadata:",
+ "LabelImagesByName": "Images by name:",
+ "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
+ "HeaderLatestMusic": "Latest Music",
+ "HeaderBranding": "Branding",
+ "HeaderApiKeys": "Api Keys",
+ "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
+ "HeaderApiKey": "Api Key",
+ "HeaderApp": "App",
+ "HeaderDevice": "Device",
+ "HeaderUser": "User",
+ "HeaderDateIssued": "Date Issued",
+ "LabelChapterName": "Chapter {0}",
+ "HeaderNewApiKey": "New Api Key",
+ "LabelAppName": "App name",
+ "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
+ "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
+ "HeaderHttpHeaders": "Http Headers",
+ "HeaderIdentificationHeader": "Identification Header",
+ "LabelValue": "Value:",
+ "LabelMatchType": "Match type:",
+ "OptionEquals": "Equals",
+ "OptionRegex": "Regex",
+ "OptionSubstring": "Substring",
+ "TabView": "View",
+ "TabSort": "Sort",
+ "TabFilter": "Filter",
+ "ButtonView": "View",
+ "LabelPageSize": "Item limit:",
+ "LabelPath": "Path:",
+ "LabelView": "View:",
+ "TabUsers": "Users",
+ "LabelSortName": "Sort name:",
+ "LabelDateAdded": "Date added:",
+ "HeaderFeatures": "Features",
+ "HeaderAdvanced": "Advanced",
+ "ButtonSync": "Sync",
+ "TabScheduledTasks": "Scheduled Tasks",
+ "HeaderChapters": "Chapters",
+ "HeaderResumeSettings": "Resume Settings",
+ "TabSync": "Sync",
+ "TitleUsers": "Users",
+ "LabelProtocol": "Protocol:",
+ "OptionProtocolHttp": "Http",
+ "OptionProtocolHls": "Http Live Streaming",
+ "LabelContext": "Context:",
+ "OptionContextStreaming": "Streaming",
+ "OptionContextStatic": "Sync",
+ "ButtonAddToPlaylist": "Add to playlist",
+ "TabPlaylists": "Playlists"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/es.json b/MediaBrowser.Server.Implementations/Localization/Server/es.json
index 6bfa23a915..66187b78fa 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/es.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/es.json
@@ -1,596 +1,4 @@
{
- "HeaderAllRecordings": "Todas la grabaciones",
- "ButtonPlay": "Reproducir",
- "ButtonEdit": "Editar",
- "ButtonRecord": "Grabar",
- "ButtonDelete": "Borrar",
- "ButtonRemove": "Quitar",
- "OptionRecordSeries": "Grabar serie",
- "HeaderDetails": "Detalles",
- "TitleLiveTV": "Tv en vivo",
- "LabelNumberOfGuideDays": "N\u00famero de d\u00edas de descarga de la gu\u00eda.",
- "LabelNumberOfGuideDaysHelp": "Descargar m\u00e1s d\u00edas de la gu\u00eda ofrece la posibilidad de programar grabaciones con mayor antelaci\u00f3n y ver m\u00e1s listas, pero tambi\u00e9n tarda m\u00e1s en descargarse. Auto elegir\u00e1 en funci\u00f3n del n\u00famero de canales.",
- "LabelActiveService": "Activar servicio",
- "LabelActiveServiceHelp": "Es posible instalar m\u00faltiples plugins de tv, pero s\u00f3lo puede estar activo uno a la vez.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "El servicio de TV en vivo es necesario para poder continuar.",
- "LiveTvPluginRequiredHelp": "Instale uno de los plugins disponibles, como Next Pvr o ServerVmc.",
- "LabelCustomizeOptionsPerMediaType": "Personalizar por tipo de medio:",
- "OptionDownloadThumbImage": "Miniatura",
- "OptionDownloadMenuImage": "Men\u00fa",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Caja",
- "OptionDownloadDiscImage": "Disco",
- "OptionDownloadBannerImage": "Pancarta",
- "OptionDownloadBackImage": "Atr\u00e1s",
- "OptionDownloadArtImage": "Arte",
- "OptionDownloadPrimaryImage": "Principal",
- "HeaderFetchImages": "Buscar im\u00e1genes",
- "HeaderImageSettings": "Opciones de im\u00e1gen",
- "TabOther": "Otros",
- "LabelMaxBackdropsPerItem": "M\u00e1ximo n\u00famero de im\u00e1genes de fondo por \u00edtem:",
- "LabelMaxScreenshotsPerItem": "M\u00e1ximo n\u00famero de capturas de pantalla por \u00edtem:",
- "LabelMinBackdropDownloadWidth": "Anchura m\u00ednima de descarga de im\u00e1genes de fondo:",
- "LabelMinScreenshotDownloadWidth": "Anchura m\u00ednima de descarga de capturas de pantalla:",
- "ButtonAddScheduledTaskTrigger": "A\u00f1adir eventos",
- "HeaderAddScheduledTaskTrigger": "A\u00f1adir eventos de ejecuci\u00f3n",
- "ButtonAdd": "A\u00f1adir",
- "LabelTriggerType": "Tipo de evento:",
- "OptionDaily": "Diario",
- "OptionWeekly": "Semanal",
- "OptionOnInterval": "En un intervalo",
- "OptionOnAppStartup": "Al iniciar la aplicaci\u00f3n",
- "OptionAfterSystemEvent": "Despu\u00e9s de un evento de sistema",
- "LabelDay": "D\u00eda:",
- "LabelTime": "Hora:",
- "LabelEvent": "Evento:",
- "OptionWakeFromSleep": "Despertar",
- "LabelEveryXMinutes": "Cada:",
- "HeaderTvTuners": "Sintonizadores",
- "HeaderGallery": "Galer\u00eda",
- "HeaderLatestGames": "\u00daltimos Juegos",
- "HeaderRecentlyPlayedGames": "Juegos utilizados recientemente",
- "TabGameSystems": "Sistema de Juego",
- "TitleMediaLibrary": "Librer\u00eda de medios",
- "TabFolders": "Carpetas",
- "TabPathSubstitution": "Ruta alternativa",
- "LabelSeasonZeroDisplayName": "Nombre de la Temporada 0:",
- "LabelEnableRealtimeMonitor": "Activar monitoreo en tiempo real",
- "LabelEnableRealtimeMonitorHelp": "Los cambios se procesar\u00e1n inmediatamente, en sistemas de archivo que lo soporten.",
- "ButtonScanLibrary": "Escanear Librer\u00eda",
- "HeaderNumberOfPlayers": "Jugadores:",
- "OptionAnyNumberOfPlayers": "Cualquiera",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Carpetas de medios",
- "HeaderThemeVideos": "V\u00eddeos de tema",
- "HeaderThemeSongs": "Canciones de tema",
- "HeaderScenes": "Escenas",
- "HeaderAwardsAndReviews": "Premios y reconocimientos",
- "HeaderSoundtracks": "Pistas de audio",
- "HeaderMusicVideos": "V\u00eddeos musicales",
- "HeaderSpecialFeatures": "Caracter\u00edsticas especiales",
- "HeaderCastCrew": "Reparto y equipo t\u00e9cnico",
- "HeaderAdditionalParts": "Partes adicionales",
- "ButtonSplitVersionsApart": "Dividir versiones aparte",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Falta",
- "LabelOffline": "Apagado",
- "PathSubstitutionHelp": "Las rutas alternativas se utilizan para mapear una ruta en el servidor a la que los clientes puedan acceder. El permitir que los clientes se conecten directamente a trav\u00e9s de la red y puedan reproducir los medios directamente, evita utilizar recursos del servidor para la transcodificaci\u00f3n y el stream,",
- "HeaderFrom": "Desde",
- "HeaderTo": "Hasta",
- "LabelFrom": "Desde:",
- "LabelFromHelp": "Ejemplo: D:\\Pel\u00edculas (en el servidor)",
- "LabelTo": "Hasta:",
- "LabelToHelp": "Ejemplo: \\\\MiServidor\\Pel\u00edculas (ruta a la que puedan acceder los clientes)",
- "ButtonAddPathSubstitution": "A\u00f1adir ruta alternativa",
- "OptionSpecialEpisode": "Especiales",
- "OptionMissingEpisode": "Episodios que faltan",
- "OptionUnairedEpisode": "Episodios no emitidos",
- "OptionEpisodeSortName": "Nombre corto del episodio",
- "OptionSeriesSortName": "Nombre de la serie",
- "OptionTvdbRating": "Valoraci\u00f3n tvdb",
- "HeaderTranscodingQualityPreference": "Preferencia de calidad de transcodificaci\u00f3n:",
- "OptionAutomaticTranscodingHelp": "El servidor decidir\u00e1 la calidad y la velocidad",
- "OptionHighSpeedTranscodingHelp": "Calidad menor, pero codificaci\u00f3n r\u00e1pida",
- "OptionHighQualityTranscodingHelp": "C\u00e1lidad mayor, pero codificaci\u00f3n lenta",
- "OptionMaxQualityTranscodingHelp": "La mayor calidad posible con codificaci\u00f3n lenta y alto uso de CPU",
- "OptionHighSpeedTranscoding": "Mayor velocidad",
- "OptionHighQualityTranscoding": "Mayor calidad",
- "OptionMaxQualityTranscoding": "M\u00e1xima calidad",
- "OptionEnableDebugTranscodingLogging": "Activar el registro de depuraci\u00f3n del transcodificador",
- "OptionEnableDebugTranscodingLoggingHelp": "Esto crear\u00e1 archivos de registro muy grandes y s\u00f3lo se recomienda cuando sea necesario para solucionar problemas.",
- "OptionUpscaling": "Permitir que los clientes soliciten v\u00eddeo upscaled",
- "OptionUpscalingHelp": "En algunos casos esto se traducir\u00e1 en una mejora de la calidad del v\u00eddeo, pero aumentar\u00e1 el uso de CPU.",
- "EditCollectionItemsHelp": "Agregar o quitar pel\u00edculas, series, discos, libros o juegos que desee agrupar dentro de esta colecci\u00f3n.",
- "HeaderAddTitles": "A\u00f1adir T\u00edtulos",
- "LabelEnableDlnaPlayTo": "Actvar la reproducci\u00f3n en DLNAi",
- "LabelEnableDlnaPlayToHelp": "Media Browser puede detectar dispositivos en su red y ofrecer la posibilidad de controlarlos remotamente.",
- "LabelEnableDlnaDebugLogging": "Activar el registro de depuraci\u00f3n de DLNA",
- "LabelEnableDlnaDebugLoggingHelp": "Esto crear\u00e1 archivos de registro de gran tama\u00f1o y s\u00f3lo debe ser utilizado cuando sea necesario para solucionar problemas.",
- "LabelEnableDlnaClientDiscoveryInterval": "Intervalo de detecci\u00f3n de cliente (segundos)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Perfiles personalizados",
- "HeaderSystemDlnaProfiles": "Perfiles del sistema",
- "CustomDlnaProfilesHelp": "Crear un perfil personalizado para un nuevo dispositivo o reemplazar un perfil del sistema.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Panel de control",
- "TabHome": "Inicio",
- "TabInfo": "Info",
- "HeaderLinks": "Enlaces",
- "HeaderSystemPaths": "Rutas del sistema",
- "LinkCommunity": "Comunidad",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Documentaci\u00f3n API",
- "LabelFriendlyServerName": "Nombre informal del servidor:",
- "LabelFriendlyServerNameHelp": "Este nombre se podr\u00e1 utilizar para identificar este servidor. Si se deja en blanco se usar\u00e1 el nombre del ordenador.",
- "LabelPreferredDisplayLanguage": "Idioma de pantalla preferido",
- "LabelPreferredDisplayLanguageHelp": "La traducci\u00f3n de Media Browser es un proyecto en curso y a\u00fan no est\u00e1 completado.",
- "LabelReadHowYouCanContribute": "Lea acerca de c\u00f3mo usted puede contribuir.",
- "HeaderNewCollection": "Nueva colecci\u00f3n",
- "HeaderAddToCollection": "A\u00f1adir a la colecci\u00f3n",
- "ButtonSubmit": "Enviar",
- "NewCollectionNameExample": "Ejemplo: Star Wars Colecci\u00f3n",
- "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos",
- "ButtonCreate": "Crear",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "DDNS externa:",
- "LabelExternalDDNSHelp": "Si dispone de DNS din\u00e1mica, escr\u00edbala aqu\u00ed. Media Brower la utilizar\u00e1 para las conexiones remotas.",
- "TabResume": "Continuar",
- "TabWeather": "El tiempo",
- "TitleAppSettings": "Opciones de la App",
- "LabelMinResumePercentage": "Porcentaje m\u00ednimo para reanudaci\u00f3n:",
- "LabelMaxResumePercentage": "Porcentaje m\u00e1ximo para reanudaci\u00f3n::",
- "LabelMinResumeDuration": "Duraci\u00f3n m\u00ednima de reanudaci\u00f3n (segundos):",
- "LabelMinResumePercentageHelp": "Los t\u00edtulos se asumir\u00e1n como no reproducidos si se paran antes de este momento",
- "LabelMaxResumePercentageHelp": "Los t\u00edtulos se asumir\u00e1n como reproducidos si se paran despu\u00e9s de este momento",
- "LabelMinResumeDurationHelp": "Los t\u00edtulos m\u00e1s cortos de esto no ser\u00e1n reanudables",
- "TitleAutoOrganize": "Organizaci\u00f3n autom\u00e1tica",
- "TabActivityLog": "Log de actividad",
- "HeaderName": "Nombre",
- "HeaderDate": "Fecha",
- "HeaderSource": "Origen",
- "HeaderDestination": "Destino",
- "HeaderProgram": "Programa",
- "HeaderClients": "Clientes",
- "LabelCompleted": "Completado",
- "LabelFailed": "Error",
- "LabelSkipped": "Omitido",
- "HeaderEpisodeOrganization": "Organizaci\u00f3n de episodios",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Temporada n\u00famero:",
- "LabelEpisodeNumber": "Episodio n\u00famero:",
- "LabelEndingEpisodeNumber": "N\u00famero episodio final:",
- "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio",
- "HeaderSupportTheTeam": "Apoye al Equipo de Media Browser",
- "LabelSupportAmount": "Importe (USD)",
- "HeaderSupportTheTeamHelp": "Ayude a garantizar el desarrollo continuo de este proyecto mediante una donaci\u00f3n. Una parte de todas las donaciones ir\u00e1n a parar a otras herramientas gratuitas de las que dependemos.",
- "ButtonEnterSupporterKey": "Entre la Key de Seguidor",
- "DonationNextStep": "Cuando haya terminado, vuelva y entre su key de seguidor que recibir\u00e1 por email.",
- "AutoOrganizeHelp": "Organizaci\u00f3n autom\u00e1tica monitoriza sus carpetas de descarga en busca de nuevos archivos y los mueve a sus directorios de medios.",
- "AutoOrganizeTvHelp": "La organizaci\u00f3n de archivos de TV s\u00f3lo a\u00f1adir\u00e1 episodios a series existentes. No crear\u00e1 carpetas para series nuevas.",
- "OptionEnableEpisodeOrganization": "Activar la organizaci\u00f3n de nuevos episodios",
- "LabelWatchFolder": "Ver carpeta:",
- "LabelWatchFolderHelp": "El servidor sondear\u00e1 esta carpeta durante la tarea programada \"Organizar nuevos archivos de medios\".",
- "ButtonViewScheduledTasks": "Ver tareas programadas",
- "LabelMinFileSizeForOrganize": "Tama\u00f1o m\u00ednimo de archivo (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Los archivos menores de este tama\u00f1po se ignorar\u00e1n.",
- "LabelSeasonFolderPattern": "Patr\u00f3n de la carpeta para temporadas:",
- "LabelSeasonZeroFolderName": "Nombre de la carpeta para la temporada cero:",
- "HeaderEpisodeFilePattern": "Patr\u00f3n para archivos de episodio",
- "LabelEpisodePattern": "Patr\u00f3n de episodio:",
- "LabelMultiEpisodePattern": "Patr\u00f3n para multi-episodio:",
- "HeaderSupportedPatterns": "Patrones soportados",
- "HeaderTerm": "Plazo",
- "HeaderPattern": "Patr\u00f3n",
- "HeaderResult": "Resultado",
- "LabelDeleteEmptyFolders": "Borrar carpetas vacias despu\u00e9s de la organizaci\u00f3n",
- "LabelDeleteEmptyFoldersHelp": "Activar para mantener el directorio de descargas limpio.",
- "LabelDeleteLeftOverFiles": "Eliminar los archivos sobrantes con las siguientes extensiones:",
- "LabelDeleteLeftOverFilesHelp": "Separar con ;. Por ejemplo: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Sobreescribir episodios ya existentes",
- "LabelTransferMethod": "M\u00e9todo de transferencia",
- "OptionCopy": "Copiar",
- "OptionMove": "Mover",
- "LabelTransferMethodHelp": "Copiar o mover archivos desde la carpeta de inspecci\u00f3n",
- "HeaderLatestNews": "Ultimas noticias",
- "HeaderHelpImproveMediaBrowser": "Ayuda a mejorar Media Browser",
- "HeaderRunningTasks": "Tareas en ejecuci\u00f3n",
- "HeaderActiveDevices": "Dispositivos activos",
- "HeaderPendingInstallations": "Instalaciones pendientes",
- "HeaerServerInformation": "Informaci\u00f3n del servidor",
- "ButtonRestartNow": "Reiniciar ahora",
- "ButtonRestart": "Reiniciar",
- "ButtonShutdown": "Apagar",
- "ButtonUpdateNow": "Actualizar ahora",
- "PleaseUpdateManually": "Por favor cierre el servidor y actualice manualmente.",
- "NewServerVersionAvailable": "\u00a1Hay disponible una nueva versi\u00f3n de Media Browser Server!",
- "ServerUpToDate": "Media Browser Server est\u00e1 actualizado",
- "ErrorConnectingToMediaBrowserRepository": "Hubo un error al conectarse remotamente al repositorio de Media Browser,",
- "LabelComponentsUpdated": "Los componentes siguientes se han instalado o actualizado:",
- "MessagePleaseRestartServerToFinishUpdating": "Reinicie el servidor para acabar de aplicar las actualizaciones.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Potenciador de audio. Establecer a 1 para preservar el volumen original.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Antigua clave de seguidor",
- "LabelNewSupporterKey": "Nueva clave de seguidor",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Cuenta de correo actual",
- "LabelCurrentEmailAddressHelp": "La direcci\u00f3n de correo electr\u00f3nico actual a la que se envi\u00f3 la nueva clave.",
- "HeaderForgotKey": "Perd\u00ed mi clave",
- "LabelEmailAddress": "Direcci\u00f3n de correo",
- "LabelSupporterEmailAddress": "La direcci\u00f3n de correo que utliz\u00f3 para comprar la clave.",
- "ButtonRetrieveKey": "Recuperar clave",
- "LabelSupporterKey": "Clave de seguidor (pegar desde el correo)",
- "LabelSupporterKeyHelp": "Entre su clave de seguidor para empezar a disfrutar de los beneficios adicionales que la comunidad ha creado para Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Opciones de pantalla",
- "TabPlayTo": "Reproducir en",
- "LabelEnableDlnaServer": "Habilitar servidor Dlna",
- "LabelEnableDlnaServerHelp": "Permite que los dispositivos UPnp de su red puedan navegar y repoducir contenidos de Media Browser.",
- "LabelEnableBlastAliveMessages": "Explotar mensajes en vivo",
- "LabelEnableBlastAliveMessagesHelp": "Active aqu\u00ed si el servidor no es detectado correctamente por otros dispositivos UPnP en su red.",
- "LabelBlastMessageInterval": "Intervalo para mensajes en vivo (segundos)",
- "LabelBlastMessageIntervalHelp": "Determina la duraci\u00f3n en segundos entre los mensajes en vivo del servidor .",
- "LabelDefaultUser": "Usuario por defecto:",
- "LabelDefaultUserHelp": "Determina de q\u00fae usuario se utilizar\u00e1 su biblioteca de medios para mostrarla por defecto en los dipositivos conectados. Esto puede cambiarse para cada dispositivo mediante el uso de perfiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Canales",
- "HeaderServerSettings": "Ajustes del Servidor",
- "LabelWeatherDisplayLocation": "Lugar del que mostar el tiempo:",
- "LabelWeatherDisplayLocationHelp": "C\u00f3digo postal USA \/ Ciudad, Estado, Pa\u00eds \/ Ciudad, Pa\u00eds",
- "LabelWeatherDisplayUnit": "Unidad de media para la temperatura:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Requerir entrada de usuario manual para:",
- "HeaderRequireManualLoginHelp": "Cuando est\u00e1 desactivado los clientes saldr\u00e1n en la pantalla de inicio para seleccionarlos visualmente.",
- "OptionOtherApps": "Otras aplicaciones",
- "OptionMobileApps": "Aplicaciones m\u00f3viles",
- "HeaderNotificationList": "Haga click en una notificaci\u00f3n para configurar sus opciones de env\u00edo.",
- "NotificationOptionApplicationUpdateAvailable": "Disponible actualizaci\u00f3n de la aplicaci\u00f3n",
- "NotificationOptionApplicationUpdateInstalled": "Se ha instalado la actualizaci\u00f3n de la aplicaci\u00f3n",
- "NotificationOptionPluginUpdateInstalled": "Se ha instalado la actualizaci\u00f3n del plugin",
- "NotificationOptionPluginInstalled": "Plugin instalado",
- "NotificationOptionPluginUninstalled": "Plugin desinstalado",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Reproducci\u00f3n de video detenida",
- "NotificationOptionAudioPlaybackStopped": "Reproducci\u00f3n de audio detenida",
- "NotificationOptionGamePlaybackStopped": "Reproducci\u00f3n de juego detenida",
- "NotificationOptionTaskFailed": "La tarea programada ha fallado",
- "NotificationOptionInstallationFailed": "Fallo en la instalaci\u00f3n",
- "NotificationOptionNewLibraryContent": "Nuevo contenido a\u00f1adido",
- "NotificationOptionNewLibraryContentMultiple": "Nuevo contenido a\u00f1adido (multiple)",
- "SendNotificationHelp": "Por defecto, las notificaciones aparecer\u00e1n en el panel de control. Compruebe el cat\u00e1logo de plugins para instalar opciones adicionales para las notificaciones.",
- "NotificationOptionServerRestartRequired": "Se requiere el reinicio del servidor",
- "LabelNotificationEnabled": "Activar esta notificaci\u00f3n",
- "LabelMonitorUsers": "Supervisar la actividad de:",
- "LabelSendNotificationToUsers": "Enviar la notificaci\u00f3n a:",
- "LabelUseNotificationServices": "Usar los siguientes servicios:",
- "CategoryUser": "Usuario",
- "CategorySystem": "Sistema",
- "CategoryApplication": "Aplicaci\u00f3n",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "T\u00edtulo del mensaje:",
- "LabelAvailableTokens": "Tokens disponibles:",
- "AdditionalNotificationServices": "Visite el cat\u00e1logo de plugins para instalar servicios de notificaci\u00f3n adicionales.",
- "OptionAllUsers": "Todos los usuarios",
- "OptionAdminUsers": "Administradores",
- "OptionCustomUsers": "A medida",
- "ButtonArrowUp": "Arriba",
- "ButtonArrowDown": "Abajo",
- "ButtonArrowLeft": "Izquierda",
- "ButtonArrowRight": "Derecha",
- "ButtonBack": "Atr\u00e1s",
- "ButtonInfo": "Info",
- "ButtonOsd": "Visualizaci\u00f3n en pantalla",
- "ButtonPageUp": "P\u00e1gina arriba",
- "ButtonPageDown": "P\u00e1gina abajo",
- "PageAbbreviation": "PG",
- "ButtonHome": "Inicio",
- "ButtonSearch": "Buscar",
- "ButtonSettings": "Opciones",
- "ButtonTakeScreenshot": "Captura de pantalla",
- "ButtonLetterUp": "Letter arriba",
- "ButtonLetterDown": "Letter abajo",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Reproduciendo ahora",
- "TabNavigation": "Navegaci\u00f3n",
- "TabControls": "Controles",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Escenas",
- "ButtonSubtitles": "Subt\u00edtulos",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Pista anterior",
- "ButtonNextTrack": "Pista siguiente",
- "ButtonStop": "Detener",
- "ButtonPause": "Pausa",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Agrupar pel\u00edculas en colecciones",
- "LabelGroupMoviesIntoCollectionsHelp": "Cuando se muestran las listas de pel\u00edculas, las pel\u00edculas pertenecientes a una colecci\u00f3n se mostrar\u00e1n como un elemento agrupado.",
- "NotificationOptionPluginError": "Error en plugin",
- "ButtonVolumeUp": "Subir volumen",
- "ButtonVolumeDown": "Bajar volumen",
- "ButtonMute": "Silencio",
- "HeaderLatestMedia": "\u00daltimos medios",
- "OptionSpecialFeatures": "Caracter\u00edsticas especiales",
- "HeaderCollections": "Colecciones",
- "LabelProfileCodecsHelp": "Separados por comas. Esto se puede dejar vac\u00edo para aplicar a todos los codecs.",
- "LabelProfileContainersHelp": "Separados por comas. Esto se puede dejar vac\u00edo para aplicar a todos los contenedores.",
- "HeaderResponseProfile": "Perfil de respuesta",
- "LabelType": "Tipo:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Contenedor:",
- "LabelProfileVideoCodecs": "Codecs de video:",
- "LabelProfileAudioCodecs": "Codecs de audio:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Perfil de reproducci\u00f3n directa",
- "HeaderTranscodingProfile": "Perfil de transcodificaci\u00f3n",
- "HeaderCodecProfile": "Perfil de codec",
- "HeaderCodecProfileHelp": "Perfiles de codec indican las limitaciones de un dispositivo cuando se reproducen codecs espec\u00edficos. Si se aplica una limitaci\u00f3n entonces el medio se transcodificar\u00e1, incluso si el codec est\u00e1 configurado para reproducci\u00f3n directa.",
- "HeaderContainerProfile": "Perfil de contenedor",
- "HeaderContainerProfileHelp": "Perfiles de codec indican las limitaciones de un dispositivo mientras reproduce formatos espec\u00edficos. If se aplica una limitaci\u00f3n entonces el medio se transcodificar\u00e1, incluso si el formato est\u00e1 configurado para reproducci\u00f3n directa.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video audio",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "Librer\u00eda de usuario:",
- "LabelUserLibraryHelp": "Seleccione de qu\u00e9 usuario se utilizar\u00e1 la librer\u00eda en el dispositivo. D\u00e9jelo vac\u00edo para utilizar la configuraci\u00f3n por defecto.",
- "OptionPlainStorageFolders": "Ver todas las carpetas como carpetas de almacenamiento sin formato.",
- "OptionPlainStorageFoldersHelp": "Si est\u00e1 activado, todas las carpetas se representan en DIDL como \"object.container.storageFolder\" en lugar de un tipo m\u00e1s espec\u00edfico, como por ejemplo \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Mostrar todos los videos como elementos de video sin formato",
- "OptionPlainVideoItemsHelp": "Si est\u00e1 habilitado, todos los v\u00eddeos est\u00e1n representados en DIDL como \"object.item.videoItem\" en lugar de un tipo m\u00e1s espec\u00edfico, como por ejemplo \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Tipos de medio soportados:",
- "TabIdentification": "Identificaci\u00f3n",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Reproducci\u00f3n directa",
- "TabContainers": "Contenedores",
- "TabCodecs": "Codecs",
- "TabResponses": "Respuestas",
- "HeaderProfileInformation": "Informaci\u00f3n del perfil",
- "LabelEmbedAlbumArtDidl": "Incorporar la car\u00e1tula del \u00e1lbum en didl",
- "LabelEmbedAlbumArtDidlHelp": "Algunos dispositivos prefieren este m\u00e9todo para obtener la car\u00e1tula del \u00e1lbum. Otros pueden fallar al reproducir con esta opci\u00f3n habilitada.",
- "LabelAlbumArtPN": "Car\u00e1tula del album PN:",
- "LabelAlbumArtHelp": "PN utilizado para la car\u00e1tula del \u00e1lbum, dentro del atributo dlna:profileID en upnp:albumArtURI. Algunos clientes requieren un valor espec\u00edfico, independientemente del tama\u00f1o de la imagen.",
- "LabelAlbumArtMaxWidth": "Anchura m\u00e1xima de la car\u00e1tula del album:",
- "LabelAlbumArtMaxWidthHelp": "Resoluci\u00f3n m\u00e1xima de la car\u00e1tula del \u00e1lbum expuesta a trav\u00e9s de upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Altura m\u00e1xima de la car\u00e1tula del album:",
- "LabelAlbumArtMaxHeightHelp": "Resoluci\u00f3n m\u00e1xima de la car\u00e1tula del \u00e1lbum expuesta a trav\u00e9s de upnp:albumArtURI.",
- "LabelIconMaxWidth": "Anchura m\u00e1xima de icono:",
- "LabelIconMaxWidthHelp": "Resoluci\u00f3n m\u00e1xima de los iconos expuestos via upnp:icon.",
- "LabelIconMaxHeight": "Altura m\u00e1xima de icono:",
- "LabelIconMaxHeightHelp": "Resoluci\u00f3n m\u00e1xima de los iconos expuestos via upnp:icon.",
- "LabelIdentificationFieldHelp": "Una subcadena insensible a may\u00fasculas o min\u00fasculas o una expresi\u00f3n regex.",
- "HeaderProfileServerSettingsHelp": "Estos valores controlan el modo en que Media Browser se presentar\u00e1 en el dispositivo.",
- "LabelMaxBitrate": "Bitrate m\u00e1ximo:",
- "LabelMaxBitrateHelp": "Especificar una tasa de bits m\u00e1xima en entornos de ancho de banda limitado, o si el dispositivo impone su propio l\u00edmite.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignorar las solicitudes de intervalo de bytes de transcodificaci\u00f3n",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si est\u00e1 activado, estas solicitudes ser\u00e1n atendidas pero ignorar\u00e1n el encabezado de intervalo de bytes.",
- "LabelFriendlyName": "Nombre amigable",
- "LabelManufacturer": "Fabricante",
- "LabelManufacturerUrl": "Url del fabricante",
- "LabelModelName": "Nombre de modelo",
- "LabelModelNumber": "N\u00famero de modelo",
- "LabelModelDescription": "Descripci\u00f3n de modelo",
- "LabelModelUrl": "Url del modelo",
- "LabelSerialNumber": "N\u00famero de serie",
- "LabelDeviceDescription": "Descripci\u00f3n del dispositivo",
- "HeaderIdentificationCriteriaHelp": "Entre al menos un criterio de identificaci\u00f3n.",
- "HeaderDirectPlayProfileHelp": "A\u00f1adir perfiles de reproducci\u00f3n directa para indicar qu\u00e9 formatos puede utilizar el dispositivo de forma nativa.",
- "HeaderTranscodingProfileHelp": "A\u00f1adir perfiles de transcodificaci\u00f3n para indicar qu\u00e9 formatos se deben utilizar cuando se requiera transcodificaci\u00f3n.",
- "HeaderResponseProfileHelp": "Perfiles de respuesta proporcionan una forma de personalizar la informaci\u00f3n que se env\u00eda al dispositivo cuando se reproducen ciertos tipos de medios.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determina el contenido del elemento X_DLNACAP en el espacio de nombre urn:schemas-dlna-org:device-1-0.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determina el contenido del elemento X_DLNADOC en el espacio de nombreurn:schemas-dlna-org:device-1-0.",
- "LabelSonyAggregationFlags": "Agregaci\u00f3n de banderas Sony:",
- "LabelSonyAggregationFlagsHelp": "Determina el contenido del elemento aggregationFlags en el espacio de nombre urn:schemas-sonycom:av.",
- "LabelTranscodingContainer": "Contenedor:",
- "LabelTranscodingVideoCodec": "Codec de video:",
- "LabelTranscodingVideoProfile": "Perfil de video:",
- "LabelTranscodingAudioCodec": "Codec de audio:",
- "OptionEnableM2tsMode": "Activar modo M2ts",
- "OptionEnableM2tsModeHelp": "Activar modo m2ts cuando se codifique a mpegts",
- "OptionEstimateContentLength": "Estimar longitud del contenido al transcodificar",
- "OptionReportByteRangeSeekingWhenTranscoding": "Indicar que el servidor soporta la b\u00fasqueda de byte al transcodificar",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Esto es necesario para algunos dispositivos que no buscan el tiempo muy bien.",
- "HeaderSubtitleDownloadingHelp": "Cuando Media Browser escanea los archivos de v\u00eddeo, puede buscar subt\u00edtulos faltantes y descargarlos usando un proveedor de subt\u00edtulos como OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Descarga subt\u00edtulos para:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Omitir si el video ya contiene subt\u00edtulos gr\u00e1ficos",
- "LabelSkipIfGraphicalSubsPresentHelp": "Mantener versiones de texto de los subt\u00edtulos se traducir\u00e1 en una prestaci\u00f3n m\u00e1s eficiente para los clientes m\u00f3viles.",
- "TabSubtitles": "Subt\u00edtulos",
- "TabChapters": "Cap\u00edtulos",
- "HeaderDownloadChaptersFor": "Descarga nombres de los cap\u00edtulos de:",
- "LabelOpenSubtitlesUsername": "Usuario de Open Subtitles:",
- "LabelOpenSubtitlesPassword": "Contrase\u00f1a de Open Subtitles:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "\nReproducir pista de audio predeterminado, independientemente del idioma",
- "LabelSubtitlePlaybackMode": "Modo de Subt\u00edtulo:",
- "LabelDownloadLanguages": "Idiomas de descarga:",
- "ButtonRegister": "Registrar",
- "LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el idioma de descarga",
- "LabelSkipIfAudioTrackPresentHelp": "Desactive esta opci\u00f3n para asegurar que todos los v\u00eddeos tienen subt\u00edtulos, sin importar el idioma de audio.",
- "HeaderSendMessage": "Enviar mensaje",
- "ButtonSend": "Enviar",
- "LabelMessageText": "Mensaje de texto:",
- "MessageNoAvailablePlugins": "No hay plugins disponibles.",
- "LabelDisplayPluginsFor": "Mostrar plugins para:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Entrar texto",
- "LabelTypeText": "Texto",
- "HeaderSearchForSubtitles": "B\u00fasqueda de Subt\u00edtulos",
- "MessageNoSubtitleSearchResultsFound": "No se han encontrado resultados en la b\u00fasqueda.",
- "TabDisplay": "Pantalla",
- "TabLanguages": "Idiomas",
- "TabWebClient": "Cliente web",
- "LabelEnableThemeSongs": "Habilitar temas musicales",
- "LabelEnableBackdrops": "Habilitar im\u00e1genes de fondo",
- "LabelEnableThemeSongsHelp": "Si est\u00e1 habilitado, se reproducir\u00e1n temas musicales de fondo mientras navega por la biblioteca.",
- "LabelEnableBackdropsHelp": "Si est\u00e1 habilitado, se mostrar\u00e1n im\u00e1genes de fondo en algunas p\u00e1ginas mientras navega por la biblioteca.",
- "HeaderHomePage": "P\u00e1gina de inicio",
- "HeaderSettingsForThisDevice": "Opciones para este dispositivo",
- "OptionAuto": "Auto",
- "OptionYes": "Si",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "Mis vistas (botones)",
- "OptionMyViews": "Mis vistas",
- "OptionMyViewsSmall": "Mis vistas (peque\u00f1o)",
- "OptionResumablemedia": "Continuar",
- "OptionLatestMedia": "\u00daltimos medios",
- "OptionLatestChannelMedia": "Ultimos elementos de canales",
- "HeaderLatestChannelItems": "Ultimos elementos de canales",
- "OptionNone": "Nada",
- "HeaderLiveTv": "TV en vivo",
- "HeaderReports": "Informes",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferencias",
- "MessageLoadingChannels": "Cargando contenidos del canal...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Marcar como le\u00eddo",
- "OptionDefaultSort": "Por defecto",
- "OptionCommunityMostWatchedSort": "M\u00e1s visto",
- "TabNextUp": "Siguiendo",
- "MessageNoMovieSuggestionsAvailable": "No hay sugerencias de pel\u00edculas disponibles. Comience ver y calificar sus pel\u00edculas y vuelva para ver las recomendaciones.",
- "MessageNoCollectionsAvailable": "Colecciones le permitir\u00e1 disfrutar de grupos personalizados de Pel\u00edculas, Series, Discos, Libros y Juegos. Haga click en el bot\u00f3n nuevo para empezar a crear Colecciones.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Vienvenido al Cliente Web de Media Browser",
- "ButtonDismiss": "Descartar",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Calidad preferida para la transmisi\u00f3n por Internet:",
- "LabelChannelStreamQualityHelp": "En un entorno de bajo ancho de banda, limitar la calidad puede ayudar a asegurar una experiencia de streaming suave.",
- "OptionBestAvailableStreamQuality": "Mejor disponible",
- "LabelEnableChannelContentDownloadingFor": "Habilitar descargas de contenido para el canal:",
- "LabelEnableChannelContentDownloadingForHelp": "Algunos canales soportan descargar contenido antes de ver. Habilite esta en ambientes de poco ancho de banda para descargar el contenido del canal durante las horas libres. El contenido se descarga como parte de la tarea programada de descargas de canal.",
- "LabelChannelDownloadPath": "Ruta para descargas de contenidos de canales:",
- "LabelChannelDownloadPathHelp": "Especifique una ruta personalizada si lo desea. D\u00e9jelo en blanco para utilizar un carpeta interna del programa.",
- "LabelChannelDownloadAge": "Borrar contenido despues de: (d\u00edas)",
- "LabelChannelDownloadAgeHelp": "Todo contenido descargado anterior se borrar\u00e1. Continuar\u00e1 estando disponible v\u00eda streaming de internet.",
- "ChannelSettingsFormHelp": "Instale canales como Trailers y Vimeo desde el cat\u00e1logo de plugins.",
- "LabelSelectCollection": "Seleccionar colecci\u00f3n:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Pel\u00edculas",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Juegos",
- "ViewTypeMusic": "M\u00fasica",
- "ViewTypeBoxSets": "Colecciones",
- "ViewTypeChannels": "Canales",
- "ViewTypeLiveTV": "Tv en vivo",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Configuraci\u00f3n de pantalla",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "Mis vistas",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Mostrar contenido para adultos",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Control remoto",
- "OptionLatestTvRecordings": "\u00daltimas grabaciones",
- "LabelProtocolInfo": "Informaci\u00f3n de protocolo:",
- "LabelProtocolInfoHelp": "El valor que se utilizar\u00e1 cuando se responde a una solicitud GetProtocolInfo desde el dispositivo.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "Si est\u00e1 activado, estos canales se mostrar\u00e1n directamente junto a Mis Vistas. Si est\u00e1 desactivada, ser\u00e1n mostrados separadamente en la vista de Canales.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Servicios",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Archivos de log del servidor:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Personalizar la apariencia de Explorador de medios para satisfacer las necesidades de su grupo u organizaci\u00f3n.",
- "LabelLoginDisclaimer": "Login renuncia:",
- "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
- "LabelAutomaticallyDonate": "Automatically donate this amount every month",
- "LabelAutomaticallyDonateHelp": "Usted puede cancelar en cualquier momento desde su cuenta de PayPal.",
- "OptionList": "Lista",
- "TabDashboard": "Panel de control",
- "TitleServer": "Servidor",
- "LabelCache": "Cach\u00e9:",
- "LabelLogs": "Registros:",
- "LabelMetadata": "Metadatos:",
- "LabelImagesByName": "Im\u00e1genes por nombre:",
- "LabelTranscodingTemporaryFiles": "Archivos temporales de transcodificaci\u00f3n:",
- "HeaderLatestMusic": "\u00daltima m\u00fasica",
- "HeaderBranding": "Branding",
- "HeaderApiKeys": "Keys de Api",
- "HeaderApiKeysHelp": "Se requieren aplicaciones externas para tener una clave de API con el fin de comunicarse con Media Browser. Las claves son emitidas al iniciar una sesi\u00f3n con una cuenta de Media Browser, o mediante la introducci\u00f3n manualmente de una clave en la aplicaci\u00f3n.",
- "HeaderApiKey": "Clave Api",
- "HeaderApp": "App",
- "HeaderDevice": "Dispositivo",
"HeaderUser": "Usuario",
"HeaderDateIssued": "Fecha de emisi\u00f3n",
"LabelChapterName": "Cap\u00edtulo {0}",
@@ -923,6 +331,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Salir",
"LabelVisitCommunity": "Visitar la comunidad",
"LabelGithubWiki": "Wiki de Github",
@@ -1249,5 +661,597 @@
"OptionRecordOnlyNewEpisodes": "Grabar s\u00f3lo nuevos episodios",
"HeaderDays": "D\u00edas",
"HeaderActiveRecordings": "Grabaciones activas",
- "HeaderLatestRecordings": "\u00daltimas grabaciones"
+ "HeaderLatestRecordings": "\u00daltimas grabaciones",
+ "HeaderAllRecordings": "Todas la grabaciones",
+ "ButtonPlay": "Reproducir",
+ "ButtonEdit": "Editar",
+ "ButtonRecord": "Grabar",
+ "ButtonDelete": "Borrar",
+ "ButtonRemove": "Quitar",
+ "OptionRecordSeries": "Grabar serie",
+ "HeaderDetails": "Detalles",
+ "TitleLiveTV": "Tv en vivo",
+ "LabelNumberOfGuideDays": "N\u00famero de d\u00edas de descarga de la gu\u00eda.",
+ "LabelNumberOfGuideDaysHelp": "Descargar m\u00e1s d\u00edas de la gu\u00eda ofrece la posibilidad de programar grabaciones con mayor antelaci\u00f3n y ver m\u00e1s listas, pero tambi\u00e9n tarda m\u00e1s en descargarse. Auto elegir\u00e1 en funci\u00f3n del n\u00famero de canales.",
+ "LabelActiveService": "Activar servicio",
+ "LabelActiveServiceHelp": "Es posible instalar m\u00faltiples plugins de tv, pero s\u00f3lo puede estar activo uno a la vez.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "El servicio de TV en vivo es necesario para poder continuar.",
+ "LiveTvPluginRequiredHelp": "Instale uno de los plugins disponibles, como Next Pvr o ServerVmc.",
+ "LabelCustomizeOptionsPerMediaType": "Personalizar por tipo de medio:",
+ "OptionDownloadThumbImage": "Miniatura",
+ "OptionDownloadMenuImage": "Men\u00fa",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Caja",
+ "OptionDownloadDiscImage": "Disco",
+ "OptionDownloadBannerImage": "Pancarta",
+ "OptionDownloadBackImage": "Atr\u00e1s",
+ "OptionDownloadArtImage": "Arte",
+ "OptionDownloadPrimaryImage": "Principal",
+ "HeaderFetchImages": "Buscar im\u00e1genes",
+ "HeaderImageSettings": "Opciones de im\u00e1gen",
+ "TabOther": "Otros",
+ "LabelMaxBackdropsPerItem": "M\u00e1ximo n\u00famero de im\u00e1genes de fondo por \u00edtem:",
+ "LabelMaxScreenshotsPerItem": "M\u00e1ximo n\u00famero de capturas de pantalla por \u00edtem:",
+ "LabelMinBackdropDownloadWidth": "Anchura m\u00ednima de descarga de im\u00e1genes de fondo:",
+ "LabelMinScreenshotDownloadWidth": "Anchura m\u00ednima de descarga de capturas de pantalla:",
+ "ButtonAddScheduledTaskTrigger": "A\u00f1adir eventos",
+ "HeaderAddScheduledTaskTrigger": "A\u00f1adir eventos de ejecuci\u00f3n",
+ "ButtonAdd": "A\u00f1adir",
+ "LabelTriggerType": "Tipo de evento:",
+ "OptionDaily": "Diario",
+ "OptionWeekly": "Semanal",
+ "OptionOnInterval": "En un intervalo",
+ "OptionOnAppStartup": "Al iniciar la aplicaci\u00f3n",
+ "OptionAfterSystemEvent": "Despu\u00e9s de un evento de sistema",
+ "LabelDay": "D\u00eda:",
+ "LabelTime": "Hora:",
+ "LabelEvent": "Evento:",
+ "OptionWakeFromSleep": "Despertar",
+ "LabelEveryXMinutes": "Cada:",
+ "HeaderTvTuners": "Sintonizadores",
+ "HeaderGallery": "Galer\u00eda",
+ "HeaderLatestGames": "\u00daltimos Juegos",
+ "HeaderRecentlyPlayedGames": "Juegos utilizados recientemente",
+ "TabGameSystems": "Sistema de Juego",
+ "TitleMediaLibrary": "Librer\u00eda de medios",
+ "TabFolders": "Carpetas",
+ "TabPathSubstitution": "Ruta alternativa",
+ "LabelSeasonZeroDisplayName": "Nombre de la Temporada 0:",
+ "LabelEnableRealtimeMonitor": "Activar monitoreo en tiempo real",
+ "LabelEnableRealtimeMonitorHelp": "Los cambios se procesar\u00e1n inmediatamente, en sistemas de archivo que lo soporten.",
+ "ButtonScanLibrary": "Escanear Librer\u00eda",
+ "HeaderNumberOfPlayers": "Jugadores:",
+ "OptionAnyNumberOfPlayers": "Cualquiera",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Carpetas de medios",
+ "HeaderThemeVideos": "V\u00eddeos de tema",
+ "HeaderThemeSongs": "Canciones de tema",
+ "HeaderScenes": "Escenas",
+ "HeaderAwardsAndReviews": "Premios y reconocimientos",
+ "HeaderSoundtracks": "Pistas de audio",
+ "HeaderMusicVideos": "V\u00eddeos musicales",
+ "HeaderSpecialFeatures": "Caracter\u00edsticas especiales",
+ "HeaderCastCrew": "Reparto y equipo t\u00e9cnico",
+ "HeaderAdditionalParts": "Partes adicionales",
+ "ButtonSplitVersionsApart": "Dividir versiones aparte",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Falta",
+ "LabelOffline": "Apagado",
+ "PathSubstitutionHelp": "Las rutas alternativas se utilizan para mapear una ruta en el servidor a la que los clientes puedan acceder. El permitir que los clientes se conecten directamente a trav\u00e9s de la red y puedan reproducir los medios directamente, evita utilizar recursos del servidor para la transcodificaci\u00f3n y el stream,",
+ "HeaderFrom": "Desde",
+ "HeaderTo": "Hasta",
+ "LabelFrom": "Desde:",
+ "LabelFromHelp": "Ejemplo: D:\\Pel\u00edculas (en el servidor)",
+ "LabelTo": "Hasta:",
+ "LabelToHelp": "Ejemplo: \\\\MiServidor\\Pel\u00edculas (ruta a la que puedan acceder los clientes)",
+ "ButtonAddPathSubstitution": "A\u00f1adir ruta alternativa",
+ "OptionSpecialEpisode": "Especiales",
+ "OptionMissingEpisode": "Episodios que faltan",
+ "OptionUnairedEpisode": "Episodios no emitidos",
+ "OptionEpisodeSortName": "Nombre corto del episodio",
+ "OptionSeriesSortName": "Nombre de la serie",
+ "OptionTvdbRating": "Valoraci\u00f3n tvdb",
+ "HeaderTranscodingQualityPreference": "Preferencia de calidad de transcodificaci\u00f3n:",
+ "OptionAutomaticTranscodingHelp": "El servidor decidir\u00e1 la calidad y la velocidad",
+ "OptionHighSpeedTranscodingHelp": "Calidad menor, pero codificaci\u00f3n r\u00e1pida",
+ "OptionHighQualityTranscodingHelp": "C\u00e1lidad mayor, pero codificaci\u00f3n lenta",
+ "OptionMaxQualityTranscodingHelp": "La mayor calidad posible con codificaci\u00f3n lenta y alto uso de CPU",
+ "OptionHighSpeedTranscoding": "Mayor velocidad",
+ "OptionHighQualityTranscoding": "Mayor calidad",
+ "OptionMaxQualityTranscoding": "M\u00e1xima calidad",
+ "OptionEnableDebugTranscodingLogging": "Activar el registro de depuraci\u00f3n del transcodificador",
+ "OptionEnableDebugTranscodingLoggingHelp": "Esto crear\u00e1 archivos de registro muy grandes y s\u00f3lo se recomienda cuando sea necesario para solucionar problemas.",
+ "OptionUpscaling": "Permitir que los clientes soliciten v\u00eddeo upscaled",
+ "OptionUpscalingHelp": "En algunos casos esto se traducir\u00e1 en una mejora de la calidad del v\u00eddeo, pero aumentar\u00e1 el uso de CPU.",
+ "EditCollectionItemsHelp": "Agregar o quitar pel\u00edculas, series, discos, libros o juegos que desee agrupar dentro de esta colecci\u00f3n.",
+ "HeaderAddTitles": "A\u00f1adir T\u00edtulos",
+ "LabelEnableDlnaPlayTo": "Actvar la reproducci\u00f3n en DLNAi",
+ "LabelEnableDlnaPlayToHelp": "Media Browser puede detectar dispositivos en su red y ofrecer la posibilidad de controlarlos remotamente.",
+ "LabelEnableDlnaDebugLogging": "Activar el registro de depuraci\u00f3n de DLNA",
+ "LabelEnableDlnaDebugLoggingHelp": "Esto crear\u00e1 archivos de registro de gran tama\u00f1o y s\u00f3lo debe ser utilizado cuando sea necesario para solucionar problemas.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Intervalo de detecci\u00f3n de cliente (segundos)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Perfiles personalizados",
+ "HeaderSystemDlnaProfiles": "Perfiles del sistema",
+ "CustomDlnaProfilesHelp": "Crear un perfil personalizado para un nuevo dispositivo o reemplazar un perfil del sistema.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Panel de control",
+ "TabHome": "Inicio",
+ "TabInfo": "Info",
+ "HeaderLinks": "Enlaces",
+ "HeaderSystemPaths": "Rutas del sistema",
+ "LinkCommunity": "Comunidad",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Documentaci\u00f3n API",
+ "LabelFriendlyServerName": "Nombre informal del servidor:",
+ "LabelFriendlyServerNameHelp": "Este nombre se podr\u00e1 utilizar para identificar este servidor. Si se deja en blanco se usar\u00e1 el nombre del ordenador.",
+ "LabelPreferredDisplayLanguage": "Idioma de pantalla preferido",
+ "LabelPreferredDisplayLanguageHelp": "La traducci\u00f3n de Media Browser es un proyecto en curso y a\u00fan no est\u00e1 completado.",
+ "LabelReadHowYouCanContribute": "Lea acerca de c\u00f3mo usted puede contribuir.",
+ "HeaderNewCollection": "Nueva colecci\u00f3n",
+ "HeaderAddToCollection": "A\u00f1adir a la colecci\u00f3n",
+ "ButtonSubmit": "Enviar",
+ "NewCollectionNameExample": "Ejemplo: Star Wars Colecci\u00f3n",
+ "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos",
+ "ButtonCreate": "Crear",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "DDNS externa:",
+ "LabelExternalDDNSHelp": "Si dispone de DNS din\u00e1mica, escr\u00edbala aqu\u00ed. Media Brower la utilizar\u00e1 para las conexiones remotas.",
+ "TabResume": "Continuar",
+ "TabWeather": "El tiempo",
+ "TitleAppSettings": "Opciones de la App",
+ "LabelMinResumePercentage": "Porcentaje m\u00ednimo para reanudaci\u00f3n:",
+ "LabelMaxResumePercentage": "Porcentaje m\u00e1ximo para reanudaci\u00f3n::",
+ "LabelMinResumeDuration": "Duraci\u00f3n m\u00ednima de reanudaci\u00f3n (segundos):",
+ "LabelMinResumePercentageHelp": "Los t\u00edtulos se asumir\u00e1n como no reproducidos si se paran antes de este momento",
+ "LabelMaxResumePercentageHelp": "Los t\u00edtulos se asumir\u00e1n como reproducidos si se paran despu\u00e9s de este momento",
+ "LabelMinResumeDurationHelp": "Los t\u00edtulos m\u00e1s cortos de esto no ser\u00e1n reanudables",
+ "TitleAutoOrganize": "Organizaci\u00f3n autom\u00e1tica",
+ "TabActivityLog": "Log de actividad",
+ "HeaderName": "Nombre",
+ "HeaderDate": "Fecha",
+ "HeaderSource": "Origen",
+ "HeaderDestination": "Destino",
+ "HeaderProgram": "Programa",
+ "HeaderClients": "Clientes",
+ "LabelCompleted": "Completado",
+ "LabelFailed": "Error",
+ "LabelSkipped": "Omitido",
+ "HeaderEpisodeOrganization": "Organizaci\u00f3n de episodios",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Temporada n\u00famero:",
+ "LabelEpisodeNumber": "Episodio n\u00famero:",
+ "LabelEndingEpisodeNumber": "N\u00famero episodio final:",
+ "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio",
+ "HeaderSupportTheTeam": "Apoye al Equipo de Media Browser",
+ "LabelSupportAmount": "Importe (USD)",
+ "HeaderSupportTheTeamHelp": "Ayude a garantizar el desarrollo continuo de este proyecto mediante una donaci\u00f3n. Una parte de todas las donaciones ir\u00e1n a parar a otras herramientas gratuitas de las que dependemos.",
+ "ButtonEnterSupporterKey": "Entre la Key de Seguidor",
+ "DonationNextStep": "Cuando haya terminado, vuelva y entre su key de seguidor que recibir\u00e1 por email.",
+ "AutoOrganizeHelp": "Organizaci\u00f3n autom\u00e1tica monitoriza sus carpetas de descarga en busca de nuevos archivos y los mueve a sus directorios de medios.",
+ "AutoOrganizeTvHelp": "La organizaci\u00f3n de archivos de TV s\u00f3lo a\u00f1adir\u00e1 episodios a series existentes. No crear\u00e1 carpetas para series nuevas.",
+ "OptionEnableEpisodeOrganization": "Activar la organizaci\u00f3n de nuevos episodios",
+ "LabelWatchFolder": "Ver carpeta:",
+ "LabelWatchFolderHelp": "El servidor sondear\u00e1 esta carpeta durante la tarea programada \"Organizar nuevos archivos de medios\".",
+ "ButtonViewScheduledTasks": "Ver tareas programadas",
+ "LabelMinFileSizeForOrganize": "Tama\u00f1o m\u00ednimo de archivo (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Los archivos menores de este tama\u00f1po se ignorar\u00e1n.",
+ "LabelSeasonFolderPattern": "Patr\u00f3n de la carpeta para temporadas:",
+ "LabelSeasonZeroFolderName": "Nombre de la carpeta para la temporada cero:",
+ "HeaderEpisodeFilePattern": "Patr\u00f3n para archivos de episodio",
+ "LabelEpisodePattern": "Patr\u00f3n de episodio:",
+ "LabelMultiEpisodePattern": "Patr\u00f3n para multi-episodio:",
+ "HeaderSupportedPatterns": "Patrones soportados",
+ "HeaderTerm": "Plazo",
+ "HeaderPattern": "Patr\u00f3n",
+ "HeaderResult": "Resultado",
+ "LabelDeleteEmptyFolders": "Borrar carpetas vacias despu\u00e9s de la organizaci\u00f3n",
+ "LabelDeleteEmptyFoldersHelp": "Activar para mantener el directorio de descargas limpio.",
+ "LabelDeleteLeftOverFiles": "Eliminar los archivos sobrantes con las siguientes extensiones:",
+ "LabelDeleteLeftOverFilesHelp": "Separar con ;. Por ejemplo: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Sobreescribir episodios ya existentes",
+ "LabelTransferMethod": "M\u00e9todo de transferencia",
+ "OptionCopy": "Copiar",
+ "OptionMove": "Mover",
+ "LabelTransferMethodHelp": "Copiar o mover archivos desde la carpeta de inspecci\u00f3n",
+ "HeaderLatestNews": "Ultimas noticias",
+ "HeaderHelpImproveMediaBrowser": "Ayuda a mejorar Media Browser",
+ "HeaderRunningTasks": "Tareas en ejecuci\u00f3n",
+ "HeaderActiveDevices": "Dispositivos activos",
+ "HeaderPendingInstallations": "Instalaciones pendientes",
+ "HeaerServerInformation": "Informaci\u00f3n del servidor",
+ "ButtonRestartNow": "Reiniciar ahora",
+ "ButtonRestart": "Reiniciar",
+ "ButtonShutdown": "Apagar",
+ "ButtonUpdateNow": "Actualizar ahora",
+ "PleaseUpdateManually": "Por favor cierre el servidor y actualice manualmente.",
+ "NewServerVersionAvailable": "\u00a1Hay disponible una nueva versi\u00f3n de Media Browser Server!",
+ "ServerUpToDate": "Media Browser Server est\u00e1 actualizado",
+ "ErrorConnectingToMediaBrowserRepository": "Hubo un error al conectarse remotamente al repositorio de Media Browser,",
+ "LabelComponentsUpdated": "Los componentes siguientes se han instalado o actualizado:",
+ "MessagePleaseRestartServerToFinishUpdating": "Reinicie el servidor para acabar de aplicar las actualizaciones.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Potenciador de audio. Establecer a 1 para preservar el volumen original.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Antigua clave de seguidor",
+ "LabelNewSupporterKey": "Nueva clave de seguidor",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Cuenta de correo actual",
+ "LabelCurrentEmailAddressHelp": "La direcci\u00f3n de correo electr\u00f3nico actual a la que se envi\u00f3 la nueva clave.",
+ "HeaderForgotKey": "Perd\u00ed mi clave",
+ "LabelEmailAddress": "Direcci\u00f3n de correo",
+ "LabelSupporterEmailAddress": "La direcci\u00f3n de correo que utliz\u00f3 para comprar la clave.",
+ "ButtonRetrieveKey": "Recuperar clave",
+ "LabelSupporterKey": "Clave de seguidor (pegar desde el correo)",
+ "LabelSupporterKeyHelp": "Entre su clave de seguidor para empezar a disfrutar de los beneficios adicionales que la comunidad ha creado para Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Opciones de pantalla",
+ "TabPlayTo": "Reproducir en",
+ "LabelEnableDlnaServer": "Habilitar servidor Dlna",
+ "LabelEnableDlnaServerHelp": "Permite que los dispositivos UPnp de su red puedan navegar y repoducir contenidos de Media Browser.",
+ "LabelEnableBlastAliveMessages": "Explotar mensajes en vivo",
+ "LabelEnableBlastAliveMessagesHelp": "Active aqu\u00ed si el servidor no es detectado correctamente por otros dispositivos UPnP en su red.",
+ "LabelBlastMessageInterval": "Intervalo para mensajes en vivo (segundos)",
+ "LabelBlastMessageIntervalHelp": "Determina la duraci\u00f3n en segundos entre los mensajes en vivo del servidor .",
+ "LabelDefaultUser": "Usuario por defecto:",
+ "LabelDefaultUserHelp": "Determina de q\u00fae usuario se utilizar\u00e1 su biblioteca de medios para mostrarla por defecto en los dipositivos conectados. Esto puede cambiarse para cada dispositivo mediante el uso de perfiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Canales",
+ "HeaderServerSettings": "Ajustes del Servidor",
+ "LabelWeatherDisplayLocation": "Lugar del que mostar el tiempo:",
+ "LabelWeatherDisplayLocationHelp": "C\u00f3digo postal USA \/ Ciudad, Estado, Pa\u00eds \/ Ciudad, Pa\u00eds",
+ "LabelWeatherDisplayUnit": "Unidad de media para la temperatura:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Requerir entrada de usuario manual para:",
+ "HeaderRequireManualLoginHelp": "Cuando est\u00e1 desactivado los clientes saldr\u00e1n en la pantalla de inicio para seleccionarlos visualmente.",
+ "OptionOtherApps": "Otras aplicaciones",
+ "OptionMobileApps": "Aplicaciones m\u00f3viles",
+ "HeaderNotificationList": "Haga click en una notificaci\u00f3n para configurar sus opciones de env\u00edo.",
+ "NotificationOptionApplicationUpdateAvailable": "Disponible actualizaci\u00f3n de la aplicaci\u00f3n",
+ "NotificationOptionApplicationUpdateInstalled": "Se ha instalado la actualizaci\u00f3n de la aplicaci\u00f3n",
+ "NotificationOptionPluginUpdateInstalled": "Se ha instalado la actualizaci\u00f3n del plugin",
+ "NotificationOptionPluginInstalled": "Plugin instalado",
+ "NotificationOptionPluginUninstalled": "Plugin desinstalado",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Reproducci\u00f3n de video detenida",
+ "NotificationOptionAudioPlaybackStopped": "Reproducci\u00f3n de audio detenida",
+ "NotificationOptionGamePlaybackStopped": "Reproducci\u00f3n de juego detenida",
+ "NotificationOptionTaskFailed": "La tarea programada ha fallado",
+ "NotificationOptionInstallationFailed": "Fallo en la instalaci\u00f3n",
+ "NotificationOptionNewLibraryContent": "Nuevo contenido a\u00f1adido",
+ "NotificationOptionNewLibraryContentMultiple": "Nuevo contenido a\u00f1adido (multiple)",
+ "SendNotificationHelp": "Por defecto, las notificaciones aparecer\u00e1n en el panel de control. Compruebe el cat\u00e1logo de plugins para instalar opciones adicionales para las notificaciones.",
+ "NotificationOptionServerRestartRequired": "Se requiere el reinicio del servidor",
+ "LabelNotificationEnabled": "Activar esta notificaci\u00f3n",
+ "LabelMonitorUsers": "Supervisar la actividad de:",
+ "LabelSendNotificationToUsers": "Enviar la notificaci\u00f3n a:",
+ "LabelUseNotificationServices": "Usar los siguientes servicios:",
+ "CategoryUser": "Usuario",
+ "CategorySystem": "Sistema",
+ "CategoryApplication": "Aplicaci\u00f3n",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "T\u00edtulo del mensaje:",
+ "LabelAvailableTokens": "Tokens disponibles:",
+ "AdditionalNotificationServices": "Visite el cat\u00e1logo de plugins para instalar servicios de notificaci\u00f3n adicionales.",
+ "OptionAllUsers": "Todos los usuarios",
+ "OptionAdminUsers": "Administradores",
+ "OptionCustomUsers": "A medida",
+ "ButtonArrowUp": "Arriba",
+ "ButtonArrowDown": "Abajo",
+ "ButtonArrowLeft": "Izquierda",
+ "ButtonArrowRight": "Derecha",
+ "ButtonBack": "Atr\u00e1s",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "Visualizaci\u00f3n en pantalla",
+ "ButtonPageUp": "P\u00e1gina arriba",
+ "ButtonPageDown": "P\u00e1gina abajo",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Inicio",
+ "ButtonSearch": "Buscar",
+ "ButtonSettings": "Opciones",
+ "ButtonTakeScreenshot": "Captura de pantalla",
+ "ButtonLetterUp": "Letter arriba",
+ "ButtonLetterDown": "Letter abajo",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Reproduciendo ahora",
+ "TabNavigation": "Navegaci\u00f3n",
+ "TabControls": "Controles",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Escenas",
+ "ButtonSubtitles": "Subt\u00edtulos",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Pista anterior",
+ "ButtonNextTrack": "Pista siguiente",
+ "ButtonStop": "Detener",
+ "ButtonPause": "Pausa",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Agrupar pel\u00edculas en colecciones",
+ "LabelGroupMoviesIntoCollectionsHelp": "Cuando se muestran las listas de pel\u00edculas, las pel\u00edculas pertenecientes a una colecci\u00f3n se mostrar\u00e1n como un elemento agrupado.",
+ "NotificationOptionPluginError": "Error en plugin",
+ "ButtonVolumeUp": "Subir volumen",
+ "ButtonVolumeDown": "Bajar volumen",
+ "ButtonMute": "Silencio",
+ "HeaderLatestMedia": "\u00daltimos medios",
+ "OptionSpecialFeatures": "Caracter\u00edsticas especiales",
+ "HeaderCollections": "Colecciones",
+ "LabelProfileCodecsHelp": "Separados por comas. Esto se puede dejar vac\u00edo para aplicar a todos los codecs.",
+ "LabelProfileContainersHelp": "Separados por comas. Esto se puede dejar vac\u00edo para aplicar a todos los contenedores.",
+ "HeaderResponseProfile": "Perfil de respuesta",
+ "LabelType": "Tipo:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Contenedor:",
+ "LabelProfileVideoCodecs": "Codecs de video:",
+ "LabelProfileAudioCodecs": "Codecs de audio:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Perfil de reproducci\u00f3n directa",
+ "HeaderTranscodingProfile": "Perfil de transcodificaci\u00f3n",
+ "HeaderCodecProfile": "Perfil de codec",
+ "HeaderCodecProfileHelp": "Perfiles de codec indican las limitaciones de un dispositivo cuando se reproducen codecs espec\u00edficos. Si se aplica una limitaci\u00f3n entonces el medio se transcodificar\u00e1, incluso si el codec est\u00e1 configurado para reproducci\u00f3n directa.",
+ "HeaderContainerProfile": "Perfil de contenedor",
+ "HeaderContainerProfileHelp": "Perfiles de codec indican las limitaciones de un dispositivo mientras reproduce formatos espec\u00edficos. If se aplica una limitaci\u00f3n entonces el medio se transcodificar\u00e1, incluso si el formato est\u00e1 configurado para reproducci\u00f3n directa.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video audio",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "Librer\u00eda de usuario:",
+ "LabelUserLibraryHelp": "Seleccione de qu\u00e9 usuario se utilizar\u00e1 la librer\u00eda en el dispositivo. D\u00e9jelo vac\u00edo para utilizar la configuraci\u00f3n por defecto.",
+ "OptionPlainStorageFolders": "Ver todas las carpetas como carpetas de almacenamiento sin formato.",
+ "OptionPlainStorageFoldersHelp": "Si est\u00e1 activado, todas las carpetas se representan en DIDL como \"object.container.storageFolder\" en lugar de un tipo m\u00e1s espec\u00edfico, como por ejemplo \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Mostrar todos los videos como elementos de video sin formato",
+ "OptionPlainVideoItemsHelp": "Si est\u00e1 habilitado, todos los v\u00eddeos est\u00e1n representados en DIDL como \"object.item.videoItem\" en lugar de un tipo m\u00e1s espec\u00edfico, como por ejemplo \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Tipos de medio soportados:",
+ "TabIdentification": "Identificaci\u00f3n",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Reproducci\u00f3n directa",
+ "TabContainers": "Contenedores",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Respuestas",
+ "HeaderProfileInformation": "Informaci\u00f3n del perfil",
+ "LabelEmbedAlbumArtDidl": "Incorporar la car\u00e1tula del \u00e1lbum en didl",
+ "LabelEmbedAlbumArtDidlHelp": "Algunos dispositivos prefieren este m\u00e9todo para obtener la car\u00e1tula del \u00e1lbum. Otros pueden fallar al reproducir con esta opci\u00f3n habilitada.",
+ "LabelAlbumArtPN": "Car\u00e1tula del album PN:",
+ "LabelAlbumArtHelp": "PN utilizado para la car\u00e1tula del \u00e1lbum, dentro del atributo dlna:profileID en upnp:albumArtURI. Algunos clientes requieren un valor espec\u00edfico, independientemente del tama\u00f1o de la imagen.",
+ "LabelAlbumArtMaxWidth": "Anchura m\u00e1xima de la car\u00e1tula del album:",
+ "LabelAlbumArtMaxWidthHelp": "Resoluci\u00f3n m\u00e1xima de la car\u00e1tula del \u00e1lbum expuesta a trav\u00e9s de upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Altura m\u00e1xima de la car\u00e1tula del album:",
+ "LabelAlbumArtMaxHeightHelp": "Resoluci\u00f3n m\u00e1xima de la car\u00e1tula del \u00e1lbum expuesta a trav\u00e9s de upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Anchura m\u00e1xima de icono:",
+ "LabelIconMaxWidthHelp": "Resoluci\u00f3n m\u00e1xima de los iconos expuestos via upnp:icon.",
+ "LabelIconMaxHeight": "Altura m\u00e1xima de icono:",
+ "LabelIconMaxHeightHelp": "Resoluci\u00f3n m\u00e1xima de los iconos expuestos via upnp:icon.",
+ "LabelIdentificationFieldHelp": "Una subcadena insensible a may\u00fasculas o min\u00fasculas o una expresi\u00f3n regex.",
+ "HeaderProfileServerSettingsHelp": "Estos valores controlan el modo en que Media Browser se presentar\u00e1 en el dispositivo.",
+ "LabelMaxBitrate": "Bitrate m\u00e1ximo:",
+ "LabelMaxBitrateHelp": "Especificar una tasa de bits m\u00e1xima en entornos de ancho de banda limitado, o si el dispositivo impone su propio l\u00edmite.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignorar las solicitudes de intervalo de bytes de transcodificaci\u00f3n",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si est\u00e1 activado, estas solicitudes ser\u00e1n atendidas pero ignorar\u00e1n el encabezado de intervalo de bytes.",
+ "LabelFriendlyName": "Nombre amigable",
+ "LabelManufacturer": "Fabricante",
+ "LabelManufacturerUrl": "Url del fabricante",
+ "LabelModelName": "Nombre de modelo",
+ "LabelModelNumber": "N\u00famero de modelo",
+ "LabelModelDescription": "Descripci\u00f3n de modelo",
+ "LabelModelUrl": "Url del modelo",
+ "LabelSerialNumber": "N\u00famero de serie",
+ "LabelDeviceDescription": "Descripci\u00f3n del dispositivo",
+ "HeaderIdentificationCriteriaHelp": "Entre al menos un criterio de identificaci\u00f3n.",
+ "HeaderDirectPlayProfileHelp": "A\u00f1adir perfiles de reproducci\u00f3n directa para indicar qu\u00e9 formatos puede utilizar el dispositivo de forma nativa.",
+ "HeaderTranscodingProfileHelp": "A\u00f1adir perfiles de transcodificaci\u00f3n para indicar qu\u00e9 formatos se deben utilizar cuando se requiera transcodificaci\u00f3n.",
+ "HeaderResponseProfileHelp": "Perfiles de respuesta proporcionan una forma de personalizar la informaci\u00f3n que se env\u00eda al dispositivo cuando se reproducen ciertos tipos de medios.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determina el contenido del elemento X_DLNACAP en el espacio de nombre urn:schemas-dlna-org:device-1-0.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determina el contenido del elemento X_DLNADOC en el espacio de nombreurn:schemas-dlna-org:device-1-0.",
+ "LabelSonyAggregationFlags": "Agregaci\u00f3n de banderas Sony:",
+ "LabelSonyAggregationFlagsHelp": "Determina el contenido del elemento aggregationFlags en el espacio de nombre urn:schemas-sonycom:av.",
+ "LabelTranscodingContainer": "Contenedor:",
+ "LabelTranscodingVideoCodec": "Codec de video:",
+ "LabelTranscodingVideoProfile": "Perfil de video:",
+ "LabelTranscodingAudioCodec": "Codec de audio:",
+ "OptionEnableM2tsMode": "Activar modo M2ts",
+ "OptionEnableM2tsModeHelp": "Activar modo m2ts cuando se codifique a mpegts",
+ "OptionEstimateContentLength": "Estimar longitud del contenido al transcodificar",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Indicar que el servidor soporta la b\u00fasqueda de byte al transcodificar",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Esto es necesario para algunos dispositivos que no buscan el tiempo muy bien.",
+ "HeaderSubtitleDownloadingHelp": "Cuando Media Browser escanea los archivos de v\u00eddeo, puede buscar subt\u00edtulos faltantes y descargarlos usando un proveedor de subt\u00edtulos como OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Descarga subt\u00edtulos para:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Omitir si el video ya contiene subt\u00edtulos gr\u00e1ficos",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Mantener versiones de texto de los subt\u00edtulos se traducir\u00e1 en una prestaci\u00f3n m\u00e1s eficiente para los clientes m\u00f3viles.",
+ "TabSubtitles": "Subt\u00edtulos",
+ "TabChapters": "Cap\u00edtulos",
+ "HeaderDownloadChaptersFor": "Descarga nombres de los cap\u00edtulos de:",
+ "LabelOpenSubtitlesUsername": "Usuario de Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "Contrase\u00f1a de Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "\nReproducir pista de audio predeterminado, independientemente del idioma",
+ "LabelSubtitlePlaybackMode": "Modo de Subt\u00edtulo:",
+ "LabelDownloadLanguages": "Idiomas de descarga:",
+ "ButtonRegister": "Registrar",
+ "LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el idioma de descarga",
+ "LabelSkipIfAudioTrackPresentHelp": "Desactive esta opci\u00f3n para asegurar que todos los v\u00eddeos tienen subt\u00edtulos, sin importar el idioma de audio.",
+ "HeaderSendMessage": "Enviar mensaje",
+ "ButtonSend": "Enviar",
+ "LabelMessageText": "Mensaje de texto:",
+ "MessageNoAvailablePlugins": "No hay plugins disponibles.",
+ "LabelDisplayPluginsFor": "Mostrar plugins para:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Entrar texto",
+ "LabelTypeText": "Texto",
+ "HeaderSearchForSubtitles": "B\u00fasqueda de Subt\u00edtulos",
+ "MessageNoSubtitleSearchResultsFound": "No se han encontrado resultados en la b\u00fasqueda.",
+ "TabDisplay": "Pantalla",
+ "TabLanguages": "Idiomas",
+ "TabWebClient": "Cliente web",
+ "LabelEnableThemeSongs": "Habilitar temas musicales",
+ "LabelEnableBackdrops": "Habilitar im\u00e1genes de fondo",
+ "LabelEnableThemeSongsHelp": "Si est\u00e1 habilitado, se reproducir\u00e1n temas musicales de fondo mientras navega por la biblioteca.",
+ "LabelEnableBackdropsHelp": "Si est\u00e1 habilitado, se mostrar\u00e1n im\u00e1genes de fondo en algunas p\u00e1ginas mientras navega por la biblioteca.",
+ "HeaderHomePage": "P\u00e1gina de inicio",
+ "HeaderSettingsForThisDevice": "Opciones para este dispositivo",
+ "OptionAuto": "Auto",
+ "OptionYes": "Si",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "Mis vistas (botones)",
+ "OptionMyViews": "Mis vistas",
+ "OptionMyViewsSmall": "Mis vistas (peque\u00f1o)",
+ "OptionResumablemedia": "Continuar",
+ "OptionLatestMedia": "\u00daltimos medios",
+ "OptionLatestChannelMedia": "Ultimos elementos de canales",
+ "HeaderLatestChannelItems": "Ultimos elementos de canales",
+ "OptionNone": "Nada",
+ "HeaderLiveTv": "TV en vivo",
+ "HeaderReports": "Informes",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferencias",
+ "MessageLoadingChannels": "Cargando contenidos del canal...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Marcar como le\u00eddo",
+ "OptionDefaultSort": "Por defecto",
+ "OptionCommunityMostWatchedSort": "M\u00e1s visto",
+ "TabNextUp": "Siguiendo",
+ "MessageNoMovieSuggestionsAvailable": "No hay sugerencias de pel\u00edculas disponibles. Comience ver y calificar sus pel\u00edculas y vuelva para ver las recomendaciones.",
+ "MessageNoCollectionsAvailable": "Colecciones le permitir\u00e1 disfrutar de grupos personalizados de Pel\u00edculas, Series, Discos, Libros y Juegos. Haga click en el bot\u00f3n nuevo para empezar a crear Colecciones.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Vienvenido al Cliente Web de Media Browser",
+ "ButtonDismiss": "Descartar",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Calidad preferida para la transmisi\u00f3n por Internet:",
+ "LabelChannelStreamQualityHelp": "En un entorno de bajo ancho de banda, limitar la calidad puede ayudar a asegurar una experiencia de streaming suave.",
+ "OptionBestAvailableStreamQuality": "Mejor disponible",
+ "LabelEnableChannelContentDownloadingFor": "Habilitar descargas de contenido para el canal:",
+ "LabelEnableChannelContentDownloadingForHelp": "Algunos canales soportan descargar contenido antes de ver. Habilite esta en ambientes de poco ancho de banda para descargar el contenido del canal durante las horas libres. El contenido se descarga como parte de la tarea programada de descargas de canal.",
+ "LabelChannelDownloadPath": "Ruta para descargas de contenidos de canales:",
+ "LabelChannelDownloadPathHelp": "Especifique una ruta personalizada si lo desea. D\u00e9jelo en blanco para utilizar un carpeta interna del programa.",
+ "LabelChannelDownloadAge": "Borrar contenido despues de: (d\u00edas)",
+ "LabelChannelDownloadAgeHelp": "Todo contenido descargado anterior se borrar\u00e1. Continuar\u00e1 estando disponible v\u00eda streaming de internet.",
+ "ChannelSettingsFormHelp": "Instale canales como Trailers y Vimeo desde el cat\u00e1logo de plugins.",
+ "LabelSelectCollection": "Seleccionar colecci\u00f3n:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Pel\u00edculas",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Juegos",
+ "ViewTypeMusic": "M\u00fasica",
+ "ViewTypeBoxSets": "Colecciones",
+ "ViewTypeChannels": "Canales",
+ "ViewTypeLiveTV": "Tv en vivo",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Configuraci\u00f3n de pantalla",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "Mis vistas",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Mostrar contenido para adultos",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Control remoto",
+ "OptionLatestTvRecordings": "\u00daltimas grabaciones",
+ "LabelProtocolInfo": "Informaci\u00f3n de protocolo:",
+ "LabelProtocolInfoHelp": "El valor que se utilizar\u00e1 cuando se responde a una solicitud GetProtocolInfo desde el dispositivo.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "Si est\u00e1 activado, estos canales se mostrar\u00e1n directamente junto a Mis Vistas. Si est\u00e1 desactivada, ser\u00e1n mostrados separadamente en la vista de Canales.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Servicios",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Archivos de log del servidor:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Personalizar la apariencia de Explorador de medios para satisfacer las necesidades de su grupo u organizaci\u00f3n.",
+ "LabelLoginDisclaimer": "Login renuncia:",
+ "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
+ "LabelAutomaticallyDonate": "Automatically donate this amount every month",
+ "LabelAutomaticallyDonateHelp": "Usted puede cancelar en cualquier momento desde su cuenta de PayPal.",
+ "OptionList": "Lista",
+ "TabDashboard": "Panel de control",
+ "TitleServer": "Servidor",
+ "LabelCache": "Cach\u00e9:",
+ "LabelLogs": "Registros:",
+ "LabelMetadata": "Metadatos:",
+ "LabelImagesByName": "Im\u00e1genes por nombre:",
+ "LabelTranscodingTemporaryFiles": "Archivos temporales de transcodificaci\u00f3n:",
+ "HeaderLatestMusic": "\u00daltima m\u00fasica",
+ "HeaderBranding": "Branding",
+ "HeaderApiKeys": "Keys de Api",
+ "HeaderApiKeysHelp": "Se requieren aplicaciones externas para tener una clave de API con el fin de comunicarse con Media Browser. Las claves son emitidas al iniciar una sesi\u00f3n con una cuenta de Media Browser, o mediante la introducci\u00f3n manualmente de una clave en la aplicaci\u00f3n.",
+ "HeaderApiKey": "Clave Api",
+ "HeaderApp": "App",
+ "HeaderDevice": "Dispositivo"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/es_MX.json b/MediaBrowser.Server.Implementations/Localization/Server/es_MX.json
index 1e14fbc0ba..3659f1181d 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/es_MX.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/es_MX.json
@@ -1,601 +1,4 @@
{
- "OptionDownloadDiscImage": "DIsco",
- "OptionDownloadBannerImage": "Encabezado",
- "OptionDownloadBackImage": "Reverso",
- "OptionDownloadArtImage": "Arte",
- "OptionDownloadPrimaryImage": "Principal",
- "HeaderFetchImages": "Buscar im\u00e1genes:",
- "HeaderImageSettings": "Opciones de Im\u00e1genes",
- "TabOther": "Otros",
- "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de im\u00e1genes de fondo por \u00edtem:",
- "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de capturas de pantalla por \u00edtem:",
- "LabelMinBackdropDownloadWidth": "Anchura m\u00ednima de descarga de im\u00e1genes de fondo:",
- "LabelMinScreenshotDownloadWidth": "Anchura m\u00ednima de descarga de capturas de pantalla:",
- "ButtonAddScheduledTaskTrigger": "Agregar Disparador de Tarea",
- "HeaderAddScheduledTaskTrigger": "Agregar Disparador de Tarea",
- "ButtonAdd": "Agregar",
- "LabelTriggerType": "Tipo de Evento:",
- "OptionDaily": "Diario",
- "OptionWeekly": "Semanal",
- "OptionOnInterval": "En un intervalo",
- "OptionOnAppStartup": "Al iniciar la aplicaci\u00f3n",
- "OptionAfterSystemEvent": "Despu\u00e9s de un evento del sistema",
- "LabelDay": "D\u00eda:",
- "LabelTime": "Hora:",
- "LabelEvent": "Evento:",
- "OptionWakeFromSleep": "Al Despertar",
- "LabelEveryXMinutes": "Cada:",
- "HeaderTvTuners": "Sintonizadores",
- "HeaderGallery": "Galer\u00eda",
- "HeaderLatestGames": "Juegos Recientes",
- "HeaderRecentlyPlayedGames": "Juegos Usados Recientemente",
- "TabGameSystems": "Sistemas de Juegos",
- "TitleMediaLibrary": "Biblioteca de Medios",
- "TabFolders": "Carpetas",
- "TabPathSubstitution": "Rutas Alternativas",
- "LabelSeasonZeroDisplayName": "Nombre de la Temporada 0:",
- "LabelEnableRealtimeMonitor": "Activar monitoreo en tiempo real",
- "LabelEnableRealtimeMonitorHelp": "Los cambios ser\u00e1n procesados inmediatamente, en los sistemas de archivo que lo soporten.",
- "ButtonScanLibrary": "Escanear Biblioteca",
- "HeaderNumberOfPlayers": "Reproductores:",
- "OptionAnyNumberOfPlayers": "Cualquiera",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Carpetas de Medios",
- "HeaderThemeVideos": "Videos de Tema",
- "HeaderThemeSongs": "Canciones de Tema",
- "HeaderScenes": "Escenas",
- "HeaderAwardsAndReviews": "Premios y Rese\u00f1as",
- "HeaderSoundtracks": "Pistas de Audio",
- "HeaderMusicVideos": "Videos Musicales",
- "HeaderSpecialFeatures": "Caracter\u00edsticas Especiales",
- "HeaderCastCrew": "Reparto y Personal",
- "HeaderAdditionalParts": "Partes Adicionales",
- "ButtonSplitVersionsApart": "Separar Versiones",
- "ButtonPlayTrailer": "Avance",
- "LabelMissing": "Falta",
- "LabelOffline": "Desconectado",
- "PathSubstitutionHelp": "Las rutas alternativas se utilizan para mapear una ruta en el servidor a la que los clientes puedan acceder. Al permitir a los clientes acceder directamente a los medios en el servidor podr\u00e1n reproducirlos directamente a trav\u00e9s de la red evitando el uso de recursos del servidor para transmitirlos y transcodificarlos.",
- "HeaderFrom": "Desde",
- "HeaderTo": "Hasta",
- "LabelFrom": "Desde:",
- "LabelFromHelp": "Ejemplo: D:\\Pel\u00edculas (en el servidor)",
- "LabelTo": "Hasta:",
- "LabelToHelp": "Ejemplo: \\\\MiServidor\\Pel\u00edculas (una ruta a la que los clientes pueden acceder)",
- "ButtonAddPathSubstitution": "Agregar Ruta Alternativa",
- "OptionSpecialEpisode": "Especiales",
- "OptionMissingEpisode": "Episodios Faltantes",
- "OptionUnairedEpisode": "Episodios no Emitidos",
- "OptionEpisodeSortName": "Nombre para Ordenar el Episodio",
- "OptionSeriesSortName": "Nombre de la Serie",
- "OptionTvdbRating": "Calificaci\u00f3n de Tvdb",
- "HeaderTranscodingQualityPreference": "Preferencia de Calidad de Transcodificaci\u00f3n:",
- "OptionAutomaticTranscodingHelp": "El servidor decidir\u00e1 la calidad y la velocidad",
- "OptionHighSpeedTranscodingHelp": "Menor calidad, codificaci\u00f3n m\u00e1s r\u00e1pida",
- "OptionHighQualityTranscodingHelp": "Mayor calidad, codificaci\u00f3n m\u00e1s lenta",
- "OptionMaxQualityTranscodingHelp": "La mejor calidad con codificaci\u00f3n m\u00e1s lenta y alto uso del CPU",
- "OptionHighSpeedTranscoding": "Mayor velocidad",
- "OptionHighQualityTranscoding": "Mayor calidad",
- "OptionMaxQualityTranscoding": "M\u00e1xima calidad",
- "OptionEnableDebugTranscodingLogging": "Habilitar el registro de transcodificaci\u00f3n en la bit\u00e1cora",
- "OptionEnableDebugTranscodingLoggingHelp": "Esto crear\u00e1 archivos de bit\u00e1cora muy grandes y solo se recomienda cuando se requiera solucionar problemas.",
- "OptionUpscaling": "Permitir que los clientes solicitar v\u00eddeo de escala aumentada",
- "OptionUpscalingHelp": "En algunos casos esto resultar\u00e1 en una mejora de la calidad del video pero incrementar\u00e1 el uso del CPU.",
- "EditCollectionItemsHelp": "Agregar o quitar pel\u00edculas, series, discos, libros o juegos que usted desee agrupar dentro de esta colecci\u00f3n.",
- "HeaderAddTitles": "Agregar T\u00edtulos",
- "LabelEnableDlnaPlayTo": "Habilitar Reproducir En mediante DLNA",
- "LabelEnableDlnaPlayToHelp": "Media Browser puede detectar dispositivos en su red y ofrecer la posibilidad de controlarlos remotamente.",
- "LabelEnableDlnaDebugLogging": "Habilitar el registro de DLNA en la bit\u00e1cora",
- "LabelEnableDlnaDebugLoggingHelp": "Esto crear\u00e1 archivos de bit\u00e1cora muy grandes y solo se recomienda cuando se requiera solucionar problemas.",
- "LabelEnableDlnaClientDiscoveryInterval": "Intervalo de Detecci\u00f3n de Clientes (segundos)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la duraci\u00f3n en segundos del intervalo entre las b\u00fasquedas SSDP realizadas por Media Browser.",
- "HeaderCustomDlnaProfiles": "Perfiles Personalizados",
- "HeaderSystemDlnaProfiles": "Perfiles del Sistema",
- "CustomDlnaProfilesHelp": "Crear un perfil personalizado para un nuevo dispositivo o reemplazar un perfil del sistema.",
- "SystemDlnaProfilesHelp": "Los perfiles del sistema son de s\u00f3lo lectura. Los cambios a un perf\u00edl de sistema ser\u00e1n guardados en un perf\u00edl personalizado nuevo.",
- "TitleDashboard": "Panel de Control",
- "TabHome": "Inicio",
- "TabInfo": "Info",
- "HeaderLinks": "Enlaces",
- "HeaderSystemPaths": "Rutas del Sistema",
- "LinkCommunity": "Comunidad",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Documentaci\u00f3n del API",
- "LabelFriendlyServerName": "Nombre amigable del servidor:",
- "LabelFriendlyServerNameHelp": "Este nombre ser\u00e1 usado para identificar este servidor. Si se deja en blanco, se usar\u00e1 el nombre de la computadora.",
- "LabelPreferredDisplayLanguage": "Idioma de pantalla preferido",
- "LabelPreferredDisplayLanguageHelp": "La traducci\u00f3n de Media Browser es un proyecto en curso y a\u00fan no se ha completado.",
- "LabelReadHowYouCanContribute": "Lea acerca de c\u00f3mo puede contribuir.",
- "HeaderNewCollection": "Nueva Colecci\u00f3n",
- "HeaderAddToCollection": "Agregar a Colecci\u00f3n.",
- "ButtonSubmit": "Enviar",
- "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n Guerra de las Galaxias",
- "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos",
- "ButtonCreate": "Crear",
- "LabelLocalHttpServerPortNumber": "N\u00famero de puerto local:",
- "LabelLocalHttpServerPortNumberHelp": "El n\u00famero de puerto TCP con el que el servidor de HTTP de Media Browser deber\u00e1 vincularse",
- "LabelPublicPort": "N\u00famero de puerto p\u00fablico:",
- "LabelPublicPortHelp": "El n\u00famero de puerto p\u00fablico que deber\u00e1 mapearse hacia el puerto local.",
- "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:",
- "LabelEnableAutomaticPortMap": "Habilitar mapeo autom\u00e1tico de puertos",
- "LabelEnableAutomaticPortMapHelp": "Intentar mapear autom\u00e1ticamente el puerto p\u00fablico con el puerto local via UPnP. Esto podr\u00eda no funcionar con algunos modelos de ruteadores.",
- "LabelExternalDDNS": "DDNS Externo:",
- "LabelExternalDDNSHelp": "Si dispone de una DNS din\u00e1mica, introducirla aqu\u00ed. Media Brower la utilizar\u00e1 para las conexiones remotas.",
- "TabResume": "Continuar",
- "TabWeather": "El tiempo",
- "TitleAppSettings": "Configuraci\u00f3n de la App",
- "LabelMinResumePercentage": "Porcentaje m\u00ednimo para continuar:",
- "LabelMaxResumePercentage": "Porcentaje m\u00e1ximo para continuar:",
- "LabelMinResumeDuration": "Duraci\u00f3n m\u00ednima para continuar (segundos):",
- "LabelMinResumePercentageHelp": "Se asumir\u00e1 que los t\u00edtulos no han sido reproducidos si se detienen antes de este momento",
- "LabelMaxResumePercentageHelp": "Se asumir\u00e1 que los t\u00edtulos han sido reproducidos por completo si se detienen despu\u00e9s de este momento",
- "LabelMinResumeDurationHelp": "Los titulos con duraci\u00f3n menor a esto no podr\u00e1n ser continuados",
- "TitleAutoOrganize": "Auto-Organizar",
- "TabActivityLog": "Bit\u00e1cora de Actividades",
- "HeaderName": "Nombre",
- "HeaderDate": "Fecha",
- "HeaderSource": "Fuente",
- "HeaderDestination": "Destino",
- "HeaderProgram": "Programa",
- "HeaderClients": "Clientes",
- "LabelCompleted": "Completado",
- "LabelFailed": "Fallido",
- "LabelSkipped": "Omitido",
- "HeaderEpisodeOrganization": "Organizaci\u00f3n de Episodios",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "N\u00famero de temporada:",
- "LabelEpisodeNumber": "N\u00famero de episodio:",
- "LabelEndingEpisodeNumber": "N\u00famero episodio final:",
- "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio",
- "HeaderSupportTheTeam": "Apoye al Equipo de Media Browser",
- "LabelSupportAmount": "Importe (USD)",
- "HeaderSupportTheTeamHelp": "Ayude a garantizar el desarrollo continuo de este proyecto mediante una donaci\u00f3n. Una parte de todas las donaciones se destinar\u00e1 a otras herramientas gratuitas de las que dependemos.",
- "ButtonEnterSupporterKey": "Capture la Clave de Aficionado",
- "DonationNextStep": "Cuando haya terminado, regrese y capture la clave de seguidor que recibir\u00e1 por correo electr\u00f3nico.",
- "AutoOrganizeHelp": "La organizaci\u00f3n autom\u00e1tica monitorea sus carpetas de descarga en busca de nuevos archivos y los mueve a sus carpetas de medios.",
- "AutoOrganizeTvHelp": "La organizaci\u00f3n de archivos de TV s\u00f3lo a\u00f1adir\u00e1 episodios a series existentes. No crear\u00e1 carpetas para series nuevas.",
- "OptionEnableEpisodeOrganization": "Habilitar la organizaci\u00f3n de nuevos episodios",
- "LabelWatchFolder": "Carpeta de Inspecci\u00f3n:",
- "LabelWatchFolderHelp": "El servidor inspeccionar\u00e1 esta carpeta durante la tarea programada \"Organizar nuevos archivos de medios\".",
- "ButtonViewScheduledTasks": "Ver tareas programadas",
- "LabelMinFileSizeForOrganize": "Tama\u00f1o m\u00ednimo de archivo (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Los archivos de tama\u00f1o menor a este ser\u00e1n ignorados.",
- "LabelSeasonFolderPattern": "Patr\u00f3n de la carpeta para temporadas:",
- "LabelSeasonZeroFolderName": "Nombre de la carpeta para la temporada cero:",
- "HeaderEpisodeFilePattern": "Patr\u00f3n para archivos de episodio",
- "LabelEpisodePattern": "Patr\u00f3n de episodio:",
- "LabelMultiEpisodePattern": "Patr\u00f3n para multi-episodio:",
- "HeaderSupportedPatterns": "Patrones soportados",
- "HeaderTerm": "Plazo",
- "HeaderPattern": "Patr\u00f3n",
- "HeaderResult": "Resultado",
- "LabelDeleteEmptyFolders": "Eliminar carpetas vacias despu\u00e9s de la organizaci\u00f3n",
- "LabelDeleteEmptyFoldersHelp": "Habilitar para mantener el directorio de descargas limpio.",
- "LabelDeleteLeftOverFiles": "Eliminar los archivos restantes con las siguientes extensiones:",
- "LabelDeleteLeftOverFilesHelp": "Separar con ;. Por ejemplo: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Sobreescribir episodios pre-existentes",
- "LabelTransferMethod": "M\u00e9todo de transferencia",
- "OptionCopy": "Copiar",
- "OptionMove": "Mover",
- "LabelTransferMethodHelp": "Copiar o mover archivos desde la carpeta de inspecci\u00f3n",
- "HeaderLatestNews": "Noticias Recientes",
- "HeaderHelpImproveMediaBrowser": "Ayuda a mejorar Media Browser",
- "HeaderRunningTasks": "Tareas en Ejecuci\u00f3n",
- "HeaderActiveDevices": "Dispositivos Activos",
- "HeaderPendingInstallations": "Instalaciones Pendientes",
- "HeaerServerInformation": "Informaci\u00f3n del Servidor",
- "ButtonRestartNow": "Reiniciar Ahora",
- "ButtonRestart": "Reiniciar",
- "ButtonShutdown": "Apagar",
- "ButtonUpdateNow": "Actualizar Ahora",
- "PleaseUpdateManually": "Por favor apague el servidor y actualice manualmente.",
- "NewServerVersionAvailable": "\u00a1Hay disponible una nueva versi\u00f3n de Media Browser Server!",
- "ServerUpToDate": "Media Browser Server est\u00e1 actualizado",
- "ErrorConnectingToMediaBrowserRepository": "Ocurri\u00f3 un error al conectarse remotamente al repositorio de Media Browser,",
- "LabelComponentsUpdated": "Los siguientes componentes han sido instalados o actualizados:",
- "MessagePleaseRestartServerToFinishUpdating": "Por favor reinicie el servidor para completar la aplicaci\u00f3n de las actualizaciones.",
- "LabelDownMixAudioScale": "Fortalecimiento de audio durante el downmix:",
- "LabelDownMixAudioScaleHelp": "Fortalezca el audio cuando se hace down mix. Coloque 1 para preservar el valor del volumen original.",
- "ButtonLinkKeys": "Transferir Claves",
- "LabelOldSupporterKey": "Clave de aficionado vieja",
- "LabelNewSupporterKey": "Clave de aficionado nueva",
- "HeaderMultipleKeyLinking": "Transferir a Nueva Clave",
- "MultipleKeyLinkingHelp": "Si usted recibi\u00f3 una nueva clave de aficionado, use este formulario para transferir el registro de su antigua llave a la nueva.",
- "LabelCurrentEmailAddress": "Direcci\u00f3n de correo electr\u00f3nico actual",
- "LabelCurrentEmailAddressHelp": "La direcci\u00f3n de correo electr\u00f3nico actual a la que se envi\u00f3 la clave nueva.",
- "HeaderForgotKey": "No recuerdo mi clave",
- "LabelEmailAddress": "Correo Electr\u00f3nico",
- "LabelSupporterEmailAddress": "La direcci\u00f3n de correo electr\u00f3nico que fue utilizada para comprar la clave.",
- "ButtonRetrieveKey": "Recuperar Clave",
- "LabelSupporterKey": "Clave de Aficionado (pegue desde el correo electr\u00f3nico)",
- "LabelSupporterKeyHelp": "Introduzca su clave de aficionado para comenzar a disfrutar beneficios adicionales que la comunidad ha desarrollado para Media Browser.",
- "MessageInvalidKey": "Falta Clave de aficionado o es Inv\u00e1lida",
- "ErrorMessageInvalidKey": "Para que cualquier contenido Premium sea registrado, tambi\u00e9n debe ser un Aficionado de Media Browser. Por favor done y ayude a continuar con el desarrollo del producto base. Gracias.",
- "HeaderDisplaySettings": "Configuraci\u00f3n de Pantalla",
- "TabPlayTo": "Reproducir En",
- "LabelEnableDlnaServer": "Habilitar servidor DLNA",
- "LabelEnableDlnaServerHelp": "Permite a los dispositivos UPnP en su red navegar y reproducir contenidos de Media Browser.",
- "LabelEnableBlastAliveMessages": "Bombardeo de mensajes de vida",
- "LabelEnableBlastAliveMessagesHelp": "Habilite esto si el servidor no es detectado de manera confiable por otros dispositivos UPnP en su red.",
- "LabelBlastMessageInterval": "Intervalo de mensajes de vida (segundos)",
- "LabelBlastMessageIntervalHelp": "Determina la duraci\u00f3n en segundos del intervalo entre mensajes de vida.",
- "LabelDefaultUser": "Usuario por defecto:",
- "LabelDefaultUserHelp": "Determina que usuario de la biblioteca ser\u00e1 desplegado en los dispositivos conectados. Este puede ser reemplazado para cada dispositivo empleando perf\u00edles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Canales",
- "HeaderServerSettings": "Configuraci\u00f3n del Servidor",
- "LabelWeatherDisplayLocation": "Ubicaci\u00f3n para pron\u00f3stico del tiempo:",
- "LabelWeatherDisplayLocationHelp": "C\u00f3digo ZIP de US \/ Ciudad, Estado, Pa\u00eds \/ Ciudad, Pa\u00eds",
- "LabelWeatherDisplayUnit": "Unidad para pron\u00f3stico del tiempo:",
- "OptionCelsius": "Cent\u00edgrados",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Requerir captura de nombre de usuario manual para:",
- "HeaderRequireManualLoginHelp": "Cuando se encuentra desactivado los clientes podr\u00edan mostrar una pantalla de inicio de sesi\u00f3n con una selecci\u00f3n visual de los usuarios.",
- "OptionOtherApps": "Otras applicaciones",
- "OptionMobileApps": "Apps m\u00f3viles",
- "HeaderNotificationList": "Haga clic en una notificaci\u00f3n para configurar sus opciones de envio.",
- "NotificationOptionApplicationUpdateAvailable": "Actualizaci\u00f3n de aplicaci\u00f3n disponible",
- "NotificationOptionApplicationUpdateInstalled": "Actualizaci\u00f3n de aplicaci\u00f3n instalada",
- "NotificationOptionPluginUpdateInstalled": "Actualizaci\u00f3n de complemento instalada",
- "NotificationOptionPluginInstalled": "Complemento instalado",
- "NotificationOptionPluginUninstalled": "Complemento desinstalado",
- "NotificationOptionVideoPlayback": "Reproducci\u00f3n de video iniciada",
- "NotificationOptionAudioPlayback": "Reproducci\u00f3n de audio iniciada",
- "NotificationOptionGamePlayback": "Ejecuci\u00f3n de juego iniciada",
- "NotificationOptionVideoPlaybackStopped": "Reproducci\u00f3n de video detenida",
- "NotificationOptionAudioPlaybackStopped": "Reproducci\u00f3n de audio detenida",
- "NotificationOptionGamePlaybackStopped": "Ejecuci\u00f3n de juego detenida",
- "NotificationOptionTaskFailed": "Falla de tarea programada",
- "NotificationOptionInstallationFailed": "Falla de instalaci\u00f3n",
- "NotificationOptionNewLibraryContent": "Nuevo contenido agregado",
- "NotificationOptionNewLibraryContentMultiple": "Nuevo contenido agregado (varios)",
- "SendNotificationHelp": "Por defecto, las notificaciones son enviadas a la bandeja de entrada del panel de control. Navegue el cat\u00e1logo de complementos para instalar opciones de notificaci\u00f3n adicionales.",
- "NotificationOptionServerRestartRequired": "Reinicio del servidor requerido",
- "LabelNotificationEnabled": "Habilitar esta notificaci\u00f3n",
- "LabelMonitorUsers": "Monitorear actividad desde:",
- "LabelSendNotificationToUsers": "Enviar la notificaci\u00f3n a:",
- "LabelUseNotificationServices": "Utilizar los siguientes servicios:",
- "CategoryUser": "Usuario",
- "CategorySystem": "Sistema",
- "CategoryApplication": "Aplicaci\u00f3n",
- "CategoryPlugin": "Complemento",
- "LabelMessageTitle": "T\u00edtulo del Mensaje:",
- "LabelAvailableTokens": "Detalles disponibles:",
- "AdditionalNotificationServices": "Explore el cat\u00e1logo de complementos para instalar servicios de notificaci\u00f3n adicionales.",
- "OptionAllUsers": "Todos los usuarios",
- "OptionAdminUsers": "Administradores",
- "OptionCustomUsers": "Personalizado",
- "ButtonArrowUp": "Arriba",
- "ButtonArrowDown": "Abajo",
- "ButtonArrowLeft": "Izquierda",
- "ButtonArrowRight": "Derecha",
- "ButtonBack": "Atr\u00e1s",
- "ButtonInfo": "Info",
- "ButtonOsd": "Visualizaci\u00f3n en pantalla",
- "ButtonPageUp": "P\u00e1gina arriba",
- "ButtonPageDown": "P\u00e1gina abajo",
- "PageAbbreviation": "Pag.",
- "ButtonHome": "Inicio",
- "ButtonSearch": "B\u00fasqueda",
- "ButtonSettings": "Configuraci\u00f3n",
- "ButtonTakeScreenshot": "Capturar Pantalla",
- "ButtonLetterUp": "Siguiente letra",
- "ButtonLetterDown": "Letra anterior",
- "PageButtonAbbreviation": "Pag.",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Reproduci\u00e9ndo Ahora",
- "TabNavigation": "Navegaci\u00f3n",
- "TabControls": "Controles",
- "ButtonFullscreen": "Cambiar a pantalla completa",
- "ButtonScenes": "Escenas",
- "ButtonSubtitles": "Subt\u00edtulos",
- "ButtonAudioTracks": "Pistas de audio",
- "ButtonPreviousTrack": "Pista anterior",
- "ButtonNextTrack": "Pista siguiente",
- "ButtonStop": "Detener",
- "ButtonPause": "Pausar",
- "ButtonNext": "Siguiente",
- "ButtonPrevious": "Previo",
- "LabelGroupMoviesIntoCollections": "Agrupar pel\u00edculas en colecciones",
- "LabelGroupMoviesIntoCollectionsHelp": "Cuando se despliegan listados de pel\u00edculas, las pel\u00edculas que pertenecen a una colecci\u00f3n ser\u00e1n desplegadas agrupadas en un solo \u00edtem.",
- "NotificationOptionPluginError": "Falla de complemento",
- "ButtonVolumeUp": "Subir Volumen",
- "ButtonVolumeDown": "Bajar Volumen",
- "ButtonMute": "Mudo",
- "HeaderLatestMedia": "Medios Recientes",
- "OptionSpecialFeatures": "Caracter\u00edsticas Especiales",
- "HeaderCollections": "Colecciones",
- "LabelProfileCodecsHelp": "Separados por comas. Puede dejarse vaci\u00f3 para aplicarlo a todos los codecs.",
- "LabelProfileContainersHelp": "Separados por comas. Puede dejarse vaci\u00f3 para aplicarlo a todos los contenedores.",
- "HeaderResponseProfile": "Perfil de Respuesta:",
- "LabelType": "Tipo:",
- "LabelPersonRole": "Rol:",
- "LabelPersonRoleHelp": "El Rol generalmente solo aplica a actores.",
- "LabelProfileContainer": "Contenedor:",
- "LabelProfileVideoCodecs": "Codecs de Video:",
- "LabelProfileAudioCodecs": "Codecs de Audio:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Perfil de Reproducci\u00f3n Directa",
- "HeaderTranscodingProfile": "Perfil de Transcodificaci\u00f3n",
- "HeaderCodecProfile": "Perfil de Codecs",
- "HeaderCodecProfileHelp": "Los perfiles de codificaci\u00f3n indican las limitaciones de un dispositivo al reproducir con codecs espec\u00edficos. Si aplica una limitaci\u00f3n el medio ser\u00e1 transcodificado, a\u00fan si el codec ha sido configurado para reproduci\u00f3n directa.",
- "HeaderContainerProfile": "Perfil del Contenedor",
- "HeaderContainerProfileHelp": "Los perfiles de contenedor indican las limitaciones de un dispositivo al reproducir formatos espec\u00edficos. Si aplica una limitaci\u00f3n el medio ser\u00e1 transcodificado, a\u00fan si el formato ha sifo configurado para reproducci\u00f3n directa.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Audio del Video",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "Biblioteca del Usuario:",
- "LabelUserLibraryHelp": "Seleccione la biblioteca de usuario a desplegar en el dispositivo. Deje vac\u00edo para heredar la configuraci\u00f3n por defecto.",
- "OptionPlainStorageFolders": "Desplegar todas las carpetas como carpetas de almacenamiento simples.",
- "OptionPlainStorageFoldersHelp": "Si se habilita, todos las carpetas ser\u00e1n representadas en DIDL como \"object.container.storageFolder\" en lugar de un tipo m\u00e1s espec\u00edfico, como \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Desplegar todos los videos como elemenos de video simples",
- "OptionPlainVideoItemsHelp": "Se se habilita, todos los videos ser\u00e1n representados en DIDL como \"object.item.videoItem\" en lugar de un tipo m\u00e1s espec\u00edfico, como \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Tipos de Medios Soportados:",
- "TabIdentification": "Identificaci\u00f3n",
- "HeaderIdentification": "Identificaci\u00f3n",
- "TabDirectPlay": "Reproducci\u00f3n Directa",
- "TabContainers": "Contenedores",
- "TabCodecs": "Codecs",
- "TabResponses": "Respuestas",
- "HeaderProfileInformation": "Informaci\u00f3n de Perfil",
- "LabelEmbedAlbumArtDidl": "Incrustar arte del \u00e1lbum en DIDL",
- "LabelEmbedAlbumArtDidlHelp": "Algunos dispositivos prefieren este m\u00e9todo para obtener arte del \u00e1lbum. Otros podr\u00edan fallar al reproducir con esta opci\u00f3n habilitada.",
- "LabelAlbumArtPN": "PN para arte del \u00e1lbum:",
- "LabelAlbumArtHelp": "PN usado para arte del \u00e1lbum, dento del atributo dlna:profileID en upnp:albumArtURI. Algunos clientes requeren valores espec\u00edficos, independientemente del tama\u00f1o de la imagen.",
- "LabelAlbumArtMaxWidth": "Ancho m\u00e1ximo para arte del \u00e1lbum:",
- "LabelAlbumArtMaxWidthHelp": "M\u00e1xima resoluci\u00f3n para arte del album expuesta via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Altura m\u00e1xima para arte del \u00e1lbum:",
- "LabelAlbumArtMaxHeightHelp": "M\u00e1xima resoluci\u00f3n para arte del album expuesta via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Ancho m\u00e1ximo de \u00efcono:",
- "LabelIconMaxWidthHelp": "M\u00e1xima resoluci\u00f3n para iconos expuesta via upnp:icon.",
- "LabelIconMaxHeight": "Altura m\u00e1xima de \u00efcono:",
- "LabelIconMaxHeightHelp": "M\u00e1xima resoluci\u00f3n para iconos expuesta via upnp:icon.",
- "LabelIdentificationFieldHelp": "Una subcadena insensible a la diferencia entre min\u00fasculas y may\u00fasculas o expresi\u00f3n regex.",
- "HeaderProfileServerSettingsHelp": "Estos valores controlan la manera en que Media Browser se presentar\u00e1 a s\u00ed mismo ante el dispositivo.",
- "LabelMaxBitrate": "Tasa de bits m\u00e1xima:",
- "LabelMaxBitrateHelp": "Especifique la tasa de bits m\u00e1xima para ambientes con un ancho de banda limitado, o si el dispositivo impone sus propios l\u00edmites.",
- "LabelMaxStreamingBitrate": "Tasa de bits m\u00e1xima para transmisi\u00f3n:",
- "LabelMaxStreamingBitrateHelp": "Especifique una tasa de bits m\u00e1xima al transferir en tiempo real.",
- "LabelMaxStaticBitrate": "Tasa m\u00e1xima de bits de sinc",
- "LabelMaxStaticBitrateHelp": "Especifique una tasa de bits cuando se sincronice contenido en alta calidad.",
- "LabelMusicStaticBitrate": "Tasa de bits de sinc de m\u00fascia",
- "LabelMusicStaticBitrateHelp": "Especifique la tasa de bits m\u00e1xima al sincronizar m\u00fasica",
- "LabelMusicStreamingTranscodingBitrate": "Tasa de transcodificaci\u00f3n de m\u00fasica:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Especifique la tasa de bits m\u00e1xima al transferir musica en tiempo real",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignorar solicitudes de transcodificaci\u00f3n de rango de byte.",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si se habilita, estas solicitudes seran honradas pero se ignorar\u00e1 el encabezado de rango de byte.",
- "LabelFriendlyName": "Nombre amistoso:",
- "LabelManufacturer": "Fabricante:",
- "LabelManufacturerUrl": "URL del fabricante:",
- "LabelModelName": "Nombre del modelo:",
- "LabelModelNumber": "N\u00famero del modelo:",
- "LabelModelDescription": "Descripci\u00f3n del modelo:",
- "LabelModelUrl": "URL del modelo:",
- "LabelSerialNumber": "N\u00famero de serie:",
- "LabelDeviceDescription": "Descripci\u00f3n del dispositivo",
- "HeaderIdentificationCriteriaHelp": "Capture, al menos, un criterio de identificaci\u00f3n.",
- "HeaderDirectPlayProfileHelp": "Agregue perfiles de reproducci\u00f3n directa para indicar que formatos puede manejar el dispositivo de manera nativa.",
- "HeaderTranscodingProfileHelp": "Agruegue perfiles de transcodificaci\u00f3n para indicar que formatos deben ser usados cuando se requiera transcodificar.",
- "HeaderResponseProfileHelp": "Los perfiles de respuesta proporcionan un medio para personalizar la informaci\u00f3n enviada a un dispositivo cuando se reproducen ciertos tipos de medios.",
- "LabelXDlnaCap": "X-DLNA cap:",
- "LabelXDlnaCapHelp": "Determina el contenido del elemento X_DLNACAP en el namespace urn:schemas-dlna-org:device-1-0.",
- "LabelXDlnaDoc": "X-DLNA Doc:",
- "LabelXDlnaDocHelp": "Determina el contenido del elemento X_DLNADOC en el namespace urn:schemas-dlna-org:device-1-0.",
- "LabelSonyAggregationFlags": "Banderas de agregaci\u00f3n Sony:",
- "LabelSonyAggregationFlagsHelp": "Determina el contenido del elemento aggregationFlags en el namespace urn:schemas-sonycom:av",
- "LabelTranscodingContainer": "Contenedor:",
- "LabelTranscodingVideoCodec": "Codec de video:",
- "LabelTranscodingVideoProfile": "Perfil de video:",
- "LabelTranscodingAudioCodec": "Codec de audio:",
- "OptionEnableM2tsMode": "Habilitar modo M2ts:",
- "OptionEnableM2tsModeHelp": "Habilita el modo m2ts cuando se codifican mpegs.",
- "OptionEstimateContentLength": "Estimar la duraci\u00f3n del contenido cuando se transcodifica",
- "OptionReportByteRangeSeekingWhenTranscoding": "Reportar que el servidor soporta busqueda de bytes al transcodificar",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Esto es requerido para algunos dispositivos que no pueden hacer b\u00fasquedas por tiempo muy bien.",
- "HeaderSubtitleDownloadingHelp": "Cuando Media Browser examina sus archivos de video puede buscar los subt\u00edtulos faltantes, y descargarlos usando un proveedor de subt\u00edtulos como OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Descargar subt\u00edtulos para:",
- "MessageNoChapterProviders": "Instale un complemento proveedor de cap\u00edtulos como ChapterDb para habilitar opciones adicionales de cap\u00edtulos.",
- "LabelSkipIfGraphicalSubsPresent": "Omitir si el video ya contiene subt\u00edtulos gr\u00e1ficos",
- "LabelSkipIfGraphicalSubsPresentHelp": "Mantener versiones de texto de los subt\u00edtulos resultar\u00e1 en una entrega m\u00e1s eficiente para clientes m\u00f3viles.",
- "TabSubtitles": "Subt\u00edtulos",
- "TabChapters": "Cap\u00edtulos",
- "HeaderDownloadChaptersFor": "Descargar nombres de cap\u00edtulos para:",
- "LabelOpenSubtitlesUsername": "Nombre de usuario de Open Subtitles:",
- "LabelOpenSubtitlesPassword": "Contrase\u00f1a de Open Subtitles:",
- "HeaderChapterDownloadingHelp": "Cuando Media Browser analiza sus archivos de video puede descargar nombres amigables de cap\u00edtulos desde el Internet usando complementos de cap\u00edtulos como ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Reproducir la pista de audio por defecto independientemente del lenguaje",
- "LabelSubtitlePlaybackMode": "Modo de subt\u00edtulo:",
- "LabelDownloadLanguages": "Descargar lenguajes:",
- "ButtonRegister": "Registrar",
- "LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el lenguaje de descarga",
- "LabelSkipIfAudioTrackPresentHelp": "Desactive esto para asegurar que todos los videos tengan subt\u00edtulos, independientemente del lenguaje del audio.",
- "HeaderSendMessage": "Enviar Mensaje",
- "ButtonSend": "Enviar",
- "LabelMessageText": "Texto del Mensaje:",
- "MessageNoAvailablePlugins": "No hay complementos disponibles.",
- "LabelDisplayPluginsFor": "Desplegar complementos para:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Nombre del episodio",
- "LabelSeriesNamePlain": "Nombre de la serie",
- "ValueSeriesNamePeriod": "Nombre.serie",
- "ValueSeriesNameUnderscore": "Nombre_serie",
- "ValueEpisodeNamePeriod": "Nombre del episodio",
- "ValueEpisodeNameUnderscore": "Nombre_episodio",
- "LabelSeasonNumberPlain": "N\u00famero de temporada",
- "LabelEpisodeNumberPlain": "N\u00famero de episodio",
- "LabelEndingEpisodeNumberPlain": "N\u00famero del episodio final",
- "HeaderTypeText": "Capturar Texto",
- "LabelTypeText": "Texto",
- "HeaderSearchForSubtitles": "Buscar Subtitulos",
- "MessageNoSubtitleSearchResultsFound": "No se encontraron resultados en la b\u00fasqueda.",
- "TabDisplay": "Pantalla",
- "TabLanguages": "Idiomas",
- "TabWebClient": "Cliente Web",
- "LabelEnableThemeSongs": "Habilitar canciones de tema",
- "LabelEnableBackdrops": "Habilitar im\u00e1genes de fondo",
- "LabelEnableThemeSongsHelp": "Al activarse, las canciones de tema ser\u00e1n reproducidas en segundo plano mientras se navega en la biblioteca.",
- "LabelEnableBackdropsHelp": "Al activarse, las im\u00e1genes de fondo ser\u00e1n mostradas en el fondo de algunas paginas mientras se navega en la biblioteca.",
- "HeaderHomePage": "P\u00e1gina de Inicio",
- "HeaderSettingsForThisDevice": "Configuraci\u00f3n de Este Dispositivo",
- "OptionAuto": "Autom\u00e1tico",
- "OptionYes": "Si",
- "OptionNo": "No",
- "LabelHomePageSection1": "Pagina de Inicio secci\u00f3n uno:",
- "LabelHomePageSection2": "Pagina de Inicio secci\u00f3n dos:",
- "LabelHomePageSection3": "Pagina de Inicio secci\u00f3n tres:",
- "LabelHomePageSection4": "Pagina de Inicio secci\u00f3n cuatro:",
- "OptionMyViewsButtons": "Mis vistas (botones)",
- "OptionMyViews": "Mis vistas",
- "OptionMyViewsSmall": "Mis vistas (peque\u00f1o)",
- "OptionResumablemedia": "Continuar",
- "OptionLatestMedia": "Medios recientes",
- "OptionLatestChannelMedia": "Elementos recientes de canales",
- "HeaderLatestChannelItems": "Elementos Recientes de Canales",
- "OptionNone": "Ninguno",
- "HeaderLiveTv": "TV en Vivo",
- "HeaderReports": "Reportes",
- "HeaderMetadataManager": "Administrador de Metadatos",
- "HeaderPreferences": "Preferencias",
- "MessageLoadingChannels": "Cargando contenidos del canal...",
- "MessageLoadingContent": "Cargando contenido...",
- "ButtonMarkRead": "Marcar como Le\u00eddo",
- "OptionDefaultSort": "Por defecto",
- "OptionCommunityMostWatchedSort": "M\u00e1s Visto",
- "TabNextUp": "A Continuaci\u00f3n",
- "MessageNoMovieSuggestionsAvailable": "No hay sugerencias de pel\u00edculas disponibles en este momento. Comienza a ver y a calificar tus pel\u00edculas, y regresa para ver tus recomendaciones.",
- "MessageNoCollectionsAvailable": "Las Colecciones te permiten disfrutar de grupos personalizados de Pel\u00edculas, Series, \u00c1lbumes, Libros y Juegos. Da clic en el bot\u00f3n \"Nuevo\" para empezar a crear colecciones.",
- "MessageNoPlaylistsAvailable": "Las listas de reproducci\u00f3n le permiten crear listas de contenidos a ser reproducidos de manera consecutiva. Para a\u00f1adir \u00edtems a una lista de reproducci\u00f3n, haga click derecho o seleccione y mantenga, despu\u00e9s seleccione A\u00f1adir a Lista de Reproducci\u00f3n.",
- "MessageNoPlaylistItemsAvailable": "Esta lista de reproducci\u00f3n se encuentra vac\u00eda.",
- "HeaderWelcomeToMediaBrowserWebClient": "Bienvenido al Cliente Web de Media Browser",
- "ButtonDismiss": "Descartar",
- "ButtonTakeTheTour": "Haga el recorrido",
- "ButtonEditOtherUserPreferences": "Edita la contrase\u00f1a y preferencias personales de este perfil de usuario.",
- "LabelChannelStreamQuality": "Calidad por defecto para transmisi\u00f3n por internet:",
- "LabelChannelStreamQualityHelp": "En un ambiente de ancho de banda limitado, limitar la calidad puede ayudar a asegurar una experiencia de transimisi\u00f3n en tiempo real fluida.",
- "OptionBestAvailableStreamQuality": "La mejor disponible",
- "LabelEnableChannelContentDownloadingFor": "Habilitar descarga de contenidos del canal para:",
- "LabelEnableChannelContentDownloadingForHelp": "Algunos canales soportan la descarga de contenido previo a su despliegue. Habilite esto en ambientes de ancho de banda limitados para descargar contenido del canal en horarios no pico. El contenido es descargado como parte de la tarea programada para descarga del canal.",
- "LabelChannelDownloadPath": "Ruta de descarga de contenido del canal:",
- "LabelChannelDownloadPathHelp": "Especifique una ruta personalizada para descargas si as\u00ed lo desea. D\u00e9jelo vac\u00edo para descargar a una carpeta de datos interna del programa.",
- "LabelChannelDownloadAge": "Eliminar contenido despu\u00e9s de: (d\u00edas)",
- "LabelChannelDownloadAgeHelp": "El contenido descargado anterior a esto ser\u00e1 eliminado. Permanecer\u00e1 reproducible via transmisi\u00f3n en tiempo real por Internet.",
- "ChannelSettingsFormHelp": "Instale canales tales como Avances y Vimeo desde el cat\u00e1logo de complementos.",
- "LabelSelectCollection": "Elegir colecci\u00f3n:",
- "ButtonOptions": "Opciones",
- "ViewTypeMovies": "Pel\u00edculas",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Juegos",
- "ViewTypeMusic": "M\u00fasica",
- "ViewTypeBoxSets": "Colecciones",
- "ViewTypeChannels": "Canales",
- "ViewTypeLiveTV": "TV en Vivo",
- "ViewTypeLiveTvNowPlaying": "Transmiti\u00e9ndose",
- "ViewTypeLatestGames": "Juegos Recientes",
- "ViewTypeRecentlyPlayedGames": "Reproducido Reci\u00e9ntemente",
- "ViewTypeGameFavorites": "Favoritos",
- "ViewTypeGameSystems": "Sistemas de Juego",
- "ViewTypeGameGenres": "G\u00e9neros",
- "ViewTypeTvResume": "Continuar",
- "ViewTypeTvNextUp": "Siguiente",
- "ViewTypeTvLatest": "Recientes",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "G\u00e9neros",
- "ViewTypeTvFavoriteSeries": "Series Favoritas",
- "ViewTypeTvFavoriteEpisodes": "Episodios Favoritos",
- "ViewTypeMovieResume": "Continuar",
- "ViewTypeMovieLatest": "Recientes",
- "ViewTypeMovieMovies": "Pel\u00edculas",
- "ViewTypeMovieCollections": "Colecciones",
- "ViewTypeMovieFavorites": "Favoritos",
- "ViewTypeMovieGenres": "G\u00e9neros",
- "ViewTypeMusicLatest": "Recientes",
- "ViewTypeMusicAlbums": "\u00c1lbums",
- "ViewTypeMusicAlbumArtists": "Artistas del \u00c1lbum",
- "HeaderOtherDisplaySettings": "Configuraci\u00f3n de Pantalla",
- "ViewTypeMusicSongs": "Canciones",
- "ViewTypeMusicFavorites": "Favoritos",
- "ViewTypeMusicFavoriteAlbums": "\u00c1lbums Favoritos",
- "ViewTypeMusicFavoriteArtists": "Artistas Favoritos",
- "ViewTypeMusicFavoriteSongs": "Canciones Favoritas",
- "HeaderMyViews": "Mis Vistas",
- "LabelSelectFolderGroups": "Agrupar autom\u00e1ticamente el contenido de las siguientes carpetas en vistas tales como Pel\u00edculas, M\u00fasica y TV:",
- "LabelSelectFolderGroupsHelp": "Las carpetas sin marcar ser\u00e1n desplegadas individualmente en su propia vista.",
- "OptionDisplayAdultContent": "Desplegar contenido para Adultos",
- "OptionLibraryFolders": "Carpetas de medios",
- "TitleRemoteControl": "Control Remoto",
- "OptionLatestTvRecordings": "Grabaciones recientes",
- "LabelProtocolInfo": "Informaci\u00f3n del protocolo:",
- "LabelProtocolInfoHelp": "El valor que ser\u00e1 utilizado cuando se responde a solicitudes GetProtocolInfo desde el dispositivo.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser incluye soporte nativo para metadados NFO e im\u00e1genes de Kodi. Para activar o desactivar metadatos de Kodi, utilice la pesta\u00f1a Avanzado para configurar opciones para sus tipos de medios.",
- "LabelKodiMetadataUser": "A\u00f1adir usuario para monitoreo de datos de nfo\u00b4s para:",
- "LabelKodiMetadataUserHelp": "Habilitar esto para mantener monitoreo de datos en sincron\u00eda entre Media Browser y Kodi.",
- "LabelKodiMetadataDateFormat": "Formato de fecha de estreno:",
- "LabelKodiMetadataDateFormatHelp": "Todas las fechas en los nfo\u00b4s ser\u00e1n le\u00eddas y escritas utilizando este formato.",
- "LabelKodiMetadataSaveImagePaths": "Guardar trayectorias de im\u00e1genes en los archivos nfo",
- "LabelKodiMetadataSaveImagePathsHelp": "Esto se recomienda si tiene nombres de imagenes que no se ajustan a los lineamientos de Kodi.",
- "LabelKodiMetadataEnablePathSubstitution": "Habilitar sustituci\u00f3n de trayectorias",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Habilita la sustituci\u00f3n de trayectorias de im\u00e1genes usando la configuraci\u00f3n de sustituci\u00f3n de trayectorias del servidor.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "Ver sustituci\u00f3n de trayectoras.",
- "LabelGroupChannelsIntoViews": "Desplegar los siguientes canales directamente en mis vistas:",
- "LabelGroupChannelsIntoViewsHelp": "Al activarse, estos canales ser\u00e1n desplegados directamente junto con otras vistas. Si permanecen deshabilitados, ser\u00e1n desplegados dentro de una vista independiente de Canales.",
- "LabelDisplayCollectionsView": "Desplegar una vista de colecciones para mostrar las colecciones de pel\u00edculas",
- "LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart en extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "Cuando se descargan im\u00e1genes pueden ser almacenadas tanto en extrafanart como extrathumb para maximizar la compatibilidad con skins de Kodi.",
- "TabServices": "Servicios",
- "TabLogs": "Bit\u00e1coras",
- "HeaderServerLogFiles": "Archivos de registro del servidor:",
- "TabBranding": "Establecer Marca",
- "HeaderBrandingHelp": "Personaliza la apariencia de Media Browser para ajustarla a las necesidades de tu grupo u organizaci\u00f3n.",
- "LabelLoginDisclaimer": "Aviso de Inicio de Sesi\u00f3n:",
- "LabelLoginDisclaimerHelp": "Esto se mostrara al final de la pagina de inicio de sesi\u00f3n.",
- "LabelAutomaticallyDonate": "Donar autom\u00e1ticamente este monto cada mes",
- "LabelAutomaticallyDonateHelp": "Puedes cancelarlo en cualquier momento por medio de tu cuenta PayPal.",
- "OptionList": "Lista",
- "TabDashboard": "Panel de Control",
- "TitleServer": "Servidor",
- "LabelCache": "Cach\u00e9:",
- "LabelLogs": "Bit\u00e1coras:",
- "LabelMetadata": "Metadatos:",
- "LabelImagesByName": "Im\u00e1genes por nombre:",
- "LabelTranscodingTemporaryFiles": "Archivos temporales de transcodificaci\u00f3n:",
- "HeaderLatestMusic": "M\u00fasica Reciente",
- "HeaderBranding": "Establecer Marca",
- "HeaderApiKeys": "Llaves de API",
- "HeaderApiKeysHelp": "Las aplicaciones externas requieren de una llave de API para comunicarse con Media Browser. Las llaves son otorgadas al iniciar sesi\u00f3n con una cuenta de Media Browser; o bien, otorgando manualmente una llave a la aplicaci\u00f3n.",
- "HeaderApiKey": "Llave de API",
- "HeaderApp": "App",
- "HeaderDevice": "Dispositivo",
- "HeaderUser": "Usuario",
- "HeaderDateIssued": "Fecha de Emisi\u00f3n",
- "LabelChapterName": "Cap\u00edtulo {0}",
- "HeaderNewApiKey": "Nueva llave de API",
- "LabelAppName": "Nombre del App",
- "LabelAppNameExample": "Ejemplo: Sickbeard, NzbDrone",
- "HeaderNewApiKeyHelp": "Otorgar a la aplicaci\u00f3n persmiso para comunicarse con Media Browser.",
- "HeaderHttpHeaders": "Encabezados Http",
- "HeaderIdentificationHeader": "Encabezado de Identificaci\u00f3n",
- "LabelValue": "Valor:",
- "LabelMatchType": "Tipo de Coincidencia:",
- "OptionEquals": "Igual a",
- "OptionRegex": "Regex",
- "OptionSubstring": "Subcadena",
- "TabView": "Vista",
- "TabSort": "Ordenaci\u00f3n",
- "TabFilter": "Filtro",
- "ButtonView": "Vista",
- "LabelPageSize": "Cantidad de \u00cdtems:",
- "LabelPath": "Trayectoria:",
- "LabelView": "Vista:",
- "TabUsers": "Usuarios",
- "LabelSortName": "Nombre para ordenar:",
- "LabelDateAdded": "Fecha de adici\u00f3n:",
- "HeaderFeatures": "Caracter\u00edsticas",
- "HeaderAdvanced": "Avanzado",
"ButtonSync": "Sinc",
"TabScheduledTasks": "Tareas Programadas",
"HeaderChapters": "Cap\u00edtulos",
@@ -902,6 +305,10 @@
"HeaderDashboardUserPassword": "Las contrase\u00f1as de usuario son manejadas dentro de las configuraciones personales de cada perfil de usuario.",
"HeaderLibraryAccess": "Acceso a la Biblioteca",
"HeaderChannelAccess": "Acceso a los Canales",
+ "HeaderLatestItems": "Elementos Recientes",
+ "LabelSelectLastestItemsFolders": "Incluir medios de las siguientes secciones en Elementos Recientes",
+ "HeaderShareMediaFolders": "Compartir Carpetas de Medios",
+ "MessageGuestSharingPermissionsHelp": "Muchas de las caracter\u00edsticas no est\u00e1n disponibles inicialmente para invitados pero pueden ser activadas conforme se necesiten.",
"LabelExit": "Salir",
"LabelVisitCommunity": "Visitar la Comunidad",
"LabelGithubWiki": "Wiki de Github",
@@ -1051,11 +458,11 @@
"OptionBackdrop": "Imagen de Fondo",
"OptionTimeline": "L\u00ednea de Tiempo",
"OptionThumb": "Miniatura",
- "OptionBanner": "T\u00edtulo",
+ "OptionBanner": "Cart\u00e9l",
"OptionCriticRating": "Calificaci\u00f3n de la Cr\u00edtica",
"OptionVideoBitrate": "Tasa de bits de Video",
"OptionResumable": "Reanudable",
- "ScheduledTasksHelp": "Da click en una tarea para ajustar su programaci\u00f3n.",
+ "ScheduledTasksHelp": "Haga clic en una tarea para ajustar su programaci\u00f3n.",
"ScheduledTasksTitle": "Tareas Programadas",
"TabMyPlugins": "Mis Complementos",
"TabCatalog": "Cat\u00e1logo",
@@ -1122,7 +529,7 @@
"SearchKnowledgeBase": "Buscar en la Base de Conocimiento",
"VisitTheCommunity": "Visitar la Comunidad",
"VisitMediaBrowserWebsite": "Visitar el Sitio Web de Media Browser",
- "VisitMediaBrowserWebsiteLong": "Visite el Sitio Web de Media Browser para estar conocer las \u00faltimas not\u00edcias y mantenerse al d\u00eda con el blog de los desarrolladores.",
+ "VisitMediaBrowserWebsiteLong": "Visitar el Sitio Web de Media Browser para estar conocer las \u00faltimas not\u00edcias y mantenerse al d\u00eda con el blog de los desarrolladores.",
"OptionHideUser": "Ocultar este usuario en las pantallas de inicio de sesi\u00f3n",
"OptionDisableUser": "Desactivar este usuario",
"OptionDisableUserHelp": "Si est\u00e1 desactivado, el servidor no aceptar\u00e1 conexiones de este usuario. Las conexiones existentes ser\u00e1n finalizadas abruptamente.",
@@ -1249,5 +656,602 @@
"OptionDownloadThumbImage": "Miniatura",
"OptionDownloadMenuImage": "Men\u00fa",
"OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Caja"
+ "OptionDownloadBoxImage": "Caja",
+ "OptionDownloadDiscImage": "DIsco",
+ "OptionDownloadBannerImage": "Cart\u00e9l",
+ "OptionDownloadBackImage": "Reverso",
+ "OptionDownloadArtImage": "Arte",
+ "OptionDownloadPrimaryImage": "Principal",
+ "HeaderFetchImages": "Buscar im\u00e1genes:",
+ "HeaderImageSettings": "Opciones de Im\u00e1genes",
+ "TabOther": "Otros",
+ "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de im\u00e1genes de fondo por \u00edtem:",
+ "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de capturas de pantalla por \u00edtem:",
+ "LabelMinBackdropDownloadWidth": "Anchura m\u00ednima de descarga de im\u00e1genes de fondo:",
+ "LabelMinScreenshotDownloadWidth": "Anchura m\u00ednima de descarga de capturas de pantalla:",
+ "ButtonAddScheduledTaskTrigger": "Agregar Disparador de Tarea",
+ "HeaderAddScheduledTaskTrigger": "Agregar Disparador de Tarea",
+ "ButtonAdd": "Agregar",
+ "LabelTriggerType": "Tipo de Evento:",
+ "OptionDaily": "Diario",
+ "OptionWeekly": "Semanal",
+ "OptionOnInterval": "En un intervalo",
+ "OptionOnAppStartup": "Al iniciar la aplicaci\u00f3n",
+ "OptionAfterSystemEvent": "Despu\u00e9s de un evento del sistema",
+ "LabelDay": "D\u00eda:",
+ "LabelTime": "Hora:",
+ "LabelEvent": "Evento:",
+ "OptionWakeFromSleep": "Al Despertar",
+ "LabelEveryXMinutes": "Cada:",
+ "HeaderTvTuners": "Sintonizadores",
+ "HeaderGallery": "Galer\u00eda",
+ "HeaderLatestGames": "Juegos Recientes",
+ "HeaderRecentlyPlayedGames": "Juegos Usados Recientemente",
+ "TabGameSystems": "Sistemas de Juegos",
+ "TitleMediaLibrary": "Biblioteca de Medios",
+ "TabFolders": "Carpetas",
+ "TabPathSubstitution": "Rutas Alternativas",
+ "LabelSeasonZeroDisplayName": "Nombre de la Temporada 0:",
+ "LabelEnableRealtimeMonitor": "Activar monitoreo en tiempo real",
+ "LabelEnableRealtimeMonitorHelp": "Los cambios ser\u00e1n procesados inmediatamente, en los sistemas de archivo que lo soporten.",
+ "ButtonScanLibrary": "Escanear Biblioteca",
+ "HeaderNumberOfPlayers": "Reproductores:",
+ "OptionAnyNumberOfPlayers": "Cualquiera",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Carpetas de Medios",
+ "HeaderThemeVideos": "Videos de Tema",
+ "HeaderThemeSongs": "Canciones de Tema",
+ "HeaderScenes": "Escenas",
+ "HeaderAwardsAndReviews": "Premios y Rese\u00f1as",
+ "HeaderSoundtracks": "Pistas de Audio",
+ "HeaderMusicVideos": "Videos Musicales",
+ "HeaderSpecialFeatures": "Caracter\u00edsticas Especiales",
+ "HeaderCastCrew": "Reparto y Personal",
+ "HeaderAdditionalParts": "Partes Adicionales",
+ "ButtonSplitVersionsApart": "Separar Versiones",
+ "ButtonPlayTrailer": "Avance",
+ "LabelMissing": "Falta",
+ "LabelOffline": "Desconectado",
+ "PathSubstitutionHelp": "Las rutas alternativas se utilizan para mapear una ruta en el servidor a la que los clientes puedan acceder. Al permitir a los clientes acceder directamente a los medios en el servidor podr\u00e1n reproducirlos directamente a trav\u00e9s de la red evitando el uso de recursos del servidor para transmitirlos y transcodificarlos.",
+ "HeaderFrom": "Desde",
+ "HeaderTo": "Hasta",
+ "LabelFrom": "Desde:",
+ "LabelFromHelp": "Ejemplo: D:\\Pel\u00edculas (en el servidor)",
+ "LabelTo": "Hasta:",
+ "LabelToHelp": "Ejemplo: \\\\MiServidor\\Pel\u00edculas (una ruta a la que los clientes pueden acceder)",
+ "ButtonAddPathSubstitution": "Agregar Ruta Alternativa",
+ "OptionSpecialEpisode": "Especiales",
+ "OptionMissingEpisode": "Episodios Faltantes",
+ "OptionUnairedEpisode": "Episodios no Emitidos",
+ "OptionEpisodeSortName": "Nombre para Ordenar el Episodio",
+ "OptionSeriesSortName": "Nombre de la Serie",
+ "OptionTvdbRating": "Calificaci\u00f3n de Tvdb",
+ "HeaderTranscodingQualityPreference": "Preferencia de Calidad de Transcodificaci\u00f3n:",
+ "OptionAutomaticTranscodingHelp": "El servidor decidir\u00e1 la calidad y la velocidad",
+ "OptionHighSpeedTranscodingHelp": "Menor calidad, codificaci\u00f3n m\u00e1s r\u00e1pida",
+ "OptionHighQualityTranscodingHelp": "Mayor calidad, codificaci\u00f3n m\u00e1s lenta",
+ "OptionMaxQualityTranscodingHelp": "La mejor calidad con codificaci\u00f3n m\u00e1s lenta y alto uso del CPU",
+ "OptionHighSpeedTranscoding": "Mayor velocidad",
+ "OptionHighQualityTranscoding": "Mayor calidad",
+ "OptionMaxQualityTranscoding": "M\u00e1xima calidad",
+ "OptionEnableDebugTranscodingLogging": "Habilitar el registro de transcodificaci\u00f3n en la bit\u00e1cora",
+ "OptionEnableDebugTranscodingLoggingHelp": "Esto crear\u00e1 archivos de bit\u00e1cora muy grandes y solo se recomienda cuando se requiera solucionar problemas.",
+ "OptionUpscaling": "Permitir que los clientes solicitar v\u00eddeo de escala aumentada",
+ "OptionUpscalingHelp": "En algunos casos esto resultar\u00e1 en una mejora de la calidad del video pero incrementar\u00e1 el uso del CPU.",
+ "EditCollectionItemsHelp": "Agregar o quitar pel\u00edculas, series, discos, libros o juegos que usted desee agrupar dentro de esta colecci\u00f3n.",
+ "HeaderAddTitles": "Agregar T\u00edtulos",
+ "LabelEnableDlnaPlayTo": "Habilitar Reproducir En mediante DLNA",
+ "LabelEnableDlnaPlayToHelp": "Media Browser puede detectar dispositivos en su red y ofrecer la posibilidad de controlarlos remotamente.",
+ "LabelEnableDlnaDebugLogging": "Habilitar el registro de DLNA en la bit\u00e1cora",
+ "LabelEnableDlnaDebugLoggingHelp": "Esto crear\u00e1 archivos de bit\u00e1cora muy grandes y solo se recomienda cuando se requiera solucionar problemas.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Intervalo de Detecci\u00f3n de Clientes (segundos)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la duraci\u00f3n en segundos del intervalo entre las b\u00fasquedas SSDP realizadas por Media Browser.",
+ "HeaderCustomDlnaProfiles": "Perfiles Personalizados",
+ "HeaderSystemDlnaProfiles": "Perfiles del Sistema",
+ "CustomDlnaProfilesHelp": "Crear un perfil personalizado para un nuevo dispositivo o reemplazar un perfil del sistema.",
+ "SystemDlnaProfilesHelp": "Los perfiles del sistema son de s\u00f3lo lectura. Los cambios a un perf\u00edl de sistema ser\u00e1n guardados en un perf\u00edl personalizado nuevo.",
+ "TitleDashboard": "Panel de Control",
+ "TabHome": "Inicio",
+ "TabInfo": "Info",
+ "HeaderLinks": "Enlaces",
+ "HeaderSystemPaths": "Rutas del Sistema",
+ "LinkCommunity": "Comunidad",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Documentaci\u00f3n del API",
+ "LabelFriendlyServerName": "Nombre amigable del servidor:",
+ "LabelFriendlyServerNameHelp": "Este nombre ser\u00e1 usado para identificar este servidor. Si se deja en blanco, se usar\u00e1 el nombre de la computadora.",
+ "LabelPreferredDisplayLanguage": "Idioma de pantalla preferido",
+ "LabelPreferredDisplayLanguageHelp": "La traducci\u00f3n de Media Browser es un proyecto en curso y a\u00fan no se ha completado.",
+ "LabelReadHowYouCanContribute": "Lea acerca de c\u00f3mo puede contribuir.",
+ "HeaderNewCollection": "Nueva Colecci\u00f3n",
+ "HeaderAddToCollection": "Agregar a Colecci\u00f3n.",
+ "ButtonSubmit": "Enviar",
+ "NewCollectionNameExample": "Ejemplo: Colecci\u00f3n Guerra de las Galaxias",
+ "OptionSearchForInternetMetadata": "Buscar en internet ilustraciones y metadatos",
+ "ButtonCreate": "Crear",
+ "LabelLocalHttpServerPortNumber": "N\u00famero de puerto local:",
+ "LabelLocalHttpServerPortNumberHelp": "El n\u00famero de puerto TCP con el que el servidor de HTTP de Media Browser deber\u00e1 vincularse",
+ "LabelPublicPort": "N\u00famero de puerto p\u00fablico:",
+ "LabelPublicPortHelp": "El n\u00famero de puerto p\u00fablico que deber\u00e1 mapearse hacia el puerto local.",
+ "LabelWebSocketPortNumber": "N\u00famero de puerto WebSocket:",
+ "LabelEnableAutomaticPortMap": "Habilitar mapeo autom\u00e1tico de puertos",
+ "LabelEnableAutomaticPortMapHelp": "Intentar mapear autom\u00e1ticamente el puerto p\u00fablico con el puerto local via UPnP. Esto podr\u00eda no funcionar con algunos modelos de ruteadores.",
+ "LabelExternalDDNS": "DDNS Externo:",
+ "LabelExternalDDNSHelp": "Si dispone de una DNS din\u00e1mica, introducirla aqu\u00ed. Media Brower la utilizar\u00e1 para las conexiones remotas.",
+ "TabResume": "Continuar",
+ "TabWeather": "El tiempo",
+ "TitleAppSettings": "Configuraci\u00f3n de la App",
+ "LabelMinResumePercentage": "Porcentaje m\u00ednimo para continuar:",
+ "LabelMaxResumePercentage": "Porcentaje m\u00e1ximo para continuar:",
+ "LabelMinResumeDuration": "Duraci\u00f3n m\u00ednima para continuar (segundos):",
+ "LabelMinResumePercentageHelp": "Se asumir\u00e1 que los t\u00edtulos no han sido reproducidos si se detienen antes de este momento",
+ "LabelMaxResumePercentageHelp": "Se asumir\u00e1 que los t\u00edtulos han sido reproducidos por completo si se detienen despu\u00e9s de este momento",
+ "LabelMinResumeDurationHelp": "Los titulos con duraci\u00f3n menor a esto no podr\u00e1n ser continuados",
+ "TitleAutoOrganize": "Auto-Organizar",
+ "TabActivityLog": "Bit\u00e1cora de Actividades",
+ "HeaderName": "Nombre",
+ "HeaderDate": "Fecha",
+ "HeaderSource": "Fuente",
+ "HeaderDestination": "Destino",
+ "HeaderProgram": "Programa",
+ "HeaderClients": "Clientes",
+ "LabelCompleted": "Completado",
+ "LabelFailed": "Fallido",
+ "LabelSkipped": "Omitido",
+ "HeaderEpisodeOrganization": "Organizaci\u00f3n de Episodios",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "N\u00famero de temporada:",
+ "LabelEpisodeNumber": "N\u00famero de episodio:",
+ "LabelEndingEpisodeNumber": "N\u00famero episodio final:",
+ "LabelEndingEpisodeNumberHelp": "S\u00f3lo requerido para archivos multi-episodio",
+ "HeaderSupportTheTeam": "Apoye al Equipo de Media Browser",
+ "LabelSupportAmount": "Importe (USD)",
+ "HeaderSupportTheTeamHelp": "Ayude a garantizar el desarrollo continuo de este proyecto mediante una donaci\u00f3n. Una parte de todas las donaciones se destinar\u00e1 a otras herramientas gratuitas de las que dependemos.",
+ "ButtonEnterSupporterKey": "Capture la Clave de Aficionado",
+ "DonationNextStep": "Cuando haya terminado, regrese y capture la clave de seguidor que recibir\u00e1 por correo electr\u00f3nico.",
+ "AutoOrganizeHelp": "La organizaci\u00f3n autom\u00e1tica monitorea sus carpetas de descarga en busca de nuevos archivos y los mueve a sus carpetas de medios.",
+ "AutoOrganizeTvHelp": "La organizaci\u00f3n de archivos de TV s\u00f3lo a\u00f1adir\u00e1 episodios a series existentes. No crear\u00e1 carpetas para series nuevas.",
+ "OptionEnableEpisodeOrganization": "Habilitar la organizaci\u00f3n de nuevos episodios",
+ "LabelWatchFolder": "Carpeta de Inspecci\u00f3n:",
+ "LabelWatchFolderHelp": "El servidor inspeccionar\u00e1 esta carpeta durante la tarea programada \"Organizar nuevos archivos de medios\".",
+ "ButtonViewScheduledTasks": "Ver tareas programadas",
+ "LabelMinFileSizeForOrganize": "Tama\u00f1o m\u00ednimo de archivo (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Los archivos de tama\u00f1o menor a este ser\u00e1n ignorados.",
+ "LabelSeasonFolderPattern": "Patr\u00f3n de la carpeta para temporadas:",
+ "LabelSeasonZeroFolderName": "Nombre de la carpeta para la temporada cero:",
+ "HeaderEpisodeFilePattern": "Patr\u00f3n para archivos de episodio",
+ "LabelEpisodePattern": "Patr\u00f3n de episodio:",
+ "LabelMultiEpisodePattern": "Patr\u00f3n para multi-episodio:",
+ "HeaderSupportedPatterns": "Patrones soportados",
+ "HeaderTerm": "Plazo",
+ "HeaderPattern": "Patr\u00f3n",
+ "HeaderResult": "Resultado",
+ "LabelDeleteEmptyFolders": "Eliminar carpetas vacias despu\u00e9s de la organizaci\u00f3n",
+ "LabelDeleteEmptyFoldersHelp": "Habilitar para mantener el directorio de descargas limpio.",
+ "LabelDeleteLeftOverFiles": "Eliminar los archivos restantes con las siguientes extensiones:",
+ "LabelDeleteLeftOverFilesHelp": "Separar con ;. Por ejemplo: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Sobreescribir episodios pre-existentes",
+ "LabelTransferMethod": "M\u00e9todo de transferencia",
+ "OptionCopy": "Copiar",
+ "OptionMove": "Mover",
+ "LabelTransferMethodHelp": "Copiar o mover archivos desde la carpeta de inspecci\u00f3n",
+ "HeaderLatestNews": "Noticias Recientes",
+ "HeaderHelpImproveMediaBrowser": "Ayudar a mejorar Media Browser",
+ "HeaderRunningTasks": "Tareas en Ejecuci\u00f3n",
+ "HeaderActiveDevices": "Dispositivos Activos",
+ "HeaderPendingInstallations": "Instalaciones Pendientes",
+ "HeaerServerInformation": "Informaci\u00f3n del Servidor",
+ "ButtonRestartNow": "Reiniciar Ahora",
+ "ButtonRestart": "Reiniciar",
+ "ButtonShutdown": "Apagar",
+ "ButtonUpdateNow": "Actualizar Ahora",
+ "PleaseUpdateManually": "Por favor apague el servidor y actualice manualmente.",
+ "NewServerVersionAvailable": "\u00a1Hay disponible una nueva versi\u00f3n de Media Browser Server!",
+ "ServerUpToDate": "Media Browser Server est\u00e1 actualizado",
+ "ErrorConnectingToMediaBrowserRepository": "Ocurri\u00f3 un error al conectarse remotamente al repositorio de Media Browser,",
+ "LabelComponentsUpdated": "Los siguientes componentes han sido instalados o actualizados:",
+ "MessagePleaseRestartServerToFinishUpdating": "Por favor reinicie el servidor para completar la aplicaci\u00f3n de las actualizaciones.",
+ "LabelDownMixAudioScale": "Fortalecimiento de audio durante el downmix:",
+ "LabelDownMixAudioScaleHelp": "Fortalezca el audio cuando se hace down mix. Coloque 1 para preservar el valor del volumen original.",
+ "ButtonLinkKeys": "Transferir Clave",
+ "LabelOldSupporterKey": "Clave de aficionado vieja",
+ "LabelNewSupporterKey": "Clave de aficionado nueva",
+ "HeaderMultipleKeyLinking": "Transferir a Nueva Clave",
+ "MultipleKeyLinkingHelp": "Si usted recibi\u00f3 una nueva clave de aficionado, use este formulario para transferir los registros de su llave antigua a la nueva.",
+ "LabelCurrentEmailAddress": "Direcci\u00f3n de correo electr\u00f3nico actual",
+ "LabelCurrentEmailAddressHelp": "La direcci\u00f3n de correo electr\u00f3nico actual a la que se envi\u00f3 la clave nueva.",
+ "HeaderForgotKey": "No recuerdo mi clave",
+ "LabelEmailAddress": "Correo Electr\u00f3nico",
+ "LabelSupporterEmailAddress": "La direcci\u00f3n de correo electr\u00f3nico que fue utilizada para comprar la clave.",
+ "ButtonRetrieveKey": "Recuperar Clave",
+ "LabelSupporterKey": "Clave de Aficionado (pegue desde el correo electr\u00f3nico)",
+ "LabelSupporterKeyHelp": "Introduzca su clave de aficionado para comenzar a disfrutar beneficios adicionales que la comunidad ha desarrollado para Media Browser.",
+ "MessageInvalidKey": "Falta Clave de aficionado o es Inv\u00e1lida",
+ "ErrorMessageInvalidKey": "Para que cualquier contenido Premium sea registrado, tambi\u00e9n debe ser un Aficionado de Media Browser. Por favor done y ayude a continuar con el desarrollo del producto base. Gracias.",
+ "HeaderDisplaySettings": "Configuraci\u00f3n de Pantalla",
+ "TabPlayTo": "Reproducir En",
+ "LabelEnableDlnaServer": "Habilitar servidor DLNA",
+ "LabelEnableDlnaServerHelp": "Permite a los dispositivos UPnP en su red navegar y reproducir contenidos de Media Browser.",
+ "LabelEnableBlastAliveMessages": "Bombardeo de mensajes de vida",
+ "LabelEnableBlastAliveMessagesHelp": "Habilite esto si el servidor no es detectado de manera confiable por otros dispositivos UPnP en su red.",
+ "LabelBlastMessageInterval": "Intervalo de mensajes de vida (segundos)",
+ "LabelBlastMessageIntervalHelp": "Determina la duraci\u00f3n en segundos del intervalo entre mensajes de vida.",
+ "LabelDefaultUser": "Usuario por defecto:",
+ "LabelDefaultUserHelp": "Determina que usuario de la biblioteca ser\u00e1 desplegado en los dispositivos conectados. Este puede ser reemplazado para cada dispositivo empleando perf\u00edles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Canales",
+ "HeaderServerSettings": "Configuraci\u00f3n del Servidor",
+ "LabelWeatherDisplayLocation": "Ubicaci\u00f3n para pron\u00f3stico del tiempo:",
+ "LabelWeatherDisplayLocationHelp": "C\u00f3digo ZIP de US \/ Ciudad, Estado, Pa\u00eds \/ Ciudad, Pa\u00eds",
+ "LabelWeatherDisplayUnit": "Unidad para pron\u00f3stico del tiempo:",
+ "OptionCelsius": "Cent\u00edgrados",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Requerir captura de nombre de usuario manual para:",
+ "HeaderRequireManualLoginHelp": "Cuando se encuentra desactivado los clientes podr\u00edan mostrar una pantalla de inicio de sesi\u00f3n con una selecci\u00f3n visual de los usuarios.",
+ "OptionOtherApps": "Otras applicaciones",
+ "OptionMobileApps": "Apps m\u00f3viles",
+ "HeaderNotificationList": "Haga clic en una notificaci\u00f3n para configurar sus opciones de envio.",
+ "NotificationOptionApplicationUpdateAvailable": "Actualizaci\u00f3n de aplicaci\u00f3n disponible",
+ "NotificationOptionApplicationUpdateInstalled": "Actualizaci\u00f3n de aplicaci\u00f3n instalada",
+ "NotificationOptionPluginUpdateInstalled": "Actualizaci\u00f3n de complemento instalada",
+ "NotificationOptionPluginInstalled": "Complemento instalado",
+ "NotificationOptionPluginUninstalled": "Complemento desinstalado",
+ "NotificationOptionVideoPlayback": "Reproducci\u00f3n de video iniciada",
+ "NotificationOptionAudioPlayback": "Reproducci\u00f3n de audio iniciada",
+ "NotificationOptionGamePlayback": "Ejecuci\u00f3n de juego iniciada",
+ "NotificationOptionVideoPlaybackStopped": "Reproducci\u00f3n de video detenida",
+ "NotificationOptionAudioPlaybackStopped": "Reproducci\u00f3n de audio detenida",
+ "NotificationOptionGamePlaybackStopped": "Ejecuci\u00f3n de juego detenida",
+ "NotificationOptionTaskFailed": "Falla de tarea programada",
+ "NotificationOptionInstallationFailed": "Falla de instalaci\u00f3n",
+ "NotificationOptionNewLibraryContent": "Nuevo contenido agregado",
+ "NotificationOptionNewLibraryContentMultiple": "Nuevo contenido agregado (varios)",
+ "SendNotificationHelp": "Por defecto, las notificaciones son enviadas a la bandeja de entrada del panel de control. Navegue el cat\u00e1logo de complementos para instalar opciones de notificaci\u00f3n adicionales.",
+ "NotificationOptionServerRestartRequired": "Reinicio del servidor requerido",
+ "LabelNotificationEnabled": "Habilitar esta notificaci\u00f3n",
+ "LabelMonitorUsers": "Monitorear actividad desde:",
+ "LabelSendNotificationToUsers": "Enviar la notificaci\u00f3n a:",
+ "LabelUseNotificationServices": "Utilizar los siguientes servicios:",
+ "CategoryUser": "Usuario",
+ "CategorySystem": "Sistema",
+ "CategoryApplication": "Aplicaci\u00f3n",
+ "CategoryPlugin": "Complemento",
+ "LabelMessageTitle": "T\u00edtulo del Mensaje:",
+ "LabelAvailableTokens": "Detalles disponibles:",
+ "AdditionalNotificationServices": "Explore el cat\u00e1logo de complementos para instalar servicios de notificaci\u00f3n adicionales.",
+ "OptionAllUsers": "Todos los usuarios",
+ "OptionAdminUsers": "Administradores",
+ "OptionCustomUsers": "Personalizado",
+ "ButtonArrowUp": "Arriba",
+ "ButtonArrowDown": "Abajo",
+ "ButtonArrowLeft": "Izquierda",
+ "ButtonArrowRight": "Derecha",
+ "ButtonBack": "Atr\u00e1s",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "Visualizaci\u00f3n en pantalla",
+ "ButtonPageUp": "P\u00e1gina arriba",
+ "ButtonPageDown": "P\u00e1gina abajo",
+ "PageAbbreviation": "Pag.",
+ "ButtonHome": "Inicio",
+ "ButtonSearch": "B\u00fasqueda",
+ "ButtonSettings": "Configuraci\u00f3n",
+ "ButtonTakeScreenshot": "Capturar Pantalla",
+ "ButtonLetterUp": "Siguiente letra",
+ "ButtonLetterDown": "Letra anterior",
+ "PageButtonAbbreviation": "Pag.",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Reproduci\u00e9ndo Ahora",
+ "TabNavigation": "Navegaci\u00f3n",
+ "TabControls": "Controles",
+ "ButtonFullscreen": "Cambiar a pantalla completa",
+ "ButtonScenes": "Escenas",
+ "ButtonSubtitles": "Subt\u00edtulos",
+ "ButtonAudioTracks": "Pistas de audio",
+ "ButtonPreviousTrack": "Pista anterior",
+ "ButtonNextTrack": "Pista siguiente",
+ "ButtonStop": "Detener",
+ "ButtonPause": "Pausar",
+ "ButtonNext": "Siguiente",
+ "ButtonPrevious": "Previo",
+ "LabelGroupMoviesIntoCollections": "Agrupar pel\u00edculas en colecciones",
+ "LabelGroupMoviesIntoCollectionsHelp": "Cuando se despliegan listados de pel\u00edculas, las pel\u00edculas que pertenecen a una colecci\u00f3n ser\u00e1n desplegadas agrupadas en un solo \u00edtem.",
+ "NotificationOptionPluginError": "Falla de complemento",
+ "ButtonVolumeUp": "Subir Volumen",
+ "ButtonVolumeDown": "Bajar Volumen",
+ "ButtonMute": "Mudo",
+ "HeaderLatestMedia": "Medios Recientes",
+ "OptionSpecialFeatures": "Caracter\u00edsticas Especiales",
+ "HeaderCollections": "Colecciones",
+ "LabelProfileCodecsHelp": "Separados por comas. Puede dejarse vaci\u00f3 para aplicarlo a todos los codecs.",
+ "LabelProfileContainersHelp": "Separados por comas. Puede dejarse vaci\u00f3 para aplicarlo a todos los contenedores.",
+ "HeaderResponseProfile": "Perfil de Respuesta:",
+ "LabelType": "Tipo:",
+ "LabelPersonRole": "Rol:",
+ "LabelPersonRoleHelp": "El Rol generalmente solo aplica a actores.",
+ "LabelProfileContainer": "Contenedor:",
+ "LabelProfileVideoCodecs": "Codecs de Video:",
+ "LabelProfileAudioCodecs": "Codecs de Audio:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Perfil de Reproducci\u00f3n Directa",
+ "HeaderTranscodingProfile": "Perfil de Transcodificaci\u00f3n",
+ "HeaderCodecProfile": "Perfil de Codecs",
+ "HeaderCodecProfileHelp": "Los perfiles de codificaci\u00f3n indican las limitaciones de un dispositivo al reproducir con codecs espec\u00edficos. Si aplica una limitaci\u00f3n el medio ser\u00e1 transcodificado, a\u00fan si el codec ha sido configurado para reproduci\u00f3n directa.",
+ "HeaderContainerProfile": "Perfil del Contenedor",
+ "HeaderContainerProfileHelp": "Los perfiles de contenedor indican las limitaciones de un dispositivo al reproducir formatos espec\u00edficos. Si aplica una limitaci\u00f3n el medio ser\u00e1 transcodificado, a\u00fan si el formato ha sifo configurado para reproducci\u00f3n directa.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Audio del Video",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "Biblioteca del Usuario:",
+ "LabelUserLibraryHelp": "Seleccione la biblioteca de usuario a desplegar en el dispositivo. Deje vac\u00edo para heredar la configuraci\u00f3n por defecto.",
+ "OptionPlainStorageFolders": "Desplegar todas las carpetas como carpetas de almacenamiento simples.",
+ "OptionPlainStorageFoldersHelp": "Si se habilita, todos las carpetas ser\u00e1n representadas en DIDL como \"object.container.storageFolder\" en lugar de un tipo m\u00e1s espec\u00edfico, como \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Desplegar todos los videos como elemenos de video simples",
+ "OptionPlainVideoItemsHelp": "Se se habilita, todos los videos ser\u00e1n representados en DIDL como \"object.item.videoItem\" en lugar de un tipo m\u00e1s espec\u00edfico, como \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Tipos de Medios Soportados:",
+ "TabIdentification": "Identificaci\u00f3n",
+ "HeaderIdentification": "Identificaci\u00f3n",
+ "TabDirectPlay": "Reproducci\u00f3n Directa",
+ "TabContainers": "Contenedores",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Respuestas",
+ "HeaderProfileInformation": "Informaci\u00f3n de Perfil",
+ "LabelEmbedAlbumArtDidl": "Incrustar arte del \u00e1lbum en DIDL",
+ "LabelEmbedAlbumArtDidlHelp": "Algunos dispositivos prefieren este m\u00e9todo para obtener arte del \u00e1lbum. Otros podr\u00edan fallar al reproducir con esta opci\u00f3n habilitada.",
+ "LabelAlbumArtPN": "PN para arte del \u00e1lbum:",
+ "LabelAlbumArtHelp": "PN usado para arte del \u00e1lbum, dento del atributo dlna:profileID en upnp:albumArtURI. Algunos clientes requeren valores espec\u00edficos, independientemente del tama\u00f1o de la imagen.",
+ "LabelAlbumArtMaxWidth": "Ancho m\u00e1ximo para arte del \u00e1lbum:",
+ "LabelAlbumArtMaxWidthHelp": "M\u00e1xima resoluci\u00f3n para arte del album expuesta via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Altura m\u00e1xima para arte del \u00e1lbum:",
+ "LabelAlbumArtMaxHeightHelp": "M\u00e1xima resoluci\u00f3n para arte del album expuesta via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Ancho m\u00e1ximo de \u00efcono:",
+ "LabelIconMaxWidthHelp": "M\u00e1xima resoluci\u00f3n para iconos expuesta via upnp:icon.",
+ "LabelIconMaxHeight": "Altura m\u00e1xima de \u00efcono:",
+ "LabelIconMaxHeightHelp": "M\u00e1xima resoluci\u00f3n para iconos expuesta via upnp:icon.",
+ "LabelIdentificationFieldHelp": "Una subcadena insensible a la diferencia entre min\u00fasculas y may\u00fasculas o expresi\u00f3n regex.",
+ "HeaderProfileServerSettingsHelp": "Estos valores controlan la manera en que Media Browser se presentar\u00e1 a s\u00ed mismo ante el dispositivo.",
+ "LabelMaxBitrate": "Tasa de bits m\u00e1xima:",
+ "LabelMaxBitrateHelp": "Especifique la tasa de bits m\u00e1xima para ambientes con un ancho de banda limitado, o si el dispositivo impone sus propios l\u00edmites.",
+ "LabelMaxStreamingBitrate": "Tasa de bits m\u00e1xima para transmisi\u00f3n:",
+ "LabelMaxStreamingBitrateHelp": "Especifique una tasa de bits m\u00e1xima al transferir en tiempo real.",
+ "LabelMaxStaticBitrate": "Tasa m\u00e1xima de bits de sinc",
+ "LabelMaxStaticBitrateHelp": "Especifique una tasa de bits cuando se sincronice contenido en alta calidad.",
+ "LabelMusicStaticBitrate": "Tasa de bits de sinc de m\u00fascia",
+ "LabelMusicStaticBitrateHelp": "Especifique la tasa de bits m\u00e1xima al sincronizar m\u00fasica",
+ "LabelMusicStreamingTranscodingBitrate": "Tasa de transcodificaci\u00f3n de m\u00fasica:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Especifique la tasa de bits m\u00e1xima al transferir musica en tiempo real",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignorar solicitudes de transcodificaci\u00f3n de rango de byte.",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si se habilita, estas solicitudes seran honradas pero se ignorar\u00e1 el encabezado de rango de byte.",
+ "LabelFriendlyName": "Nombre amistoso:",
+ "LabelManufacturer": "Fabricante:",
+ "LabelManufacturerUrl": "URL del fabricante:",
+ "LabelModelName": "Nombre del modelo:",
+ "LabelModelNumber": "N\u00famero del modelo:",
+ "LabelModelDescription": "Descripci\u00f3n del modelo:",
+ "LabelModelUrl": "URL del modelo:",
+ "LabelSerialNumber": "N\u00famero de serie:",
+ "LabelDeviceDescription": "Descripci\u00f3n del dispositivo",
+ "HeaderIdentificationCriteriaHelp": "Capture, al menos, un criterio de identificaci\u00f3n.",
+ "HeaderDirectPlayProfileHelp": "Agregue perfiles de reproducci\u00f3n directa para indicar que formatos puede manejar el dispositivo de manera nativa.",
+ "HeaderTranscodingProfileHelp": "Agruegue perfiles de transcodificaci\u00f3n para indicar que formatos deben ser usados cuando se requiera transcodificar.",
+ "HeaderResponseProfileHelp": "Los perfiles de respuesta proporcionan un medio para personalizar la informaci\u00f3n enviada a un dispositivo cuando se reproducen ciertos tipos de medios.",
+ "LabelXDlnaCap": "X-DLNA cap:",
+ "LabelXDlnaCapHelp": "Determina el contenido del elemento X_DLNACAP en el namespace urn:schemas-dlna-org:device-1-0.",
+ "LabelXDlnaDoc": "X-DLNA Doc:",
+ "LabelXDlnaDocHelp": "Determina el contenido del elemento X_DLNADOC en el namespace urn:schemas-dlna-org:device-1-0.",
+ "LabelSonyAggregationFlags": "Banderas de agregaci\u00f3n Sony:",
+ "LabelSonyAggregationFlagsHelp": "Determina el contenido del elemento aggregationFlags en el namespace urn:schemas-sonycom:av",
+ "LabelTranscodingContainer": "Contenedor:",
+ "LabelTranscodingVideoCodec": "Codec de video:",
+ "LabelTranscodingVideoProfile": "Perfil de video:",
+ "LabelTranscodingAudioCodec": "Codec de audio:",
+ "OptionEnableM2tsMode": "Habilitar modo M2ts:",
+ "OptionEnableM2tsModeHelp": "Habilita el modo m2ts cuando se codifican mpegs.",
+ "OptionEstimateContentLength": "Estimar la duraci\u00f3n del contenido cuando se transcodifica",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Reportar que el servidor soporta busqueda de bytes al transcodificar",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Esto es requerido para algunos dispositivos que no pueden hacer b\u00fasquedas por tiempo muy bien.",
+ "HeaderSubtitleDownloadingHelp": "Cuando Media Browser examina sus archivos de video puede buscar los subt\u00edtulos faltantes, y descargarlos usando un proveedor de subt\u00edtulos como OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Descargar subt\u00edtulos para:",
+ "MessageNoChapterProviders": "Instale un complemento proveedor de cap\u00edtulos como ChapterDb para habilitar opciones adicionales de cap\u00edtulos.",
+ "LabelSkipIfGraphicalSubsPresent": "Omitir si el video ya contiene subt\u00edtulos gr\u00e1ficos",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Mantener versiones de texto de los subt\u00edtulos resultar\u00e1 en una entrega m\u00e1s eficiente para clientes m\u00f3viles.",
+ "TabSubtitles": "Subt\u00edtulos",
+ "TabChapters": "Cap\u00edtulos",
+ "HeaderDownloadChaptersFor": "Descargar nombres de cap\u00edtulos para:",
+ "LabelOpenSubtitlesUsername": "Nombre de usuario de Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "Contrase\u00f1a de Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "Cuando Media Browser analiza sus archivos de video puede descargar nombres amigables de cap\u00edtulos desde el Internet usando complementos de cap\u00edtulos como ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Reproducir la pista de audio por defecto independientemente del lenguaje",
+ "LabelSubtitlePlaybackMode": "Modo de subt\u00edtulo:",
+ "LabelDownloadLanguages": "Descargar lenguajes:",
+ "ButtonRegister": "Registrar",
+ "LabelSkipIfAudioTrackPresent": "Omitir si la pista de audio por defecto coincide con el lenguaje de descarga",
+ "LabelSkipIfAudioTrackPresentHelp": "Desactive esto para asegurar que todos los videos tengan subt\u00edtulos, independientemente del lenguaje del audio.",
+ "HeaderSendMessage": "Enviar Mensaje",
+ "ButtonSend": "Enviar",
+ "LabelMessageText": "Texto del Mensaje:",
+ "MessageNoAvailablePlugins": "No hay complementos disponibles.",
+ "LabelDisplayPluginsFor": "Desplegar complementos para:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Nombre del episodio",
+ "LabelSeriesNamePlain": "Nombre de la serie",
+ "ValueSeriesNamePeriod": "Nombre.serie",
+ "ValueSeriesNameUnderscore": "Nombre_serie",
+ "ValueEpisodeNamePeriod": "Nombre del episodio",
+ "ValueEpisodeNameUnderscore": "Nombre_episodio",
+ "LabelSeasonNumberPlain": "N\u00famero de temporada",
+ "LabelEpisodeNumberPlain": "N\u00famero de episodio",
+ "LabelEndingEpisodeNumberPlain": "N\u00famero del episodio final",
+ "HeaderTypeText": "Capturar Texto",
+ "LabelTypeText": "Texto",
+ "HeaderSearchForSubtitles": "Buscar Subtitulos",
+ "MessageNoSubtitleSearchResultsFound": "No se encontraron resultados en la b\u00fasqueda.",
+ "TabDisplay": "Pantalla",
+ "TabLanguages": "Idiomas",
+ "TabWebClient": "Cliente Web",
+ "LabelEnableThemeSongs": "Habilitar canciones de tema",
+ "LabelEnableBackdrops": "Habilitar im\u00e1genes de fondo",
+ "LabelEnableThemeSongsHelp": "Al activarse, las canciones de tema ser\u00e1n reproducidas en segundo plano mientras se navega en la biblioteca.",
+ "LabelEnableBackdropsHelp": "Al activarse, las im\u00e1genes de fondo ser\u00e1n mostradas en el fondo de algunas paginas mientras se navega en la biblioteca.",
+ "HeaderHomePage": "P\u00e1gina de Inicio",
+ "HeaderSettingsForThisDevice": "Configuraci\u00f3n de Este Dispositivo",
+ "OptionAuto": "Autom\u00e1tico",
+ "OptionYes": "Si",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Pagina de Inicio secci\u00f3n uno:",
+ "LabelHomePageSection2": "Pagina de Inicio secci\u00f3n dos:",
+ "LabelHomePageSection3": "Pagina de Inicio secci\u00f3n tres:",
+ "LabelHomePageSection4": "Pagina de Inicio secci\u00f3n cuatro:",
+ "OptionMyViewsButtons": "Mis vistas (botones)",
+ "OptionMyViews": "Mis vistas",
+ "OptionMyViewsSmall": "Mis vistas (peque\u00f1o)",
+ "OptionResumablemedia": "Continuar",
+ "OptionLatestMedia": "Medios recientes",
+ "OptionLatestChannelMedia": "Elementos recientes de canales",
+ "HeaderLatestChannelItems": "Elementos Recientes de Canales",
+ "OptionNone": "Ninguno",
+ "HeaderLiveTv": "TV en Vivo",
+ "HeaderReports": "Reportes",
+ "HeaderMetadataManager": "Administrador de Metadatos",
+ "HeaderPreferences": "Preferencias",
+ "MessageLoadingChannels": "Cargando contenidos del canal...",
+ "MessageLoadingContent": "Cargando contenido...",
+ "ButtonMarkRead": "Marcar como Le\u00eddo",
+ "OptionDefaultSort": "Por defecto",
+ "OptionCommunityMostWatchedSort": "M\u00e1s Visto",
+ "TabNextUp": "A Continuaci\u00f3n",
+ "MessageNoMovieSuggestionsAvailable": "No hay sugerencias de pel\u00edculas disponibles en este momento. Comienza a ver y a calificar tus pel\u00edculas, y regresa para ver tus recomendaciones.",
+ "MessageNoCollectionsAvailable": "Las Colecciones te permiten disfrutar de grupos personalizados de Pel\u00edculas, Series, \u00c1lbumes, Libros y Juegos. Haga clic en el bot\u00f3n \"Nuevo\" para empezar a crear colecciones.",
+ "MessageNoPlaylistsAvailable": "Las listas de reproducci\u00f3n le permiten crear listas de contenidos a ser reproducidos de manera consecutiva. Para a\u00f1adir \u00edtems a una lista de reproducci\u00f3n, haga clic derecho o seleccione y mantenga, despu\u00e9s seleccione A\u00f1adir a Lista de Reproducci\u00f3n.",
+ "MessageNoPlaylistItemsAvailable": "Esta lista de reproducci\u00f3n se encuentra vac\u00eda.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Bienvenido al Cliente Web de Media Browser",
+ "ButtonDismiss": "Descartar",
+ "ButtonTakeTheTour": "Haga el recorrido",
+ "ButtonEditOtherUserPreferences": "Editar la contrase\u00f1a y preferencias personales de este perfil de usuario.",
+ "LabelChannelStreamQuality": "Calidad por defecto para transmisi\u00f3n por internet:",
+ "LabelChannelStreamQualityHelp": "En un ambiente de ancho de banda limitado, limitar la calidad puede ayudar a asegurar una experiencia de transimisi\u00f3n en tiempo real fluida.",
+ "OptionBestAvailableStreamQuality": "La mejor disponible",
+ "LabelEnableChannelContentDownloadingFor": "Habilitar descarga de contenidos del canal para:",
+ "LabelEnableChannelContentDownloadingForHelp": "Algunos canales soportan la descarga de contenido previo a su despliegue. Habilite esto en ambientes de ancho de banda limitados para descargar contenido del canal en horarios no pico. El contenido es descargado como parte de la tarea programada para descarga del canal.",
+ "LabelChannelDownloadPath": "Ruta de descarga de contenido del canal:",
+ "LabelChannelDownloadPathHelp": "Especifique una ruta personalizada para descargas si as\u00ed lo desea. D\u00e9jelo vac\u00edo para descargar a una carpeta de datos interna del programa.",
+ "LabelChannelDownloadAge": "Eliminar contenido despu\u00e9s de: (d\u00edas)",
+ "LabelChannelDownloadAgeHelp": "El contenido descargado anterior a esto ser\u00e1 eliminado. Permanecer\u00e1 reproducible via transmisi\u00f3n en tiempo real por Internet.",
+ "ChannelSettingsFormHelp": "Instale canales tales como Avances y Vimeo desde el cat\u00e1logo de complementos.",
+ "LabelSelectCollection": "Elegir colecci\u00f3n:",
+ "ButtonOptions": "Opciones",
+ "ViewTypeMovies": "Pel\u00edculas",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Juegos",
+ "ViewTypeMusic": "M\u00fasica",
+ "ViewTypeBoxSets": "Colecciones",
+ "ViewTypeChannels": "Canales",
+ "ViewTypeLiveTV": "TV en Vivo",
+ "ViewTypeLiveTvNowPlaying": "Transmiti\u00e9ndose",
+ "ViewTypeLatestGames": "Juegos Recientes",
+ "ViewTypeRecentlyPlayedGames": "Reproducido Reci\u00e9ntemente",
+ "ViewTypeGameFavorites": "Favoritos",
+ "ViewTypeGameSystems": "Sistemas de Juego",
+ "ViewTypeGameGenres": "G\u00e9neros",
+ "ViewTypeTvResume": "Continuar",
+ "ViewTypeTvNextUp": "Siguiente",
+ "ViewTypeTvLatest": "Recientes",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "G\u00e9neros",
+ "ViewTypeTvFavoriteSeries": "Series Favoritas",
+ "ViewTypeTvFavoriteEpisodes": "Episodios Favoritos",
+ "ViewTypeMovieResume": "Continuar",
+ "ViewTypeMovieLatest": "Recientes",
+ "ViewTypeMovieMovies": "Pel\u00edculas",
+ "ViewTypeMovieCollections": "Colecciones",
+ "ViewTypeMovieFavorites": "Favoritos",
+ "ViewTypeMovieGenres": "G\u00e9neros",
+ "ViewTypeMusicLatest": "Recientes",
+ "ViewTypeMusicAlbums": "\u00c1lbums",
+ "ViewTypeMusicAlbumArtists": "Artistas del \u00c1lbum",
+ "HeaderOtherDisplaySettings": "Configuraci\u00f3n de Pantalla",
+ "ViewTypeMusicSongs": "Canciones",
+ "ViewTypeMusicFavorites": "Favoritos",
+ "ViewTypeMusicFavoriteAlbums": "\u00c1lbums Favoritos",
+ "ViewTypeMusicFavoriteArtists": "Artistas Favoritos",
+ "ViewTypeMusicFavoriteSongs": "Canciones Favoritas",
+ "HeaderMyViews": "Mis Vistas",
+ "LabelSelectFolderGroups": "Agrupar autom\u00e1ticamente el contenido de las siguientes carpetas en vistas tales como Pel\u00edculas, M\u00fasica y TV:",
+ "LabelSelectFolderGroupsHelp": "Las carpetas sin marcar ser\u00e1n desplegadas individualmente en su propia vista.",
+ "OptionDisplayAdultContent": "Desplegar contenido para Adultos",
+ "OptionLibraryFolders": "Carpetas de medios",
+ "TitleRemoteControl": "Control Remoto",
+ "OptionLatestTvRecordings": "Grabaciones recientes",
+ "LabelProtocolInfo": "Informaci\u00f3n del protocolo:",
+ "LabelProtocolInfoHelp": "El valor que ser\u00e1 utilizado cuando se responde a solicitudes GetProtocolInfo desde el dispositivo.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser incluye soporte nativo para metadados NFO e im\u00e1genes de Kodi. Para activar o desactivar metadatos de Kodi, utilice la pesta\u00f1a Avanzado para configurar opciones para sus tipos de medios.",
+ "LabelKodiMetadataUser": "Sincronizar informaci\u00f3n de vistos a nfo's para:",
+ "LabelKodiMetadataUserHelp": "Habilitar esto para mantener monitoreo de datos en sincron\u00eda entre Media Browser y Kodi.",
+ "LabelKodiMetadataDateFormat": "Formato de fecha de estreno:",
+ "LabelKodiMetadataDateFormatHelp": "Todas las fechas en los nfo\u00b4s ser\u00e1n le\u00eddas y escritas utilizando este formato.",
+ "LabelKodiMetadataSaveImagePaths": "Guardar trayectorias de im\u00e1genes en los archivos nfo",
+ "LabelKodiMetadataSaveImagePathsHelp": "Esto se recomienda si tiene nombres de imagenes que no se ajustan a los lineamientos de Kodi.",
+ "LabelKodiMetadataEnablePathSubstitution": "Habilitar sustituci\u00f3n de trayectorias",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Habilita la sustituci\u00f3n de trayectorias de im\u00e1genes usando la configuraci\u00f3n de sustituci\u00f3n de trayectorias del servidor.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "Ver sustituci\u00f3n de trayectoras.",
+ "LabelGroupChannelsIntoViews": "Desplegar los siguientes canales directamente en mis vistas:",
+ "LabelGroupChannelsIntoViewsHelp": "Al activarse, estos canales ser\u00e1n desplegados directamente junto con otras vistas. Si permanecen deshabilitados, ser\u00e1n desplegados dentro de una vista independiente de Canales.",
+ "LabelDisplayCollectionsView": "Desplegar una vista de colecciones para mostrar las colecciones de pel\u00edculas",
+ "LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart en extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "Cuando se descargan im\u00e1genes pueden ser almacenadas tanto en extrafanart como extrathumb para maximizar la compatibilidad con skins de Kodi.",
+ "TabServices": "Servicios",
+ "TabLogs": "Bit\u00e1coras",
+ "HeaderServerLogFiles": "Archivos de registro del servidor:",
+ "TabBranding": "Establecer Marca",
+ "HeaderBrandingHelp": "Personaliza la apariencia de Media Browser para ajustarla a las necesidades de tu grupo u organizaci\u00f3n.",
+ "LabelLoginDisclaimer": "Aviso de Inicio de Sesi\u00f3n:",
+ "LabelLoginDisclaimerHelp": "Esto se mostrara al final de la pagina de inicio de sesi\u00f3n.",
+ "LabelAutomaticallyDonate": "Donar autom\u00e1ticamente este monto cada mes",
+ "LabelAutomaticallyDonateHelp": "Puedes cancelarlo en cualquier momento por medio de tu cuenta PayPal.",
+ "OptionList": "Lista",
+ "TabDashboard": "Panel de Control",
+ "TitleServer": "Servidor",
+ "LabelCache": "Cach\u00e9:",
+ "LabelLogs": "Bit\u00e1coras:",
+ "LabelMetadata": "Metadatos:",
+ "LabelImagesByName": "Im\u00e1genes por nombre:",
+ "LabelTranscodingTemporaryFiles": "Archivos temporales de transcodificaci\u00f3n:",
+ "HeaderLatestMusic": "M\u00fasica Reciente",
+ "HeaderBranding": "Establecer Marca",
+ "HeaderApiKeys": "Llaves de API",
+ "HeaderApiKeysHelp": "Las aplicaciones externas requieren de una llave de API para comunicarse con Media Browser. Las llaves son otorgadas al iniciar sesi\u00f3n con una cuenta de Media Browser; o bien, otorgando manualmente una llave a la aplicaci\u00f3n.",
+ "HeaderApiKey": "Llave de API",
+ "HeaderApp": "App",
+ "HeaderDevice": "Dispositivo",
+ "HeaderUser": "Usuario",
+ "HeaderDateIssued": "Fecha de Emisi\u00f3n",
+ "LabelChapterName": "Cap\u00edtulo {0}",
+ "HeaderNewApiKey": "Nueva llave de API",
+ "LabelAppName": "Nombre del App",
+ "LabelAppNameExample": "Ejemplo: Sickbeard, NzbDrone",
+ "HeaderNewApiKeyHelp": "Otorgar persmiso a una aplicaci\u00f3n para comunicarse con Media Browser.",
+ "HeaderHttpHeaders": "Encabezados Http",
+ "HeaderIdentificationHeader": "Encabezado de Identificaci\u00f3n",
+ "LabelValue": "Valor:",
+ "LabelMatchType": "Tipo de Coincidencia:",
+ "OptionEquals": "Igual a",
+ "OptionRegex": "Regex",
+ "OptionSubstring": "Subcadena",
+ "TabView": "Vista",
+ "TabSort": "Ordenaci\u00f3n",
+ "TabFilter": "Filtro",
+ "ButtonView": "Vista",
+ "LabelPageSize": "Cantidad de \u00cdtems:",
+ "LabelPath": "Trayectoria:",
+ "LabelView": "Vista:",
+ "TabUsers": "Usuarios",
+ "LabelSortName": "Nombre para ordenar:",
+ "LabelDateAdded": "Fecha de adici\u00f3n:",
+ "HeaderFeatures": "Caracter\u00edsticas",
+ "HeaderAdvanced": "Avanzado"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/fi.json b/MediaBrowser.Server.Implementations/Localization/Server/fi.json
new file mode 100644
index 0000000000..b2bbbe9416
--- /dev/null
+++ b/MediaBrowser.Server.Implementations/Localization/Server/fi.json
@@ -0,0 +1,1257 @@
+{
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
+ "LabelLoginDisclaimer": "Login disclaimer:",
+ "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
+ "LabelAutomaticallyDonate": "Automatically donate this amount every month",
+ "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
+ "OptionList": "List",
+ "TabDashboard": "Dashboard",
+ "TitleServer": "Server",
+ "LabelCache": "Cache:",
+ "LabelLogs": "Logs:",
+ "LabelMetadata": "Metadata:",
+ "LabelImagesByName": "Images by name:",
+ "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
+ "HeaderLatestMusic": "Latest Music",
+ "HeaderBranding": "Branding",
+ "HeaderApiKeys": "Api Keys",
+ "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
+ "HeaderApiKey": "Api Key",
+ "HeaderApp": "App",
+ "HeaderDevice": "Device",
+ "HeaderUser": "User",
+ "HeaderDateIssued": "Date Issued",
+ "LabelChapterName": "Chapter {0}",
+ "HeaderNewApiKey": "New Api Key",
+ "LabelAppName": "App name",
+ "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
+ "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
+ "HeaderHttpHeaders": "Http Headers",
+ "HeaderIdentificationHeader": "Identification Header",
+ "LabelValue": "Value:",
+ "LabelMatchType": "Match type:",
+ "OptionEquals": "Equals",
+ "OptionRegex": "Regex",
+ "OptionSubstring": "Substring",
+ "TabView": "View",
+ "TabSort": "Sort",
+ "TabFilter": "Filter",
+ "ButtonView": "View",
+ "LabelPageSize": "Item limit:",
+ "LabelPath": "Path:",
+ "LabelView": "View:",
+ "TabUsers": "Users",
+ "LabelSortName": "Sort name:",
+ "LabelDateAdded": "Date added:",
+ "HeaderFeatures": "Features",
+ "HeaderAdvanced": "Advanced",
+ "ButtonSync": "Sync",
+ "TabScheduledTasks": "Scheduled Tasks",
+ "HeaderChapters": "Chapters",
+ "HeaderResumeSettings": "Resume Settings",
+ "TabSync": "Sync",
+ "TitleUsers": "Users",
+ "LabelProtocol": "Protocol:",
+ "OptionProtocolHttp": "Http",
+ "OptionProtocolHls": "Http Live Streaming",
+ "LabelContext": "Context:",
+ "OptionContextStreaming": "Streaming",
+ "OptionContextStatic": "Sync",
+ "ButtonAddToPlaylist": "Add to playlist",
+ "TabPlaylists": "Playlists",
+ "ButtonClose": "Close",
+ "LabelAllLanguages": "All languages",
+ "HeaderBrowseOnlineImages": "Browse Online Images",
+ "LabelSource": "Source:",
+ "OptionAll": "All",
+ "LabelImage": "Image:",
+ "ButtonBrowseImages": "Browse Images",
+ "HeaderImages": "Images",
+ "HeaderBackdrops": "Backdrops",
+ "HeaderScreenshots": "Screenshots",
+ "HeaderAddUpdateImage": "Add\/Update Image",
+ "LabelJpgPngOnly": "JPG\/PNG only",
+ "LabelImageType": "Image type:",
+ "OptionPrimary": "Primary",
+ "OptionArt": "Art",
+ "OptionBox": "Box",
+ "OptionBoxRear": "Box rear",
+ "OptionDisc": "Disc",
+ "OptionLogo": "Logo",
+ "OptionMenu": "Menu",
+ "OptionScreenshot": "Screenshot",
+ "OptionLocked": "Locked",
+ "OptionUnidentified": "Unidentified",
+ "OptionMissingParentalRating": "Missing parental rating",
+ "OptionStub": "Stub",
+ "HeaderEpisodes": "Episodes:",
+ "OptionSeason0": "Season 0",
+ "LabelReport": "Report:",
+ "OptionReportSongs": "Songs",
+ "OptionReportSeries": "Series",
+ "OptionReportSeasons": "Seasons",
+ "OptionReportTrailers": "Trailers",
+ "OptionReportMusicVideos": "Music videos",
+ "OptionReportMovies": "Movies",
+ "OptionReportHomeVideos": "Home videos",
+ "OptionReportGames": "Games",
+ "OptionReportEpisodes": "Episodes",
+ "OptionReportCollections": "Collections",
+ "OptionReportBooks": "Books",
+ "OptionReportArtists": "Artists",
+ "OptionReportAlbums": "Albums",
+ "OptionReportAdultVideos": "Adult videos",
+ "ButtonMore": "More",
+ "HeaderActivity": "Activity",
+ "ScheduledTaskStartedWithName": "{0} started",
+ "ScheduledTaskCancelledWithName": "{0} was cancelled",
+ "ScheduledTaskCompletedWithName": "{0} completed",
+ "ScheduledTaskFailed": "Scheduled task completed",
+ "PluginInstalledWithName": "{0} was installed",
+ "PluginUpdatedWithName": "{0} was updated",
+ "PluginUninstalledWithName": "{0} was uninstalled",
+ "ScheduledTaskFailedWithName": "{0} failed",
+ "ItemAddedWithName": "{0} was added to the library",
+ "ItemRemovedWithName": "{0} was removed from the library",
+ "DeviceOnlineWithName": "{0} is connected",
+ "UserOnlineFromDevice": "{0} is online from {1}",
+ "DeviceOfflineWithName": "{0} has disconnected",
+ "UserOfflineFromDevice": "{0} has disconnected from {1}",
+ "SubtitlesDownloadedForItem": "Subtitles downloaded for {0}",
+ "SubtitleDownloadFailureForItem": "Subtitles failed to download for {0}",
+ "LabelRunningTimeValue": "Running time: {0}",
+ "LabelIpAddressValue": "Ip address: {0}",
+ "UserConfigurationUpdatedWithName": "User configuration has been updated for {0}",
+ "UserCreatedWithName": "User {0} has been created",
+ "UserPasswordChangedWithName": "Password has been changed for user {0}",
+ "UserDeletedWithName": "User {0} has been deleted",
+ "MessageServerConfigurationUpdated": "Server configuration has been updated",
+ "MessageNamedServerConfigurationUpdatedWithValue": "Server configuration section {0} has been updated",
+ "MessageApplicationUpdated": "Media Browser Server has been updated",
+ "AuthenticationSucceededWithUserName": "{0} successfully authenticated",
+ "FailedLoginAttemptWithUserName": "Failed login attempt from {0}",
+ "UserStartedPlayingItemWithValues": "{0} has started playing {1}",
+ "UserStoppedPlayingItemWithValues": "{0} has stopped playing {1}",
+ "AppDeviceValues": "App: {0}, Device: {1}",
+ "ProviderValue": "Provider: {0}",
+ "LabelChannelDownloadSizeLimit": "Download size limit (GB):",
+ "LabelChannelDownloadSizeLimitHelpText": "Limit the size of the channel download folder.",
+ "HeaderRecentActivity": "Recent Activity",
+ "HeaderPeople": "People",
+ "HeaderDownloadPeopleMetadataFor": "Download biography and images for:",
+ "OptionComposers": "Composers",
+ "OptionOthers": "Others",
+ "HeaderDownloadPeopleMetadataForHelp": "Enabling additional options will provide more on-screen information but will result in slower library scans.",
+ "ViewTypeFolders": "Folders",
+ "LabelDisplayFoldersView": "Display a folders view to show plain media folders",
+ "ViewTypeLiveTvRecordingGroups": "Recordings",
+ "ViewTypeLiveTvChannels": "Channels",
+ "LabelAllowLocalAccessWithoutPassword": "Allow local access without a password",
+ "LabelAllowLocalAccessWithoutPasswordHelp": "When enabled, a password will not be required when signing in from within your home network.",
+ "HeaderPassword": "Password",
+ "HeaderLocalAccess": "Local Access",
+ "HeaderViewOrder": "View Order",
+ "LabelSelectUserViewOrder": "Choose the order your views will be displayed in within Media Browser apps",
+ "LabelMetadataRefreshMode": "Metadata refresh mode:",
+ "LabelImageRefreshMode": "Image refresh mode:",
+ "OptionDownloadMissingImages": "Download missing images",
+ "OptionReplaceExistingImages": "Replace existing images",
+ "OptionRefreshAllData": "Refresh all data",
+ "OptionAddMissingDataOnly": "Add missing data only",
+ "OptionLocalRefreshOnly": "Local refresh only",
+ "HeaderRefreshMetadata": "Refresh Metadata",
+ "HeaderPersonInfo": "Person Info",
+ "HeaderIdentifyItem": "Identify Item",
+ "HeaderIdentifyItemHelp": "Enter one or more search criteria. Remove criteria to increase search results.",
+ "HeaderConfirmDeletion": "Confirm Deletion",
+ "LabelFollowingFileWillBeDeleted": "The following file will be deleted:",
+ "LabelIfYouWishToContinueWithDeletion": "If you wish to continue, please confirm by entering the value of:",
+ "ButtonIdentify": "Identify",
+ "LabelAlbumArtist": "Album artist:",
+ "LabelAlbum": "Album:",
+ "LabelCommunityRating": "Community rating:",
+ "LabelVoteCount": "Vote count:",
+ "LabelMetascore": "Metascore:",
+ "LabelCriticRating": "Critic rating:",
+ "LabelCriticRatingSummary": "Critic rating summary:",
+ "LabelAwardSummary": "Award summary:",
+ "LabelWebsite": "Website:",
+ "LabelTagline": "Tagline:",
+ "LabelOverview": "Overview:",
+ "LabelShortOverview": "Short overview:",
+ "LabelReleaseDate": "Release date:",
+ "LabelYear": "Year:",
+ "LabelPlaceOfBirth": "Place of birth:",
+ "LabelEndDate": "End date:",
+ "LabelAirDate": "Air days:",
+ "LabelAirTime:": "Air time:",
+ "LabelRuntimeMinutes": "Run time (minutes):",
+ "LabelParentalRating": "Parental rating:",
+ "LabelCustomRating": "Custom rating:",
+ "LabelBudget": "Budget",
+ "LabelRevenue": "Revenue ($):",
+ "LabelOriginalAspectRatio": "Original aspect ratio:",
+ "LabelPlayers": "Players:",
+ "Label3DFormat": "3D format:",
+ "HeaderAlternateEpisodeNumbers": "Alternate Episode Numbers",
+ "HeaderSpecialEpisodeInfo": "Special Episode Info",
+ "HeaderExternalIds": "External Id's:",
+ "LabelDvdSeasonNumber": "Dvd season number:",
+ "LabelDvdEpisodeNumber": "Dvd episode number:",
+ "LabelAbsoluteEpisodeNumber": "Absolute episode number:",
+ "LabelAirsBeforeSeason": "Airs before season:",
+ "LabelAirsAfterSeason": "Airs after season:",
+ "LabelAirsBeforeEpisode": "Airs before episode:",
+ "LabelTreatImageAs": "Treat image as:",
+ "LabelDisplayOrder": "Display order:",
+ "LabelDisplaySpecialsWithinSeasons": "Display specials within seasons they aired in",
+ "HeaderCountries": "Countries",
+ "HeaderGenres": "Genres",
+ "HeaderPlotKeywords": "Plot Keywords",
+ "HeaderStudios": "Studios",
+ "HeaderTags": "Tags",
+ "HeaderMetadataSettings": "Metadata Settings",
+ "LabelLockItemToPreventChanges": "Lock this item to prevent future changes",
+ "MessageLeaveEmptyToInherit": "Leave empty to inherit settings from a parent item, or the global default value.",
+ "TabDonate": "Donate",
+ "HeaderDonationType": "Donation type:",
+ "OptionMakeOneTimeDonation": "Make a separate donation",
+ "OptionOneTimeDescription": "This is an additional donation to the team to show your support. It does not have any additional benefits and will not produce a supporter key.",
+ "OptionLifeTimeSupporterMembership": "Lifetime supporter membership",
+ "OptionYearlySupporterMembership": "Yearly supporter membership",
+ "OptionMonthlySupporterMembership": "Monthly supporter membership",
+ "HeaderSupporterBenefit": "A supporter membership provides additional benefits such as access to premium plugins, internet channel content, and more.",
+ "OptionNoTrailer": "No Trailer",
+ "OptionNoThemeSong": "No Theme Song",
+ "OptionNoThemeVideo": "No Theme Video",
+ "LabelOneTimeDonationAmount": "Donation amount:",
+ "OptionActor": "Actor",
+ "OptionComposer": "Composer",
+ "OptionDirector": "Director",
+ "OptionGuestStar": "Guest star",
+ "OptionProducer": "Producer",
+ "OptionWriter": "Writer",
+ "LabelAirDays": "Air days:",
+ "LabelAirTime": "Air time:",
+ "HeaderMediaInfo": "Media Info",
+ "HeaderPhotoInfo": "Photo Info",
+ "HeaderInstall": "Install",
+ "LabelSelectVersionToInstall": "Select version to install:",
+ "LinkSupporterMembership": "Learn about the Supporter Membership",
+ "MessageSupporterPluginRequiresMembership": "This plugin will require an active supporter membership after the 14 day free trial.",
+ "MessagePremiumPluginRequiresMembership": "This plugin will require an active supporter membership in order to purchase after the 14 day free trial.",
+ "HeaderReviews": "Reviews",
+ "HeaderDeveloperInfo": "Developer Info",
+ "HeaderRevisionHistory": "Revision History",
+ "ButtonViewWebsite": "View website",
+ "LabelRecurringDonationCanBeCancelledHelp": "Recurring donations can be cancelled at any time from within your PayPal account.",
+ "HeaderXmlSettings": "Xml Settings",
+ "HeaderXmlDocumentAttributes": "Xml Document Attributes",
+ "HeaderXmlDocumentAttribute": "Xml Document Attribute",
+ "XmlDocumentAttributeListHelp": "These attributes are applied to the root element of every xml response.",
+ "OptionSaveMetadataAsHidden": "Save metadata and images as hidden files",
+ "LabelExtractChaptersDuringLibraryScan": "Extract chapter images during the library scan",
+ "LabelExtractChaptersDuringLibraryScanHelp": "If enabled, chapter images will be extracted when videos are imported during the library scan. If disabled they will be extracted during the chapter images scheduled task, allowing the regular library scan to complete faster.",
+ "LabelConnectGuestUserName": "Their Media Browser username or email address:",
+ "LabelConnectUserName": "Media Browser username\/email:",
+ "LabelConnectUserNameHelp": "Connect this user to a Media Browser account to enable easy sign-in access from Media Browser any app without having to know the server ip address.",
+ "ButtonLearnMoreAboutMediaBrowserConnect": "Learn more about Media Browser Connect",
+ "LabelExternalPlayers": "External players:",
+ "LabelExternalPlayersHelp": "Display buttons to play content in external players. This is only available on devices that support url schemes, generally Android and iOS. With external players there is generally no support for remote control or resuming.",
+ "HeaderSubtitleProfile": "Subtitle Profile",
+ "HeaderSubtitleProfiles": "Subtitle Profiles",
+ "HeaderSubtitleProfilesHelp": "Subtitle profiles describe the subtitle formats supported by the device.",
+ "LabelFormat": "Format:",
+ "LabelMethod": "Method:",
+ "LabelDidlMode": "Didl mode:",
+ "OptionCaptionInfoExSamsung": "CaptionInfoEx (Samsung)",
+ "OptionResElement": "res element",
+ "OptionEmbedSubtitles": "Embed within container",
+ "OptionExternallyDownloaded": "External download",
+ "OptionHlsSegmentedSubtitles": "Hls segmented subtitles",
+ "LabelSubtitleFormatHelp": "Example: srt",
+ "ButtonLearnMore": "Learn more",
+ "TabPlayback": "Playback",
+ "HeaderTrailersAndExtras": "Trailers & Extras",
+ "OptionFindTrailers": "Find trailers from the internet automatically",
+ "HeaderLanguagePreferences": "Language Preferences",
+ "TabCinemaMode": "Cinema Mode",
+ "TitlePlayback": "Playback",
+ "LabelEnableCinemaModeFor": "Enable cinema mode for:",
+ "CinemaModeConfigurationHelp": "Cinema mode brings the theater experience straight to your living room with the ability to play trailers and custom intros before the main feature.",
+ "OptionTrailersFromMyMovies": "Include trailers from movies in my library",
+ "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies",
+ "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content",
+ "LabelEnableIntroParentalControl": "Enable smart parental control",
+ "LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.",
+ "LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.",
+ "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.",
+ "LabelCustomIntrosPath": "Custom intros path:",
+ "LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.",
+ "ValueSpecialEpisodeName": "Special - {0}",
+ "LabelSelectInternetTrailersForCinemaMode": "Internet trailers:",
+ "OptionUpcomingDvdMovies": "Include trailers from new and upcoming movies on Dvd & Blu-ray",
+ "OptionUpcomingStreamingMovies": "Include trailers from new and upcoming movies on Netflix",
+ "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions",
+ "LabelDisplayTrailersWithinMovieSuggestionsHelp": "Requires installation of the Trailer channel.",
+ "CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.",
+ "LabelEnableCinemaMode": "Enable cinema mode",
+ "HeaderCinemaMode": "Cinema Mode",
+ "HeaderWelcomeToMediaBrowserServerDashboard": "Welcome to the Media Browser Dashboard",
+ "LabelDateAddedBehavior": "Date added behavior for new content:",
+ "OptionDateAddedImportTime": "Use date scanned into the library",
+ "OptionDateAddedFileTime": "Use file creation date",
+ "LabelDateAddedBehaviorHelp": "If a metadata value is present it will always be used before either of these options.",
+ "LabelNumberTrailerToPlay": "Number of trailers to play:",
+ "TitleDevices": "Devices",
+ "TabCameraUpload": "Camera Upload",
+ "TabDevices": "Devices",
+ "HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Media Browser.",
+ "MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.",
+ "LabelCameraUploadPath": "Camera upload path:",
+ "LabelCameraUploadPathHelp": "Select a custom upload path, if desired. If unspecified a default folder will be used.",
+ "LabelCreateCameraUploadSubfolder": "Create a subfolder for each device",
+ "LabelCreateCameraUploadSubfolderHelp": "Specific folders can be assigned to a device by clicking on it from the Devices page.",
+ "LabelCustomDeviceDisplayName": "Display name:",
+ "LabelCustomDeviceDisplayNameHelp": "Supply a custom display name or leave empty to use the name reported by the device.",
+ "HeaderInviteUser": "Invite User",
+ "LabelConnectGuestUserNameHelp": "This is the username that your friend uses to sign in to the Media Browser website, or their email address.",
+ "HeaderInviteUserHelp": "Sharing your media with friends is easier than ever before with Media Browser Connect.",
+ "ButtonSendInvitation": "Send Invitation",
+ "HeaderGuests": "Guests",
+ "HeaderLocalUsers": "Local Users",
+ "HeaderPendingInvitations": "Pending Invitations",
+ "TabParentalControl": "Parental Control",
+ "HeaderAccessSchedule": "Access Schedule",
+ "HeaderAccessScheduleHelp": "Create an access schedule to limit access to certain hours.",
+ "ButtonAddSchedule": "Add Schedule",
+ "LabelAccessDay": "Day of week:",
+ "LabelAccessStart": "Start time:",
+ "LabelAccessEnd": "End time:",
+ "HeaderSchedule": "Schedule",
+ "OptionEveryday": "Every day",
+ "OptionWeekdays": "Weekdays",
+ "OptionWeekends": "Weekends",
+ "MessageProfileInfoSynced": "User profile information synced with Media Browser Connect.",
+ "HeaderOptionalLinkMediaBrowserAccount": "Optional: Link your Media Browser account",
+ "ButtonTrailerReel": "Trailer reel",
+ "HeaderTrailerReel": "Trailer Reel",
+ "OptionPlayUnwatchedTrailersOnly": "Play only unwatched trailers",
+ "HeaderTrailerReelHelp": "Start a trailer reel to play a long running playlist of trailers.",
+ "MessageNoTrailersFound": "No trailers found. Install the Trailer channel plugin to import a library of internet trailers.",
+ "HeaderNewUsers": "New Users",
+ "ButtonSignUp": "Sign up",
+ "ButtonForgotPassword": "Forgot password?",
+ "OptionDisableUserPreferences": "Disable access to user preferences",
+ "OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.",
+ "HeaderSelectServer": "Select Server",
+ "MessageNoServersAvailableToConnect": "No servers are available to connect to. If you've been invited to share a server, make sure to confirm it by clicking the link in the email.",
+ "TitleNewUser": "New User",
+ "ButtonConfigurePassword": "Configure Password",
+ "HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
+ "HeaderLibraryAccess": "Library Access",
+ "HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
+ "LabelExit": "Poistu",
+ "LabelVisitCommunity": "K\u00e4y Yhteis\u00f6ss\u00e4",
+ "LabelGithubWiki": "Github Wiki",
+ "LabelSwagger": "Swagger",
+ "LabelStandard": "Normaali",
+ "LabelViewApiDocumentation": "Katso Api Dokumenttia",
+ "LabelBrowseLibrary": "Selaa Kirjastoa",
+ "LabelConfigureMediaBrowser": "Configuroi Media Browseria",
+ "LabelOpenLibraryViewer": "Avaa Library Viewer",
+ "LabelRestartServer": "K\u00e4ynnist\u00e4 Palvelin uudelleen",
+ "LabelShowLogWindow": "N\u00e4yt\u00e4 Loki Ikkuna",
+ "LabelPrevious": "Edellinen",
+ "LabelFinish": "Valmis",
+ "LabelNext": "Seuraava",
+ "LabelYoureDone": "Olet valmis!",
+ "WelcomeToMediaBrowser": "Tervetuloa Media Browseriin!",
+ "TitleMediaBrowser": "Media Browser",
+ "ThisWizardWillGuideYou": "T\u00e4m\u00e4 ty\u00f6kalu auttaa sinua asennus prosessin aikana. loittaaksesi valitse kieli.",
+ "TellUsAboutYourself": "Kerro meille itsest\u00e4si",
+ "LabelYourFirstName": "Sinun ensimm\u00e4inen nimi:",
+ "MoreUsersCanBeAddedLater": "K\u00e4ytt\u00e4ji\u00e4 voi lis\u00e4t\u00e4 lis\u00e4\u00e4 my\u00f6hemmin Dashboardista",
+ "UserProfilesIntro": "Media Browser sis\u00e4lt\u00e4\u00e4 sis\u00e4\u00e4nrakenntun tuen k\u00e4ytt\u00e4j\u00e4 profiileille, omat asetukset jokaiselle, paystate ja rinnakkaisen hallinnan.",
+ "LabelWindowsService": "Windows Service",
+ "AWindowsServiceHasBeenInstalled": "Windows Service on asennettu.",
+ "WindowsServiceIntro1": "Media Browser palvelin normaalisti toimii ty\u00f6p\u00f6yt\u00e4 sovelluksena teht\u00e4v\u00e4 palkissa, mutta jos sin\u00e4 haluat mielummin pit\u00e4\u00e4 sen piilossa, se voidaan my\u00f6s k\u00e4ynnist\u00e4\u00e4 windowsin service hallinnasta k\u00e4sin.",
+ "WindowsServiceIntro2": "Jos k\u00e4yt\u00e4t windows service\u00e4, ole hyv\u00e4 ja ota huomioon ettet voi k\u00e4ytt\u00e4\u00e4 ohjelmaa yht\u00e4aikaa teht\u00e4v\u00e4palkissa ja servicen\u00e4, joten sinun t\u00e4ytyy sulkea teht\u00e4v\u00e4palkin ikoni ensin kuin voit k\u00e4ytt\u00e4\u00e4 palvelinta servicen kautta. Service pit\u00e4\u00e4 konfiguroida my\u00f6s j\u00e4rjestelm\u00e4nvalvojan oikeuksilla ohjaus paneelista. Ota my\u00f6s huomioon, ett\u00e4 ohjelma pit\u00e4\u00e4 my\u00f6s p\u00e4ivitt\u00e4\u00e4 service palvelussa manuaalisesti.",
+ "WizardCompleted": "T\u00e4ss\u00e4 on kaikki mit\u00e4 tarvimme t\u00e4h\u00e4n menness\u00e4. Media Browser on alkanut etsim\u00e4\u00e4n tietoa media kansioistasi. Katso meid\u00e4n uusimat sovellukset aja klikkaa sitten Valmis<\/b>katsoaksesiEtusivua<\/b>",
+ "LabelConfigureSettings": "Muuta asetuksia",
+ "LabelEnableVideoImageExtraction": "Ota video kuvan purku k\u00e4ytt\u00f6\u00f6n",
+ "VideoImageExtractionHelp": "Videot jotka eiv\u00e4t sisll\u00e4 valmiiksi kuvaa ja emme voi lis\u00e4t\u00e4 kuvaa automaattisesti internetist\u00e4. T\u00e4m\u00e4 lis\u00e4\u00e4 v\u00e4h\u00e4n lataus aikaa kirjaston tarkastuksessa.",
+ "LabelEnableChapterImageExtractionForMovies": "Valitse luvun kuva Elokuville",
+ "LabelChapterImageExtractionForMoviesHelp": "Kansien talteen otetut kuvat tulee n\u00e4kym\u00e4\u00e4n graafisesti asiakkaan moniruutu valikossa. Prosessi voi olla hidas, cpu-intensiivinen ja voi vaatio muutaman gigabitin tilaa levylt\u00e4. T\u00e4m\u00e4 prosesi tapahtuu ajastetusti kello 4.00, joten t\u00e4t\u00e4 aikaa voi muuttaa ajastettujen toimintojen kohdasta. Huomaa ett\u00e4 ei ole suositeltavaa suorittaa t\u00e4t\u00e4 toiminpidett\u00e4 yht\u00e4aikaa, kun konetta kuormitetaan muutenkin paljon.",
+ "LabelEnableAutomaticPortMapping": "Ota automaattinen porttien mapping k\u00e4ytt\u00f6\u00f6n",
+ "LabelEnableAutomaticPortMappingHelp": "UPnP sallii automaattisen reitittimen asetusten muuttamisen. T\u00e4m\u00e4 ei mahdollisesti toimi joidenkin retititin mallien kanssa.",
+ "ButtonOk": "Ok",
+ "ButtonCancel": "Lopeta",
+ "ButtonNew": "New",
+ "HeaderSetupLibrary": "Aseta sinun media kirjasto",
+ "ButtonAddMediaFolder": "Lis\u00e4\u00e4 media kansio",
+ "LabelFolderType": "Kansion tyyppi:",
+ "MediaFolderHelpPluginRequired": "* Vaatii lis\u00e4osan, kuten GameBrowser tai MB Bookshelf.",
+ "ReferToMediaLibraryWiki": "Viittus media kirjaston wikiin.",
+ "LabelCountry": "Maa:",
+ "LabelLanguage": "Kieli:",
+ "HeaderPreferredMetadataLanguage": "Ensisijainen kieli:",
+ "LabelSaveLocalMetadata": "Tallenna kuvamateriaali ja metadata media kansioihin.",
+ "LabelSaveLocalMetadataHelp": "Kuvamateriaalin ja metadatan tallentaminen suoraan kansioihin miss\u00e4 niit\u00e4 on helppo muuttaa.",
+ "LabelDownloadInternetMetadata": "Lataa kuvamateriaali ja metadata internetist\u00e4",
+ "LabelDownloadInternetMetadataHelp": "Media Browser voi ladata tietoa, saadakseensa hienompia esityksi\u00e4.",
+ "TabPreferences": "Asetukset",
+ "TabPassword": "Salasana",
+ "TabLibraryAccess": "Kirjaston P\u00e4\u00e4sy",
+ "TabImage": "Kuva",
+ "TabProfile": "Profiili",
+ "TabMetadata": "Metadata",
+ "TabImages": "Images",
+ "TabNotifications": "Notifications",
+ "TabCollectionTitles": "Titles",
+ "LabelDisplayMissingEpisodesWithinSeasons": "N\u00e4yt\u00e4 puuttuvat jaksot tuotantokausissa",
+ "LabelUnairedMissingEpisodesWithinSeasons": "N\u00e4yt\u00e4 julkaisemattomat jaksot tuotantokausissa",
+ "HeaderVideoPlaybackSettings": "Videon Toistamisen Asetukset",
+ "HeaderPlaybackSettings": "Playback Settings",
+ "LabelAudioLanguagePreference": "\u00c4\u00e4nen ensisijainen kieli:",
+ "LabelSubtitleLanguagePreference": "Tekstityksien ensisijainen kieli:",
+ "OptionDefaultSubtitles": "Default",
+ "OptionOnlyForcedSubtitles": "Only forced subtitles",
+ "OptionAlwaysPlaySubtitles": "Always play subtitles",
+ "OptionNoSubtitles": "No Subtitles",
+ "OptionDefaultSubtitlesHelp": "Subtitles matching the language preference will be loaded when the audio is in a foreign language.",
+ "OptionOnlyForcedSubtitlesHelp": "Only subtitles marked as forced will be loaded.",
+ "OptionAlwaysPlaySubtitlesHelp": "Subtitles matching the language preference will be loaded regardless of the audio language.",
+ "OptionNoSubtitlesHelp": "Subtitles will not be loaded by default.",
+ "TabProfiles": "Profiilit",
+ "TabSecurity": "Suojaus",
+ "ButtonAddUser": "Lis\u00e4\u00e4 K\u00e4ytt\u00e4j\u00e4",
+ "ButtonAddLocalUser": "Add Local User",
+ "ButtonInviteUser": "Invite User",
+ "ButtonSave": "Tallenna",
+ "ButtonResetPassword": "Uusi Salasana",
+ "LabelNewPassword": "Uusi salasana:",
+ "LabelNewPasswordConfirm": "Uuden salasanan varmistus:",
+ "HeaderCreatePassword": "Luo Salasana:",
+ "LabelCurrentPassword": "T\u00e4m\u00e4n hetkinen salsana:",
+ "LabelMaxParentalRating": "Suurin sallittu vanhempien arvostelu:",
+ "MaxParentalRatingHelp": "Suuremman arvosanan takia, sis\u00e4lt\u00f6 tulla piilottamaan k\u00e4ytt\u00e4j\u00e4lt\u00e4.",
+ "LibraryAccessHelp": "Valitse media kansiot jotka haluat jakaa t\u00e4m\u00e4n k\u00e4ytt\u00e4j\u00e4n kanssa. J\u00e4rjestelm\u00e4nvalvoja pystyy muokkaamaan kaikkia kansioita k\u00e4ytt\u00e4en metadata hallintaa.",
+ "ChannelAccessHelp": "Select the channels to share with this user. Administrators will be able to edit all channels using the metadata manager.",
+ "ButtonDeleteImage": "Poista Kuva",
+ "LabelSelectUsers": "Select users:",
+ "ButtonUpload": "Upload",
+ "HeaderUploadNewImage": "Upload New Image",
+ "LabelDropImageHere": "Drop image here",
+ "ImageUploadAspectRatioHelp": "1:1 Aspect Ratio Recommended. JPG\/PNG only.",
+ "MessageNothingHere": "Nothing here.",
+ "MessagePleaseEnsureInternetMetadata": "Please ensure downloading of internet metadata is enabled.",
+ "TabSuggested": "Suggested",
+ "TabLatest": "Latest",
+ "TabUpcoming": "Upcoming",
+ "TabShows": "Shows",
+ "TabEpisodes": "Episodes",
+ "TabGenres": "Genres",
+ "TabPeople": "People",
+ "TabNetworks": "Networks",
+ "HeaderUsers": "Users",
+ "HeaderFilters": "Filters:",
+ "ButtonFilter": "Filter",
+ "OptionFavorite": "Favorites",
+ "OptionLikes": "Likes",
+ "OptionDislikes": "Dislikes",
+ "OptionActors": "Actors",
+ "OptionGuestStars": "Guest Stars",
+ "OptionDirectors": "Directors",
+ "OptionWriters": "Writers",
+ "OptionProducers": "Producers",
+ "HeaderResume": "Resume",
+ "HeaderNextUp": "Next Up",
+ "NoNextUpItemsMessage": "None found. Start watching your shows!",
+ "HeaderLatestEpisodes": "Latest Episodes",
+ "HeaderPersonTypes": "Person Types:",
+ "TabSongs": "Songs",
+ "TabAlbums": "Albums",
+ "TabArtists": "Artists",
+ "TabAlbumArtists": "Album Artists",
+ "TabMusicVideos": "Music Videos",
+ "ButtonSort": "Sort",
+ "HeaderSortBy": "Sort By:",
+ "HeaderSortOrder": "Sort Order:",
+ "OptionPlayed": "Played",
+ "OptionUnplayed": "Unplayed",
+ "OptionAscending": "Ascending",
+ "OptionDescending": "Descending",
+ "OptionRuntime": "Runtime",
+ "OptionReleaseDate": "Release Date",
+ "OptionPlayCount": "Play Count",
+ "OptionDatePlayed": "Date Played",
+ "OptionDateAdded": "Date Added",
+ "OptionAlbumArtist": "Album Artist",
+ "OptionArtist": "Artist",
+ "OptionAlbum": "Album",
+ "OptionTrackName": "Track Name",
+ "OptionCommunityRating": "Community Rating",
+ "OptionNameSort": "Name",
+ "OptionFolderSort": "Folders",
+ "OptionBudget": "Budget",
+ "OptionRevenue": "Revenue",
+ "OptionPoster": "Poster",
+ "OptionBackdrop": "Backdrop",
+ "OptionTimeline": "Timeline",
+ "OptionThumb": "Thumb",
+ "OptionBanner": "Banner",
+ "OptionCriticRating": "Critic Rating",
+ "OptionVideoBitrate": "Video Bitrate",
+ "OptionResumable": "Resumable",
+ "ScheduledTasksHelp": "Click a task to adjust its schedule.",
+ "ScheduledTasksTitle": "Scheduled Tasks",
+ "TabMyPlugins": "My Plugins",
+ "TabCatalog": "Catalog",
+ "PluginsTitle": "Plugins",
+ "HeaderAutomaticUpdates": "Automatic Updates",
+ "HeaderNowPlaying": "Now Playing",
+ "HeaderLatestAlbums": "Latest Albums",
+ "HeaderLatestSongs": "Latest Songs",
+ "HeaderRecentlyPlayed": "Recently Played",
+ "HeaderFrequentlyPlayed": "Frequently Played",
+ "DevBuildWarning": "Dev builds are the bleeding edge. Released often, these build have not been tested. The application may crash and entire features may not work at all.",
+ "LabelVideoType": "Video Type:",
+ "OptionBluray": "Bluray",
+ "OptionDvd": "Dvd",
+ "OptionIso": "Iso",
+ "Option3D": "3D",
+ "LabelFeatures": "Features:",
+ "LabelService": "Service:",
+ "LabelStatus": "Status:",
+ "LabelVersion": "Version:",
+ "LabelLastResult": "Last result:",
+ "OptionHasSubtitles": "Subtitles",
+ "OptionHasTrailer": "Trailer",
+ "OptionHasThemeSong": "Theme Song",
+ "OptionHasThemeVideo": "Theme Video",
+ "TabMovies": "Movies",
+ "TabStudios": "Studios",
+ "TabTrailers": "Trailers",
+ "LabelArtists": "Artists:",
+ "LabelArtistsHelp": "Separate multiple using ;",
+ "HeaderLatestMovies": "Latest Movies",
+ "HeaderLatestTrailers": "Latest Trailers",
+ "OptionHasSpecialFeatures": "Special Features",
+ "OptionImdbRating": "IMDb Rating",
+ "OptionParentalRating": "Parental Rating",
+ "OptionPremiereDate": "Premiere Date",
+ "TabBasic": "Basic",
+ "TabAdvanced": "Advanced",
+ "HeaderStatus": "Status",
+ "OptionContinuing": "Continuing",
+ "OptionEnded": "Ended",
+ "HeaderAirDays": "Air Days",
+ "OptionSunday": "Sunday",
+ "OptionMonday": "Monday",
+ "OptionTuesday": "Tuesday",
+ "OptionWednesday": "Wednesday",
+ "OptionThursday": "Thursday",
+ "OptionFriday": "Friday",
+ "OptionSaturday": "Saturday",
+ "HeaderManagement": "Management",
+ "LabelManagement": "Management:",
+ "OptionMissingImdbId": "Missing IMDb Id",
+ "OptionMissingTvdbId": "Missing TheTVDB Id",
+ "OptionMissingOverview": "Missing Overview",
+ "OptionFileMetadataYearMismatch": "File\/Metadata Years Mismatched",
+ "TabGeneral": "General",
+ "TitleSupport": "Support",
+ "TabLog": "Log",
+ "TabAbout": "About",
+ "TabSupporterKey": "Supporter Key",
+ "TabBecomeSupporter": "Become a Supporter",
+ "MediaBrowserHasCommunity": "Media Browser has a thriving community of users and contributors.",
+ "CheckoutKnowledgeBase": "Check out our knowledge base to help you get the most out of Media Browser.",
+ "SearchKnowledgeBase": "Search the Knowledge Base",
+ "VisitTheCommunity": "Visit the Community",
+ "VisitMediaBrowserWebsite": "Visit the Media Browser Web Site",
+ "VisitMediaBrowserWebsiteLong": "Visit the Media Browser Web site to catch the latest news and keep up with the developer blog.",
+ "OptionHideUser": "Hide this user from login screens",
+ "OptionDisableUser": "Disable this user",
+ "OptionDisableUserHelp": "If disabled the server will not allow any connections from this user. Existing connections will be abruptly terminated.",
+ "HeaderAdvancedControl": "Advanced Control",
+ "LabelName": "Name:",
+ "OptionAllowUserToManageServer": "Allow this user to manage the server",
+ "HeaderFeatureAccess": "Feature Access",
+ "OptionAllowMediaPlayback": "Allow media playback",
+ "OptionAllowBrowsingLiveTv": "Allow browsing of live tv",
+ "OptionAllowDeleteLibraryContent": "Allow this user to delete library content",
+ "OptionAllowManageLiveTv": "Allow management of live tv recordings",
+ "OptionAllowRemoteControlOthers": "Allow this user to remote control other users",
+ "OptionMissingTmdbId": "Missing Tmdb Id",
+ "OptionIsHD": "HD",
+ "OptionIsSD": "SD",
+ "OptionMetascore": "Metascore",
+ "ButtonSelect": "Select",
+ "ButtonGroupVersions": "Group Versions",
+ "ButtonAddToCollection": "Add to Collection",
+ "PismoMessage": "Utilizing Pismo File Mount through a donated license.",
+ "TangibleSoftwareMessage": "Utilizing Tangible Solutions Java\/C# converters through a donated license.",
+ "HeaderCredits": "Credits",
+ "PleaseSupportOtherProduces": "Please support other free products we utilize:",
+ "VersionNumber": "Version {0}",
+ "TabPaths": "Paths",
+ "TabServer": "Server",
+ "TabTranscoding": "Transcoding",
+ "TitleAdvanced": "Advanced",
+ "LabelAutomaticUpdateLevel": "Automatic update level",
+ "OptionRelease": "Virallinen Julkaisu",
+ "OptionBeta": "Beta",
+ "OptionDev": "Kehittely (Ei vakaa)",
+ "LabelAllowServerAutoRestart": "Allow the server to restart automatically to apply updates",
+ "LabelAllowServerAutoRestartHelp": "The server will only restart during idle periods, when no users are active.",
+ "LabelEnableDebugLogging": "Enable debug logging",
+ "LabelRunServerAtStartup": "Run server at startup",
+ "LabelRunServerAtStartupHelp": "This will start the tray icon on windows startup. To start the windows service, uncheck this and run the service from the windows control panel. Please note that you cannot run both at the same time, so you will need to exit the tray icon before starting the service.",
+ "ButtonSelectDirectory": "Select Directory",
+ "LabelCustomPaths": "Specify custom paths where desired. Leave fields empty to use the defaults.",
+ "LabelCachePath": "Cache path:",
+ "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.",
+ "LabelImagesByNamePath": "Images by name path:",
+ "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
+ "LabelMetadataPath": "Metadata path:",
+ "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
+ "LabelTranscodingTempPath": "Transcoding temporary path:",
+ "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
+ "TabBasics": "Basics",
+ "TabTV": "TV",
+ "TabGames": "Games",
+ "TabMusic": "Music",
+ "TabOthers": "Others",
+ "HeaderExtractChapterImagesFor": "Extract chapter images for:",
+ "OptionMovies": "Movies",
+ "OptionEpisodes": "Episodes",
+ "OptionOtherVideos": "Other Videos",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Image saving convention:",
+ "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Sign In",
+ "TitleSignIn": "Sign In",
+ "HeaderPleaseSignIn": "Please sign in",
+ "LabelUser": "User:",
+ "LabelPassword": "Password:",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Channels",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Channels",
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites"
+}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/fr.json b/MediaBrowser.Server.Implementations/Localization/Server/fr.json
index 75511c5588..b20100b6da 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/fr.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/fr.json
@@ -1,588 +1,4 @@
{
- "LabelMetadataDownloadLanguage": "Langue de t\u00e9l\u00e9chargement pr\u00e9f\u00e9r\u00e9e:",
- "ButtonAutoScroll": "D\u00e9filement automatique",
- "LabelImageSavingConvention": "Convention de sauvegarde des images:",
- "LabelImageSavingConventionHelp": "Media Browser reconnait les images des autres applications de m\u00e9dia importants. Choisir la convention de t\u00e9l\u00e9chargement peut \u00eatre pratique si vous utilisez aussi d'autres produits.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "Se connecter",
- "TitleSignIn": "Se connecter",
- "HeaderPleaseSignIn": "Merci de vous identifier",
- "LabelUser": "Utilisateur:",
- "LabelPassword": "Mot de passe:",
- "ButtonManualLogin": "Connexion manuelle",
- "PasswordLocalhostMessage": "Aucun mot de passe requis pour les connexions par \"localhost\".",
- "TabGuide": "Guide horaire",
- "TabChannels": "Cha\u00eenes",
- "TabCollections": "Collections",
- "HeaderChannels": "Cha\u00eenes",
- "TabRecordings": "Enregistrements",
- "TabScheduled": "Planifi\u00e9s",
- "TabSeries": "S\u00e9ries",
- "TabFavorites": "Favoris",
- "TabMyLibrary": "Ma Biblioth\u00e8que",
- "ButtonCancelRecording": "Annuler l'enregistrement",
- "HeaderPrePostPadding": "Pr\u00e9-remplissage",
- "LabelPrePaddingMinutes": "Minutes de Pr\u00e9-remplissage:",
- "OptionPrePaddingRequired": "Le pr\u00e9-remplissage est requis pour enregistrer.",
- "LabelPostPaddingMinutes": "Minutes de \"post-padding\":",
- "OptionPostPaddingRequired": "Le \"post-padding\" est requis pour enregistrer.",
- "HeaderWhatsOnTV": "\u00c0 l'affiche",
- "HeaderUpcomingTV": "TV \u00e0 venir",
- "TabStatus": "\u00c9tat",
- "TabSettings": "Param\u00e8tres",
- "ButtonRefreshGuideData": "Rafra\u00eechir les donn\u00e9es du guide horaire.",
- "ButtonRefresh": "Actualiser",
- "ButtonAdvancedRefresh": "Mise \u00e0 jour avanc\u00e9e",
- "OptionPriority": "Priorit\u00e9",
- "OptionRecordOnAllChannels": "Enregistrer le programme sur toutes les cha\u00eenes",
- "OptionRecordAnytime": "Enregistrer le programme \u00e0 n'importe quelle heure\/journ\u00e9e",
- "OptionRecordOnlyNewEpisodes": "Enregistrer seulement les nouvelles \u00e9pisodes",
- "HeaderDays": "Jours",
- "HeaderActiveRecordings": "Enregistrements actifs",
- "HeaderLatestRecordings": "Derniers enregistrements",
- "HeaderAllRecordings": "Tous les enregistrements",
- "ButtonPlay": "Lire",
- "ButtonEdit": "Modifier",
- "ButtonRecord": "Enregistrer",
- "ButtonDelete": "Supprimer",
- "ButtonRemove": "Supprimer",
- "OptionRecordSeries": "Enregistrer S\u00e9ries",
- "HeaderDetails": "D\u00e9tails",
- "TitleLiveTV": "TV en direct",
- "LabelNumberOfGuideDays": "Nombre de jours de donn\u00e9es du guide \u00e0 t\u00e9l\u00e9charger:",
- "LabelNumberOfGuideDaysHelp": "Le t\u00e9l\u00e9chargement de plus de journ\u00e9es dans le guide horaire offrira la possibilit\u00e9 de programmer des enregistrements plus ult\u00e9rieurs et plus de programmations affich\u00e9es mais prendra plus de temps \u00e0 t\u00e9l\u00e9charger. \"Auto\" choisira les param\u00e8tres bas\u00e9 sur le nombre de cha\u00eenes.",
- "LabelActiveService": "Service Actif:",
- "LabelActiveServiceHelp": "Plusieurs Plugins de TV peuvent \u00eatre install\u00e9s mais seulement un \u00e0 la fois peut \u00eatre actif.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "Un fournisseur de service de TV en direct est requis pour continuer.",
- "LiveTvPluginRequiredHelp": "Merci d'installer un de nos plugins disponibles, comme Next Pvr ou ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Personnaliser pour le type de m\u00e9dia:",
- "OptionDownloadThumbImage": "Vignette",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Bo\u00eetier",
- "OptionDownloadDiscImage": "Disque",
- "OptionDownloadBannerImage": "Banni\u00e8re",
- "OptionDownloadBackImage": "Dos",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Principal",
- "HeaderFetchImages": "T\u00e9l\u00e9charger Images:",
- "HeaderImageSettings": "Param\u00e8tres d'image",
- "TabOther": "Autre",
- "LabelMaxBackdropsPerItem": "Nombre maximum d'images d'arri\u00e8re-plan par item:",
- "LabelMaxScreenshotsPerItem": "Nombre maximum de captures d'\u00e9cran par item:",
- "LabelMinBackdropDownloadWidth": "Largeur minimum d'image d'arri\u00e8re-plan \u00e0 t\u00e9l\u00e9charger:",
- "LabelMinScreenshotDownloadWidth": "Largeur minimum de capture d'\u00e9cran \u00e0 t\u00e9l\u00e9charger:",
- "ButtonAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur de t\u00e2che",
- "HeaderAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur de t\u00e2che",
- "ButtonAdd": "Ajouter",
- "LabelTriggerType": "Type de d\u00e9clencheur:",
- "OptionDaily": "Quotidien",
- "OptionWeekly": "Hebdomadaire",
- "OptionOnInterval": "Par intervale",
- "OptionOnAppStartup": "Par d\u00e9marrage de l'application",
- "OptionAfterSystemEvent": "Apr\u00e8s un \u00e9v\u00e8nement syst\u00e8me",
- "LabelDay": "Jour :",
- "LabelTime": "Heure:",
- "LabelEvent": "\u00c9v\u00e8nement:",
- "OptionWakeFromSleep": "Sortie de veille",
- "LabelEveryXMinutes": "Tous les :",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Galerie",
- "HeaderLatestGames": "Jeux les plus r\u00e9cents",
- "HeaderRecentlyPlayedGames": "Jeux r\u00e9cemment jou\u00e9s",
- "TabGameSystems": "Plate-formes de jeux:",
- "TitleMediaLibrary": "Biblioth\u00e8que de m\u00e9dias",
- "TabFolders": "R\u00e9pertoires",
- "TabPathSubstitution": "Substitution de chemin d'acc\u00e8s",
- "LabelSeasonZeroDisplayName": "Nom d'affichage de \"Season 0\":",
- "LabelEnableRealtimeMonitor": "Activer la surveillance en temps r\u00e9el",
- "LabelEnableRealtimeMonitorHelp": "Les changements seront trait\u00e9s dans l'imm\u00e9diat, sur les syst\u00e8mes de fichiers support\u00e9s.",
- "ButtonScanLibrary": "Balayer Biblioth\u00e8que",
- "HeaderNumberOfPlayers": "Lecteurs :",
- "OptionAnyNumberOfPlayers": "N'importe quel:",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "R\u00e9pertoires de m\u00e9dias",
- "HeaderThemeVideos": "Vid\u00e9os th\u00e8mes",
- "HeaderThemeSongs": "Chansons Th\u00e8mes",
- "HeaderScenes": "Sc\u00e8nes",
- "HeaderAwardsAndReviews": "Prix et Critiques",
- "HeaderSoundtracks": "Bande originale",
- "HeaderMusicVideos": "Vid\u00e9os Musicaux",
- "HeaderSpecialFeatures": "Bonus",
- "HeaderCastCrew": "\u00c9quipe de tournage",
- "HeaderAdditionalParts": "Parties Additionelles",
- "ButtonSplitVersionsApart": "S\u00e9parer les versions",
- "ButtonPlayTrailer": "Bande-annonce",
- "LabelMissing": "Manquant(s)",
- "LabelOffline": "Hors ligne",
- "PathSubstitutionHelp": "Les substitutions de chemins d'acc\u00e8s sont utilis\u00e9es pour faire correspondre un chemin d'acc\u00e8s du serveur \u00e0 un chemin d'acc\u00e8s accessible par les clients. En autorisant un acc\u00e8s direct aux m\u00e9dias du serveur, les clients pourront les lire directement du r\u00e9seau et \u00e9viter l'utilisation inutiles des ressources du serveur en demandant du transcodage.",
- "HeaderFrom": "De",
- "HeaderTo": "\u00c0",
- "LabelFrom": "De :",
- "LabelFromHelp": "Exemple: D:\\Films (sur le serveur)",
- "LabelTo": "\u00c0:",
- "LabelToHelp": "Exemple: \\\\MonServeur\\Films (un chemin d'acc\u00e8s accessible par les clients)",
- "ButtonAddPathSubstitution": "Ajouter Substitution",
- "OptionSpecialEpisode": "Sp\u00e9ciaux",
- "OptionMissingEpisode": "\u00c9pisodes manquantes",
- "OptionUnairedEpisode": "\u00c9pisodes non diffus\u00e9es",
- "OptionEpisodeSortName": "Nom de tri d'\u00e9pisode",
- "OptionSeriesSortName": "Nom de s\u00e9ries",
- "OptionTvdbRating": "Note d'\u00e9valuation Tvdb",
- "HeaderTranscodingQualityPreference": "Qualit\u00e9 du transcodage pr\u00e9f\u00e9r\u00e9e:",
- "OptionAutomaticTranscodingHelp": "Le serveur d\u00e9cidera de la qualit\u00e9 et vitesse",
- "OptionHighSpeedTranscodingHelp": "Plus basse qualit\u00e9 mais encodage plus rapide",
- "OptionHighQualityTranscodingHelp": "Plus haute qualit\u00e9 mais encodage moins rapide",
- "OptionMaxQualityTranscodingHelp": "Meilleure qualit\u00e9 avec encodage plus lent et haute utilisation du processeur.",
- "OptionHighSpeedTranscoding": "Vitesse plus \u00e9lev\u00e9e",
- "OptionHighQualityTranscoding": "Qualit\u00e9 plus \u00e9lev\u00e9e",
- "OptionMaxQualityTranscoding": "Qualit\u00e9 maximale",
- "OptionEnableDebugTranscodingLogging": "Activer le d\u00e9bogage du transcodage dans le journal d'\u00e9v\u00e8nements",
- "OptionEnableDebugTranscodingLoggingHelp": "Ceci va cr\u00e9era un journal d\u2019\u00e9v\u00e9nements tr\u00e8s volumineux et n'est recommand\u00e9 que pour des besoins de diagnostique.",
- "OptionUpscaling": "Autoriser les clients de mettre \u00e0 l'\u00e9chelle (upscale) les vid\u00e9os",
- "OptionUpscalingHelp": "Dans certains cas, la qualit\u00e9 vid\u00e9o sera am\u00e9lior\u00e9e mais augmentera l'utilisation du processeur.",
- "EditCollectionItemsHelp": "Ajoutez ou supprimez n'importe quel film, s\u00e9rie, album, livre ou jeux que vous souhaitez grouper dans cette collection.",
- "HeaderAddTitles": "Ajouter Titres",
- "LabelEnableDlnaPlayTo": "Activer DLNA \"Lire sur\"",
- "LabelEnableDlnaPlayToHelp": "Media Browser peut d\u00e9tecter les p\u00e9riph\u00e9riques sur votre r\u00e9seau et offrir l'abilit\u00e9 de les contr\u00f4ler \u00e0 distance.",
- "LabelEnableDlnaDebugLogging": "Activer le d\u00e9bogage DLNA dans le journal d'\u00e9v\u00e9nements",
- "LabelEnableDlnaDebugLoggingHelp": "Ceci va g\u00e9n\u00e9rer de gros fichiers de journal d'\u00e9v\u00e9nements et ne devrait \u00eatre utiliser seulement pour des besoins de diagnostique de probl\u00e8mes...",
- "LabelEnableDlnaClientDiscoveryInterval": "Intervalle de d\u00e9couverte des clients (secondes)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "D\u00e9terminez la dur\u00e9e en secondes de l\u2019intervalle entre les recherches SSDP effectu\u00e9es par Media Browser.",
- "HeaderCustomDlnaProfiles": "Profils personnalis\u00e9s",
- "HeaderSystemDlnaProfiles": "Profils syst\u00e8mes",
- "CustomDlnaProfilesHelp": "Cr\u00e9er un profil personnalis\u00e9 pour cibler un nouveau p\u00e9riph\u00e9rique ou surpasser un profil syst\u00e8me.",
- "SystemDlnaProfilesHelp": "Les profils syst\u00e8mes sont en lecture seule. Les modifications apport\u00e9es \u00e0 un profil syst\u00e8me seront enregistr\u00e9es sous un nouveau profil personnalis\u00e9.",
- "TitleDashboard": "Tableau de bord",
- "TabHome": "Portail",
- "TabInfo": "Info",
- "HeaderLinks": "Liens",
- "HeaderSystemPaths": "Chemins d'acc\u00e8s syst\u00e8mes",
- "LinkCommunity": "Communaut\u00e9",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Documentation du API",
- "LabelFriendlyServerName": "Surnom du serveur:",
- "LabelFriendlyServerNameHelp": "Ce nom sera utilis\u00e9 pour identifier ce serveur. Si laiss\u00e9 vide, le nom d'ordinateur sera utilis\u00e9.",
- "LabelPreferredDisplayLanguage": "Langue d'affichage pr\u00e9f\u00e9r\u00e9e",
- "LabelPreferredDisplayLanguageHelp": "La traduction de Media Browser est un projet en cours et n'est pas compl\u00e9t\u00e9e encore.",
- "LabelReadHowYouCanContribute": "Lire comment vous pouvez contribuer.",
- "HeaderNewCollection": "Nouvelle collection",
- "HeaderAddToCollection": "Ajouter \u00e0 la collection",
- "ButtonSubmit": "Soumettre",
- "NewCollectionNameExample": "Exemple: Collection Star Wars",
- "OptionSearchForInternetMetadata": "Rechercher sur Internet les images et m\u00e9tadonn\u00e9es",
- "ButtonCreate": "Cr\u00e9er",
- "LabelLocalHttpServerPortNumber": "Num\u00e9ro du port local :",
- "LabelLocalHttpServerPortNumberHelp": "Le num\u00e9ro du port tcp qui sera li\u00e9 au serveur http de Media Browser.",
- "LabelPublicPort": "Num\u00e9ro du port publique :",
- "LabelPublicPortHelp": "Le num\u00e9ro de port public qui sera mapp\u00e9 sur le port local.",
- "LabelWebSocketPortNumber": "Num\u00e9ro de port du \"Web socket\":",
- "LabelEnableAutomaticPortMap": "Autoriser le mapping automatique du port",
- "LabelEnableAutomaticPortMapHelp": "Essayer de mapper automatiquement le port public au port local via UPnP. Cela peut ne pas fonctionner avec certains mod\u00e8les de routeurs.",
- "LabelExternalDDNS": "DDNS Externe",
- "LabelExternalDDNSHelp": "Si vous avez un DNS dynamique, entrez-le ici. Les applications Media Browser vont s'en servir pour les connexions \u00e0 distance.",
- "TabResume": "Reprendre",
- "TabWeather": "M\u00e9t\u00e9o",
- "TitleAppSettings": "Param\u00e8tre de l'application",
- "LabelMinResumePercentage": "Pourcentage minimum pour reprendre:",
- "LabelMaxResumePercentage": "Pourcentage maximum pour reprendre:",
- "LabelMinResumeDuration": "Temps de reprise minimum (secondes):",
- "LabelMinResumePercentageHelp": "Les items seront consid\u00e9r\u00e9s non lus si arr\u00eat\u00e9s avant ce temps:",
- "LabelMaxResumePercentageHelp": "Les m\u00e9dias sont assum\u00e9s lus si arr\u00eat\u00e9s apr\u00e8s ce temps",
- "LabelMinResumeDurationHelp": "Les m\u00e9dias plus court que \u00e7a ne seront pas reprenable",
- "TitleAutoOrganize": "Organisation automatique",
- "TabActivityLog": "Journal d'activit\u00e9s",
- "HeaderName": "Nom",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Programme",
- "HeaderClients": "Clients",
- "LabelCompleted": "Compl\u00e9t\u00e9",
- "LabelFailed": "\u00c9chou\u00e9",
- "LabelSkipped": "Saut\u00e9",
- "HeaderEpisodeOrganization": "Organisation d'\u00e9pisodes",
- "LabelSeries": "S\u00e9ries :",
- "LabelSeasonNumber": "Num\u00e9ro de la saison:",
- "LabelEpisodeNumber": "Num\u00e9ro de l'\u00e9pisode:",
- "LabelEndingEpisodeNumber": "Num\u00e9ro d'\u00e9pisode final:",
- "LabelEndingEpisodeNumberHelp": "Seulement requis pour les fichiers multi-\u00e9pisodes",
- "HeaderSupportTheTeam": "Supporter l'\u00e9quipe Media Browser",
- "LabelSupportAmount": "Montant (USD)",
- "HeaderSupportTheTeamHelp": "Aidez la continuation de ce projet en effectuant un don. Une portion de ce don contribuera au d\u00e9veloppement d'autres produits gratuits sur lesquels nous d\u00e9pendons.",
- "ButtonEnterSupporterKey": "Entrer la cl\u00e9 de supporteur",
- "DonationNextStep": "Une fois compl\u00e9t\u00e9, merci de revenir et saisir la cl\u00e9 de supporteur re\u00e7ue par courriel.",
- "AutoOrganizeHelp": "L'organisation automatique surveille vos r\u00e9pertoires de t\u00e9l\u00e9chargement et les nouveaux fichiers puis les d\u00e9place dans vos r\u00e9pertoires de m\u00e9dias. ",
- "AutoOrganizeTvHelp": "L'organisation de fichiers TV va seulement ajouter des \u00e9pisodes \u00e0 des s\u00e9ries existantes. Ce processus de cr\u00e9\u00e9ra pas de nouveaux r\u00e9pertoires de s\u00e9rie.",
- "OptionEnableEpisodeOrganization": "Activer l'organisation des nouvelles \u00e9pisodes",
- "LabelWatchFolder": "R\u00e9pertoire surveill\u00e9:",
- "LabelWatchFolderHelp": "Le serveur va utiliser ce r\u00e9pertoire pendant la t\u00e2che \"Organiser les nouveaux fichiers de m\u00e9dias\".",
- "ButtonViewScheduledTasks": "Voir les t\u00e2ches planifi\u00e9es",
- "LabelMinFileSizeForOrganize": "Taille de fichier minimum (Mo) :",
- "LabelMinFileSizeForOrganizeHelp": "Les fichiers sous cette taille seront ignor\u00e9s.",
- "LabelSeasonFolderPattern": "Mod\u00e8le de r\u00e9pertoire de saison:",
- "LabelSeasonZeroFolderName": "Nom de r\u00e9pertoire pour les saison z\u00e9ro:",
- "HeaderEpisodeFilePattern": "Mod\u00e8le de fichier d'\u00e9pisode",
- "LabelEpisodePattern": "Mod\u00e8le d'\u00e9pisode",
- "LabelMultiEpisodePattern": "Mod\u00e8le de multi-\u00e9pisode:",
- "HeaderSupportedPatterns": "Mod\u00e8les support\u00e9s",
- "HeaderTerm": "Terme",
- "HeaderPattern": "Mod\u00e8le",
- "HeaderResult": "R\u00e9sultat",
- "LabelDeleteEmptyFolders": "Supprimer les r\u00e9pertoires vides apr\u00e8s organisation",
- "LabelDeleteEmptyFoldersHelp": "Activer cette option pour garder le r\u00e9pertoire de t\u00e9l\u00e9chargement vide.",
- "LabelDeleteLeftOverFiles": "Supprimer le reste des fichiers avec les extensions suivantes:",
- "LabelDeleteLeftOverFilesHelp": "S\u00e9parer par ;. Par exemple: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "\u00c9craser les \u00e9pisodes existantes",
- "LabelTransferMethod": "M\u00e9thode de transfert",
- "OptionCopy": "Copier",
- "OptionMove": "D\u00e9placer",
- "LabelTransferMethodHelp": "Copier or d\u00e9placer des fichiers du r\u00e9pertoire surveill\u00e9",
- "HeaderLatestNews": "Derni\u00e8res nouvelles",
- "HeaderHelpImproveMediaBrowser": "Aidez-nous \u00e0 am\u00e9liorer Media Browser",
- "HeaderRunningTasks": "T\u00e2ches en ex\u00e9cution",
- "HeaderActiveDevices": "P\u00e9riph\u00e9riques actifs",
- "HeaderPendingInstallations": "Installations en suspens",
- "HeaerServerInformation": "Information du serveur",
- "ButtonRestartNow": "Red\u00e9marrer maintenant",
- "ButtonRestart": "Red\u00e9marrer",
- "ButtonShutdown": "\u00c9teindre",
- "ButtonUpdateNow": "Mettre \u00e0 jour maintenant",
- "PleaseUpdateManually": "Merci d'\u00e9teindre le serveur et de le mettre \u00e0 jour manuellement.",
- "NewServerVersionAvailable": "Une nouvelle version de Media Browser Server est disponible!",
- "ServerUpToDate": "Media Browser Server est \u00e0 jour",
- "ErrorConnectingToMediaBrowserRepository": "Une erreur est survenue avec la connexion au r\u00e9f\u00e9rentiel de donn\u00e9es de Media Browser.",
- "LabelComponentsUpdated": "Les composants suivants ont \u00e9t\u00e9 install\u00e9s ou mis \u00e0 jour.",
- "MessagePleaseRestartServerToFinishUpdating": "Merci de red\u00e9marrer le serveur pour appliquer les mises \u00e0 jour.",
- "LabelDownMixAudioScale": "Boost audio lors de downmix:",
- "LabelDownMixAudioScaleHelp": "Boost audio lors de downmix. Mettre \u00e0 1 pour pr\u00e9server la valeur originale du volume.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Ancienne cl\u00e9 de supporteur",
- "LabelNewSupporterKey": "Nouvelle cl\u00e9 de supporteur",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Adresse courriel actuelle",
- "LabelCurrentEmailAddressHelp": "L'adresse courriel actuelle \u00e0 laquelle votre nouvelle cl\u00e9 a \u00e9t\u00e9 envoy\u00e9e.",
- "HeaderForgotKey": "Oubli\u00e9 cl\u00e9",
- "LabelEmailAddress": "Adresse courriel",
- "LabelSupporterEmailAddress": "L'adresse courriel avec laquelle la cl\u00e9 a \u00e9t\u00e9 achet\u00e9e.",
- "ButtonRetrieveKey": "obtenir la cl\u00e9",
- "LabelSupporterKey": "Cl\u00e9 de supporteur (coller du courriel)",
- "LabelSupporterKeyHelp": "Entrez votre cl\u00e9 du supporteur pour commencer \u00e0 profiter des b\u00e9n\u00e9fices additionnels que la communaut\u00e9 a d\u00e9velopp\u00e9 pour Media Browser.",
- "MessageInvalidKey": "Cl\u00e9 de supporteur manquante ou invalide",
- "ErrorMessageInvalidKey": "Pour que le contenu premium soit enregistr\u00e9, vous devez aussi \u00eatre supporteur Media Browser. S'il vous plait, effectuez des dons et soutenez la continuation du d\u00e9veloppement de Media Browser.",
- "HeaderDisplaySettings": "Param\u00e8tres d'affichage",
- "TabPlayTo": "Lire sur",
- "LabelEnableDlnaServer": "Activer le serveur DLNA",
- "LabelEnableDlnaServerHelp": "Autorise les p\u00e9riph\u00e9riques UPnP sur votre r\u00e9seau \u00e0 parcourir et lire le contenu Media Browser.",
- "LabelEnableBlastAliveMessages": "Diffuser des message de pr\u00e9sence",
- "LabelEnableBlastAliveMessagesHelp": "Activer cette option si le serveur n'est pas d\u00e9tect\u00e9 d'une mani\u00e8re fiable par d'autres p\u00e9riph\u00e9riques UPnP sur votre r\u00e9seau.",
- "LabelBlastMessageInterval": "Intervalles des messages de pr\u00e9sence (secondes):",
- "LabelBlastMessageIntervalHelp": "D\u00e9termine la dur\u00e9e en secondes entre les message de pr\u00e9sences.",
- "LabelDefaultUser": "Utilisateur par d\u00e9faut :",
- "LabelDefaultUserHelp": "D\u00e9termine quelle biblioth\u00e8que d'utilisateur doit \u00eatre afficher sur les appareils connect\u00e9s. Ces param\u00e8tres peuvent \u00eatre remplac\u00e9s pour chaque appareil par les configurations de profils.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Cha\u00eenes",
- "HeaderServerSettings": "Param\u00e8tres du serveur",
- "LabelWeatherDisplayLocation": "Emplacement de l'affichage de la m\u00e9t\u00e9o:",
- "LabelWeatherDisplayLocationHelp": "Code ZIP US \/ Ville, \u00c9tat, Pays \/ Ville, Pays",
- "LabelWeatherDisplayUnit": "Unit\u00e9 d'affichage de la m\u00e9t\u00e9o:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Exiger l'entr\u00e9e manuelle du nom d'utilisateur pour:",
- "HeaderRequireManualLoginHelp": "Lorsque d\u00e9sactiv\u00e9, le clients auront un \u00e9cran de connexion avec une s\u00e9lection visuelle des utilisateurs.",
- "OptionOtherApps": "Autres applications",
- "OptionMobileApps": "Applications mobiles",
- "HeaderNotificationList": "Cliquez sur une notification pour configurer ses options d'envois",
- "NotificationOptionApplicationUpdateAvailable": "Mise \u00e0 jour d'application disponible",
- "NotificationOptionApplicationUpdateInstalled": "Mise \u00e0 jour d'application mis \u00e0 jour",
- "NotificationOptionPluginUpdateInstalled": "Mise \u00e0 jour de plugin install\u00e9e",
- "NotificationOptionPluginInstalled": "Plugin install\u00e9",
- "NotificationOptionPluginUninstalled": "Plugin d\u00e9sinstall\u00e9",
- "NotificationOptionVideoPlayback": "Lecture vid\u00e9o d\u00e9marr\u00e9e",
- "NotificationOptionAudioPlayback": "Lecture audio d\u00e9marr\u00e9e",
- "NotificationOptionGamePlayback": "Lecture de jeu d\u00e9marr\u00e9e",
- "NotificationOptionVideoPlaybackStopped": "Lecture vid\u00e9o arr\u00eat\u00e9e",
- "NotificationOptionAudioPlaybackStopped": "Lecture audio arr\u00eat\u00e9e",
- "NotificationOptionGamePlaybackStopped": "Lecture de jeu arr\u00eat\u00e9e",
- "NotificationOptionTaskFailed": "\u00c9chec de t\u00e2che planifi\u00e9e",
- "NotificationOptionInstallationFailed": "\u00c9chec d'installation",
- "NotificationOptionNewLibraryContent": "Nouveau contenu ajout\u00e9",
- "NotificationOptionNewLibraryContentMultiple": "Nouveau contenu ajout\u00e9 (multiple)",
- "SendNotificationHelp": "Par d\u00e9faut, les notifications sont d\u00e9livr\u00e9es dans la bo\u00eete de r\u00e9ception du tableau de bord. Consultez le catalogue de plugins pour installer des options de notifications suppl\u00e9mentaires.",
- "NotificationOptionServerRestartRequired": "Un red\u00e9marrage du serveur est requis",
- "LabelNotificationEnabled": "Activer cette notification",
- "LabelMonitorUsers": "Surveiller les activit\u00e9s de:",
- "LabelSendNotificationToUsers": "Envoyer la notification \u00e0:",
- "LabelUseNotificationServices": "Utiliser les services suivants:",
- "CategoryUser": "Utilisateur",
- "CategorySystem": "Syst\u00e8me",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Titre du message:",
- "LabelAvailableTokens": "Jetons disponibles:",
- "AdditionalNotificationServices": "Visitez le catalogue de plugins pour installer des service de notifications suppl\u00e9mentaires.",
- "OptionAllUsers": "Tous les utilisateurs",
- "OptionAdminUsers": "Administrateurs",
- "OptionCustomUsers": "Personnalis\u00e9",
- "ButtonArrowUp": "Haut",
- "ButtonArrowDown": "Bas",
- "ButtonArrowLeft": "Gauche",
- "ButtonArrowRight": "Droite",
- "ButtonBack": "Retour arri\u00e8re",
- "ButtonInfo": "Info",
- "ButtonOsd": "Affichage \u00e0 l'\u00e9cran",
- "ButtonPageUp": "Page suivante",
- "ButtonPageDown": "Page pr\u00e9c\u00e9dante",
- "PageAbbreviation": "PG",
- "ButtonHome": "Portail",
- "ButtonSearch": "Recherche",
- "ButtonSettings": "Param\u00e8tres",
- "ButtonTakeScreenshot": "Capture d'\u00e9cran",
- "ButtonLetterUp": "Lettre haut",
- "ButtonLetterDown": "Lettre bas",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Lecture en cours",
- "TabNavigation": "Navigation",
- "TabControls": "Contr\u00f4les",
- "ButtonFullscreen": "Basculer en plein \u00e9cran",
- "ButtonScenes": "Sc\u00e8nes",
- "ButtonSubtitles": "Sous-titres",
- "ButtonAudioTracks": "Pistes audio",
- "ButtonPreviousTrack": "Piste pr\u00e9c\u00e9dente",
- "ButtonNextTrack": "Piste suivante",
- "ButtonStop": "Arr\u00eat",
- "ButtonPause": "Pause",
- "ButtonNext": "Suivant",
- "ButtonPrevious": "Pr\u00e9c\u00e9dent",
- "LabelGroupMoviesIntoCollections": "Grouper les films en collections",
- "LabelGroupMoviesIntoCollectionsHelp": "Dans l'affichage des listes de films, les films faisant partie d'une collection seront affich\u00e9s comme un item de groupe.",
- "NotificationOptionPluginError": "\u00c9chec de plugin",
- "ButtonVolumeUp": "Volume haut",
- "ButtonVolumeDown": "Volume bas",
- "ButtonMute": "Sourdine",
- "HeaderLatestMedia": "Derniers m\u00e9dias",
- "OptionSpecialFeatures": "Bonus",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "S\u00e9par\u00e9s par des virgules. Peut \u00eatre laiss\u00e9 vide pour appliquer tous les codecs.",
- "LabelProfileContainersHelp": "S\u00e9par\u00e9s par des virgules. Peut \u00eatre laiss\u00e9 vide pour appliquer tous les conteneurs.",
- "HeaderResponseProfile": "Profil de r\u00e9ponse",
- "LabelType": "Type :",
- "LabelPersonRole": "R\u00f4le:",
- "LabelPersonRoleHelp": "Le r\u00f4le n'est g\u00e9n\u00e9ralement applicable qu'aux acteurs.",
- "LabelProfileContainer": "Conteneur:",
- "LabelProfileVideoCodecs": "Codecs vid\u00e9os :",
- "LabelProfileAudioCodecs": "Codecs audios :",
- "LabelProfileCodecs": "Codecs :",
- "HeaderDirectPlayProfile": "Profil de lecture directe (Direct Play):",
- "HeaderTranscodingProfile": "Profil de transcodage",
- "HeaderCodecProfile": "Profil de codecs",
- "HeaderCodecProfileHelp": "Les profils de codecs sp\u00e9cifient les limites de lecture de codecs sp\u00e9cifiques d'un appareil. Si la limite s'applique, le m\u00e9dia sera transcod\u00e9, m\u00eame si le codec est configur\u00e9 pour des lectures directes.",
- "HeaderContainerProfile": "Profil de conteneur",
- "HeaderContainerProfileHelp": "Les profils de conteneur indique les limites d'un appareil lors de lectures de formats sp\u00e9cifiques. Si la limite s'applique au m\u00e9dia, ce dernier sera transcod\u00e9, m\u00eame si le format est configur\u00e9 pour faire de la lecture directe.",
- "OptionProfileVideo": "Vid\u00e9o",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Vid\u00e9o Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "Biblioth\u00e8que de l'utilisateur:",
- "LabelUserLibraryHelp": "S\u00e9lectionner quelle biblioth\u00e8que d'utilisateur \u00e0 afficher sur l'appareil. Laisser vide pour h\u00e9riter des param\u00e8tres par d\u00e9faut.",
- "OptionPlainStorageFolders": "Afficher tous les r\u00e9pertoires en tant que simple r\u00e9pertoires de stockage.",
- "OptionPlainStorageFoldersHelp": "Si activ\u00e9, tous les r\u00e9pertoires seront affich\u00e9s en DIDL en tant que \"object.container.storageFolder\" au lieu de formats plus sp\u00e9cifiques comme, par exemple \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Afficher les vid\u00e9os en tant que simple items vid\u00e9os.",
- "OptionPlainVideoItemsHelp": "Si activ\u00e9, tous les vid\u00e9os seront affich\u00e9s en DIDL en tant que \"object.item.videoItem\" au lieu de formats plus sp\u00e9cifiques comme, par exemple \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Types de m\u00e9dias support\u00e9s:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Lecture directe",
- "TabContainers": "Conteneur",
- "TabCodecs": "Codecs",
- "TabResponses": "R\u00e9ponses",
- "HeaderProfileInformation": "Information de profil",
- "LabelEmbedAlbumArtDidl": "Int\u00e9grer les images d'album dans Didl",
- "LabelEmbedAlbumArtDidlHelp": "Certains p\u00e9riph\u00e9riques pr\u00e9f\u00e8rent cette m\u00e9thode pour obtenir les images d'album. D'autres peuvent \u00e9chouer \u00e0 lire avec cette option activ\u00e9e.",
- "LabelAlbumArtPN": "PN d'images d'album:",
- "LabelAlbumArtHelp": "PN utilis\u00e9 pour les images d'album, dans l\u2019attribut dlna:profileID de upnp:albumArtURi. Certains client n\u00e9cessite une valeur sp\u00e9cifique, peu importe la grosseur de l'image.",
- "LabelAlbumArtMaxWidth": "Largeur maximum des images d'album:",
- "LabelAlbumArtMaxWidthHelp": "R\u00e9solution maximum des images d'album expos\u00e9e par upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Hauteur maximum des images d'album:",
- "LabelAlbumArtMaxHeightHelp": "R\u00e9solution maximum des images d'album expos\u00e9e par upnp:albumArtURI.",
- "LabelIconMaxWidth": "Largeur maximum des ic\u00f4nes:",
- "LabelIconMaxWidthHelp": "R\u00e9solution maximum des ic\u00f4nes expos\u00e9e par upnp:icon.",
- "LabelIconMaxHeight": "hauteur maximum des ic\u00f4nes:",
- "LabelIconMaxHeightHelp": "R\u00e9solution maximum des ic\u00f4nes expos\u00e9e par upnp:icon.",
- "LabelIdentificationFieldHelp": "Une sous-cha\u00eene ou expression regex insensible \u00e0 la diff\u00e9rence minuscules-majuscules.",
- "HeaderProfileServerSettingsHelp": "Ces valeurs contr\u00f4lent comment Media Browser se pr\u00e9sentera au p\u00e9riph\u00e9rique.",
- "LabelMaxBitrate": "D\u00e9bit maximum:",
- "LabelMaxBitrateHelp": "Sp\u00e9cifiez un d\u00e9bit maximum dans les environnements avec bande passante limit\u00e9e ou si l'appareil impose sa propre limite.",
- "LabelMaxStreamingBitrate": "D\u00e9bit max de streaming :",
- "LabelMaxStreamingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max lors du streaming.",
- "LabelMaxStaticBitrate": "D\u00e9bit max de synchronisation :",
- "LabelMaxStaticBitrateHelp": "Sp\u00e9cifiez un d\u00e9bit max pour la synchronisation de contenu en haute qualit\u00e9.",
- "LabelMusicStaticBitrate": "D\u00e9bit de synchronisation de la musique",
- "LabelMusicStaticBitrateHelp": "Sp\u00e9cifier un d\u00e9bit maxi de synchronisation de la musique",
- "LabelMusicStreamingTranscodingBitrate": "D\u00e9bit du transcodage musique :",
- "LabelMusicStreamingTranscodingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max pendant la diffusion de musique",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore le transcodage des demandes de plage d'octets",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si activ\u00e9, ces requ\u00eates\/demandes seront honor\u00e9es mais l'ent\u00eate de plage d'octets sera ignor\u00e9. ",
- "LabelFriendlyName": "Surnom d'affichage",
- "LabelManufacturer": "Manufacturier",
- "LabelManufacturerUrl": "URL du manufacturier",
- "LabelModelName": "Nom de mod\u00e8le",
- "LabelModelNumber": "Num\u00e9ro de mod\u00e8le",
- "LabelModelDescription": "Description de mod\u00e8le",
- "LabelModelUrl": "URL de mod\u00e8le",
- "LabelSerialNumber": "Num\u00e9ro de s\u00e9rie",
- "LabelDeviceDescription": "Description du p\u00e9riph\u00e9rique",
- "HeaderIdentificationCriteriaHelp": "Entrer au moins un crit\u00e8re d'identification.",
- "HeaderDirectPlayProfileHelp": "Ajouter des profils de lecture directe pour indiquer quels formats le p\u00e9riph\u00e9rique peut lire de fa\u00e7on native.",
- "HeaderTranscodingProfileHelp": "Ajoutez des profils de transcodage pour indiquer quels formats devraient \u00eatre utilis\u00e9s quand le transcodage est requis.",
- "HeaderResponseProfileHelp": "Les profils de r\u00e9ponse permettent de personnaliser l'information envoy\u00e9e au p\u00e9riph\u00e9rique lors de la lecture de certains types de m\u00e9dia.",
- "LabelXDlnaCap": "Cap X-Dlna:",
- "LabelXDlnaCapHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments X_DLNACAP dans l'espace de nom urn:schemas-dlna-org:device-1-0.",
- "LabelXDlnaDoc": "Doc X-Dlna:",
- "LabelXDlnaDocHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments X_DLNADOC dans l'espace de nom urn:schemas-dlna-org:device-1-0.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments aggregationFlags dans l'espace de nom urn:schemas-sonycom:av .",
- "LabelTranscodingContainer": "Conteneur:",
- "LabelTranscodingVideoCodec": "Codec vid\u00e9o:",
- "LabelTranscodingVideoProfile": "Profil vid\u00e9o :",
- "LabelTranscodingAudioCodec": "Codec audio:",
- "OptionEnableM2tsMode": "Activer le mode M2ts",
- "OptionEnableM2tsModeHelp": "Activ\u00e9 le mode m2ts lors d'encodage en mpegts.",
- "OptionEstimateContentLength": "Estimer la dur\u00e9e du contenu lors d'encodage",
- "OptionReportByteRangeSeekingWhenTranscoding": "Signaler que le serveur prend en charge la recherche d'octets lors du transcodage",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Cette option est requise pour certains p\u00e9riph\u00e9riques qui ne \"time seek\" pas tr\u00e8s bien.",
- "HeaderSubtitleDownloadingHelp": "Lorsque Media Browser balaye vos fichiers vid\u00e9os, le serveur peut rechercher des sous-titres manquants et les t\u00e9l\u00e9charger en utilisant un fournisseur de sous-titre comme OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "T\u00e9l\u00e9charger les sous-titres pour :",
- "MessageNoChapterProviders": "Installer un plugin de fournisseur de chapitre tel que ChapterDb pour activer les options suppl\u00e9mentaires de chapitre.",
- "LabelSkipIfGraphicalSubsPresent": "Sauter la vid\u00e9o si elle contient d\u00e9j\u00e0 des sous-titres graphiques",
- "LabelSkipIfGraphicalSubsPresentHelp": "Garder des versions textes des sous-titres va \u00eatre plus efficace avec les appareils mobiles.",
- "TabSubtitles": "Sous-titres",
- "TabChapters": "Chapitres",
- "HeaderDownloadChaptersFor": "T\u00e9l\u00e9charger les noms de chapitre pour:",
- "LabelOpenSubtitlesUsername": "Nom d'utilisateur de Open Subtitles:",
- "LabelOpenSubtitlesPassword": "Mot de passe de Open Subtitles:",
- "HeaderChapterDownloadingHelp": "Lorsque Media Browser scanne vos fichiers vid\u00e9o, il peut facilement t\u00e9l\u00e9charger les noms de chapitre depuis Internet en utilisant le plugin de chapitre tel que ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Utiliser la flux audio par d\u00e9faut peu importe la langue",
- "LabelSubtitlePlaybackMode": "Mode de sous-titres:",
- "LabelDownloadLanguages": "T\u00e9l\u00e9chargement de langues:",
- "ButtonRegister": "S'enregistrer",
- "LabelSkipIfAudioTrackPresent": "Sauter si la piste audio correspond \u00e0 la langue de t\u00e9l\u00e9chargement",
- "LabelSkipIfAudioTrackPresentHelp": "D\u00e9cocher cette option va assurer que tous les vid\u00e9os ont des sous-titres, peu importe la langue audio.",
- "HeaderSendMessage": "Envoyer un message",
- "ButtonSend": "Envoyer",
- "LabelMessageText": "Texte du message:",
- "MessageNoAvailablePlugins": "Aucun plugin disponible.",
- "LabelDisplayPluginsFor": "Afficher les plugins pour :",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theatre",
- "LabelEpisodeNamePlain": "Nom d'\u00e9pisode",
- "LabelSeriesNamePlain": "Nom de la s\u00e9rie",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Num\u00e9ro de la saison",
- "LabelEpisodeNumberPlain": "Num\u00e9ro d'\u00e9pisode",
- "LabelEndingEpisodeNumberPlain": "Num\u00e9ro d'\u00e9pisode final",
- "HeaderTypeText": "Entrer texte",
- "LabelTypeText": "Texte",
- "HeaderSearchForSubtitles": "Rechercher des sous-titres",
- "MessageNoSubtitleSearchResultsFound": "Aucun r\u00e9sultat trouv\u00e9.",
- "TabDisplay": "Affichage",
- "TabLanguages": "Langues",
- "TabWebClient": "Client Web",
- "LabelEnableThemeSongs": "Activer les chansons th\u00e8mes",
- "LabelEnableBackdrops": "Activer les images d'arri\u00e8re-plans",
- "LabelEnableThemeSongsHelp": "Si activ\u00e9, les chansons themes seront lues en arri\u00e8re-plan pendant la navigation dans les biblioth\u00e8ques.",
- "LabelEnableBackdropsHelp": "Si activ\u00e9, les images d'arri\u00e8re-plan seront affich\u00e9es sur certaines pages pendant la navigation dans les biblioth\u00e8ques.",
- "HeaderHomePage": "Portail",
- "HeaderSettingsForThisDevice": "Param\u00e8tres pour ce p\u00e9riph\u00e9rique",
- "OptionAuto": "Auto",
- "OptionYes": "Oui",
- "OptionNo": "Non",
- "LabelHomePageSection1": "Premi\u00e8re section du portail :",
- "LabelHomePageSection2": "Seconde section du portail :",
- "LabelHomePageSection3": "Troisi\u00e8me section du portail :",
- "LabelHomePageSection4": "Quatri\u00e8me section du portail:",
- "OptionMyViewsButtons": "Mes vues (bouttons)",
- "OptionMyViews": "Mes vues",
- "OptionMyViewsSmall": "Mes vues (petit)",
- "OptionResumablemedia": "Reprendre",
- "OptionLatestMedia": "Les plus r\u00e9cents",
- "OptionLatestChannelMedia": "Items de cha\u00eene les plus r\u00e9cents",
- "HeaderLatestChannelItems": "Items de cha\u00eene les plus r\u00e9cents",
- "OptionNone": "Aucun",
- "HeaderLiveTv": "TV en direct",
- "HeaderReports": "Rapports",
- "HeaderMetadataManager": "Gestionnaire de m\u00e9tadonn\u00e9es",
- "HeaderPreferences": "Pr\u00e9f\u00e9rences",
- "MessageLoadingChannels": "Chargement du contenu de la cha\u00eene...",
- "MessageLoadingContent": "Chargement du contenu...",
- "ButtonMarkRead": "Marquer comme lu",
- "OptionDefaultSort": "Par d\u00e9faut",
- "OptionCommunityMostWatchedSort": "Les plus \u00e9cout\u00e9s",
- "TabNextUp": "Prochains \u00e0 voir",
- "MessageNoMovieSuggestionsAvailable": "Aucune suggestion de film n'est actuellement disponible. Commencez \u00e0 regarder et noter vos films pour avoir des suggestions.",
- "MessageNoCollectionsAvailable": "Les Collections permettent le groupement de films, S\u00e9ries, Albums, Livres et Jeux. Cliquer sur \"Nouveau\" pour commencer la cr\u00e9ation des Collections.",
- "MessageNoPlaylistsAvailable": "Les listes de lectures vous permettent de cr\u00e9er des listes de contenus \u00e0 lire en continu en une fois. Pour ajouter un \u00e9l\u00e9ment \u00e0 la liste, faire un clic droit ou appuyer et maintenez, s\u00e9lectionnez ensuite Ajouter \u00e0 la liste de lecture",
- "MessageNoPlaylistItemsAvailable": "Cette liste de lecture est pr\u00e9sentement vide.",
- "HeaderWelcomeToMediaBrowserWebClient": "Bienvenue au client Web Media Browser",
- "ButtonDismiss": "Annuler",
- "ButtonTakeTheTour": "Visite guid\u00e9e",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Qualit\u00e9 de diffusion internet pr\u00e9f\u00e9r\u00e9e :",
- "LabelChannelStreamQualityHelp": "Avec une bande passante faible, limiter la qualit\u00e9 garantit un confort d'utilisation du streaming.",
- "OptionBestAvailableStreamQuality": "Meilleur disponible",
- "LabelEnableChannelContentDownloadingFor": "Activer le t\u00e9l\u00e9chargement de contenu de cha\u00eene pour:",
- "LabelEnableChannelContentDownloadingForHelp": "Certaines cha\u00eenes supportent la priorit\u00e9 de t\u00e9l\u00e9chargement de contenu lors du visionnage. Activez ceci pour les environnements \u00e0 bande passante faible afin de t\u00e9l\u00e9charger le contenu des cha\u00eenes pendant les horaires d'inactivit\u00e9. Le contenu est t\u00e9l\u00e9charg\u00e9 suivant la programmation de celui-ci dans les t\u00e2ches planifi\u00e9es.",
- "LabelChannelDownloadPath": "Chemin d'acc\u00e8s de t\u00e9l\u00e9chargement de contenu de cha\u00eene:",
- "LabelChannelDownloadPathHelp": "Sp\u00e9cifiez un chemin de t\u00e9l\u00e9chargements personnalis\u00e9 si besoin. Laissez vide pour t\u00e9l\u00e9charger dans un r\u00e9pertoire interne du programme.",
- "LabelChannelDownloadAge": "Supprimer le contenu apr\u00e8s : (jours)",
- "LabelChannelDownloadAgeHelp": "Le contenu t\u00e9l\u00e9charg\u00e9 plus vieux sera supprim\u00e9. Par contre, il sera toujours disponible par flux Internet (en ligne).",
- "ChannelSettingsFormHelp": "Installer des cha\u00eenes comme \"Trailers\" et \"Vimeo\" dans le catalogue des plugins.",
- "LabelSelectCollection": "S\u00e9lectionner la collection :",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Films",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Jeux",
- "ViewTypeMusic": "Musique",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Cha\u00eenes",
- "ViewTypeLiveTV": "TV en direct",
- "ViewTypeLiveTvNowPlaying": "Diffusion maintenant",
- "ViewTypeLatestGames": "Derniers jeux",
- "ViewTypeRecentlyPlayedGames": "R\u00e9cemment jou\u00e9",
- "ViewTypeGameFavorites": "Favoris",
- "ViewTypeGameSystems": "Syst\u00e8me de jeu",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Reprise",
- "ViewTypeTvNextUp": "Suivant haut",
- "ViewTypeTvLatest": "Derniers",
- "ViewTypeTvShowSeries": "S\u00e9ries",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "S\u00e9ries favorites",
- "ViewTypeTvFavoriteEpisodes": "Episodes favoris",
- "ViewTypeMovieResume": "Reprise",
- "ViewTypeMovieLatest": "Dernier",
- "ViewTypeMovieMovies": "Films",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favoris",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Dernier",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Artiste de l'album",
- "HeaderOtherDisplaySettings": "Param\u00e8tres d'affichage",
- "ViewTypeMusicSongs": "Chansons",
- "ViewTypeMusicFavorites": "Favoris",
- "ViewTypeMusicFavoriteAlbums": "Albums favoris",
- "ViewTypeMusicFavoriteArtists": "Artistes favoris",
"ViewTypeMusicFavoriteSongs": "Chansons favorites",
"HeaderMyViews": "Mes affichages",
"LabelSelectFolderGroups": "Grouper automatiquement le contenu des r\u00e9pertoires suivants dans les vues tels que Films, Musiques et TV :",
@@ -965,6 +381,10 @@
"HeaderDashboardUserPassword": "Les mots de passes utilisateurs sont g\u00e9r\u00e9 dans les param\u00e8tres du profil personnel de chaque utilisateurs.",
"HeaderLibraryAccess": "Acc\u00e8s \u00e0 la librairie",
"HeaderChannelAccess": "Acc\u00e8s Cha\u00eene",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Quitter",
"LabelVisitCommunity": "Visiter la Communaut\u00e9",
"LabelGithubWiki": "GitHub Wiki",
@@ -1249,5 +669,589 @@
"LabelAutomaticUpdatesFanartHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles seront ajout\u00e9es dans Fanart.tv. Les images existantes ne seront pas remplac\u00e9es.",
"LabelAutomaticUpdatesTmdbHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles seront ajout\u00e9es dans TheMovieDB.org. Les images existantes ne seront pas remplac\u00e9es.",
"LabelAutomaticUpdatesTvdbHelp": "Si activ\u00e9, les nouvelles images seront t\u00e9l\u00e9charg\u00e9es automatiquement lorsqu'elles seront ajout\u00e9es dans TheTVDB.com. Les images existantes ne seront pas remplac\u00e9es.",
- "ExtractChapterImagesHelp": "L'extraction d'images de chapitre permettra aux clients d'afficher des menus visuels pour la s\u00e9lection des sc\u00e8nes. Le processus peut \u00eatre long et consommateur de ressources processeur et peut n\u00e9cessiter de nombreux gigaoctets de stockage. Il s'ex\u00e9cute quand des vid\u00e9os sont d\u00e9couvertes et \u00e9galement comme t\u00e2che planifi\u00e9e \u00e0 4:00 (AM). La planification peut \u00eatre modifi\u00e9e dans les options du planificateur de tache. Il n'est pas conseill\u00e9 d'ex\u00e9cuter cette t\u00e2che pendant les heures d'usage intensif."
+ "ExtractChapterImagesHelp": "L'extraction d'images de chapitre permettra aux clients d'afficher des menus visuels pour la s\u00e9lection des sc\u00e8nes. Le processus peut \u00eatre long et consommateur de ressources processeur et peut n\u00e9cessiter de nombreux gigaoctets de stockage. Il s'ex\u00e9cute quand des vid\u00e9os sont d\u00e9couvertes et \u00e9galement comme t\u00e2che planifi\u00e9e \u00e0 4:00 (AM). La planification peut \u00eatre modifi\u00e9e dans les options du planificateur de tache. Il n'est pas conseill\u00e9 d'ex\u00e9cuter cette t\u00e2che pendant les heures d'usage intensif.",
+ "LabelMetadataDownloadLanguage": "Langue de t\u00e9l\u00e9chargement pr\u00e9f\u00e9r\u00e9e:",
+ "ButtonAutoScroll": "D\u00e9filement automatique",
+ "LabelImageSavingConvention": "Convention de sauvegarde des images:",
+ "LabelImageSavingConventionHelp": "Media Browser reconnait les images des autres applications de m\u00e9dia importants. Choisir la convention de t\u00e9l\u00e9chargement peut \u00eatre pratique si vous utilisez aussi d'autres produits.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Se connecter",
+ "TitleSignIn": "Se connecter",
+ "HeaderPleaseSignIn": "Merci de vous identifier",
+ "LabelUser": "Utilisateur:",
+ "LabelPassword": "Mot de passe:",
+ "ButtonManualLogin": "Connexion manuelle",
+ "PasswordLocalhostMessage": "Aucun mot de passe requis pour les connexions par \"localhost\".",
+ "TabGuide": "Guide horaire",
+ "TabChannels": "Cha\u00eenes",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Cha\u00eenes",
+ "TabRecordings": "Enregistrements",
+ "TabScheduled": "Planifi\u00e9s",
+ "TabSeries": "S\u00e9ries",
+ "TabFavorites": "Favoris",
+ "TabMyLibrary": "Ma Biblioth\u00e8que",
+ "ButtonCancelRecording": "Annuler l'enregistrement",
+ "HeaderPrePostPadding": "Pr\u00e9-remplissage",
+ "LabelPrePaddingMinutes": "Minutes de Pr\u00e9-remplissage:",
+ "OptionPrePaddingRequired": "Le pr\u00e9-remplissage est requis pour enregistrer.",
+ "LabelPostPaddingMinutes": "Minutes de \"post-padding\":",
+ "OptionPostPaddingRequired": "Le \"post-padding\" est requis pour enregistrer.",
+ "HeaderWhatsOnTV": "\u00c0 l'affiche",
+ "HeaderUpcomingTV": "TV \u00e0 venir",
+ "TabStatus": "\u00c9tat",
+ "TabSettings": "Param\u00e8tres",
+ "ButtonRefreshGuideData": "Rafra\u00eechir les donn\u00e9es du guide horaire.",
+ "ButtonRefresh": "Actualiser",
+ "ButtonAdvancedRefresh": "Mise \u00e0 jour avanc\u00e9e",
+ "OptionPriority": "Priorit\u00e9",
+ "OptionRecordOnAllChannels": "Enregistrer le programme sur toutes les cha\u00eenes",
+ "OptionRecordAnytime": "Enregistrer le programme \u00e0 n'importe quelle heure\/journ\u00e9e",
+ "OptionRecordOnlyNewEpisodes": "Enregistrer seulement les nouvelles \u00e9pisodes",
+ "HeaderDays": "Jours",
+ "HeaderActiveRecordings": "Enregistrements actifs",
+ "HeaderLatestRecordings": "Derniers enregistrements",
+ "HeaderAllRecordings": "Tous les enregistrements",
+ "ButtonPlay": "Lire",
+ "ButtonEdit": "Modifier",
+ "ButtonRecord": "Enregistrer",
+ "ButtonDelete": "Supprimer",
+ "ButtonRemove": "Supprimer",
+ "OptionRecordSeries": "Enregistrer S\u00e9ries",
+ "HeaderDetails": "D\u00e9tails",
+ "TitleLiveTV": "TV en direct",
+ "LabelNumberOfGuideDays": "Nombre de jours de donn\u00e9es du guide \u00e0 t\u00e9l\u00e9charger:",
+ "LabelNumberOfGuideDaysHelp": "Le t\u00e9l\u00e9chargement de plus de journ\u00e9es dans le guide horaire offrira la possibilit\u00e9 de programmer des enregistrements plus ult\u00e9rieurs et plus de programmations affich\u00e9es mais prendra plus de temps \u00e0 t\u00e9l\u00e9charger. \"Auto\" choisira les param\u00e8tres bas\u00e9 sur le nombre de cha\u00eenes.",
+ "LabelActiveService": "Service Actif:",
+ "LabelActiveServiceHelp": "Plusieurs Plugins de TV peuvent \u00eatre install\u00e9s mais seulement un \u00e0 la fois peut \u00eatre actif.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "Un fournisseur de service de TV en direct est requis pour continuer.",
+ "LiveTvPluginRequiredHelp": "Merci d'installer un de nos plugins disponibles, comme Next Pvr ou ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Personnaliser pour le type de m\u00e9dia:",
+ "OptionDownloadThumbImage": "Vignette",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Bo\u00eetier",
+ "OptionDownloadDiscImage": "Disque",
+ "OptionDownloadBannerImage": "Banni\u00e8re",
+ "OptionDownloadBackImage": "Dos",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Principal",
+ "HeaderFetchImages": "T\u00e9l\u00e9charger Images:",
+ "HeaderImageSettings": "Param\u00e8tres d'image",
+ "TabOther": "Autre",
+ "LabelMaxBackdropsPerItem": "Nombre maximum d'images d'arri\u00e8re-plan par item:",
+ "LabelMaxScreenshotsPerItem": "Nombre maximum de captures d'\u00e9cran par item:",
+ "LabelMinBackdropDownloadWidth": "Largeur minimum d'image d'arri\u00e8re-plan \u00e0 t\u00e9l\u00e9charger:",
+ "LabelMinScreenshotDownloadWidth": "Largeur minimum de capture d'\u00e9cran \u00e0 t\u00e9l\u00e9charger:",
+ "ButtonAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur de t\u00e2che",
+ "HeaderAddScheduledTaskTrigger": "Ajouter un d\u00e9clencheur de t\u00e2che",
+ "ButtonAdd": "Ajouter",
+ "LabelTriggerType": "Type de d\u00e9clencheur:",
+ "OptionDaily": "Quotidien",
+ "OptionWeekly": "Hebdomadaire",
+ "OptionOnInterval": "Par intervale",
+ "OptionOnAppStartup": "Par d\u00e9marrage de l'application",
+ "OptionAfterSystemEvent": "Apr\u00e8s un \u00e9v\u00e8nement syst\u00e8me",
+ "LabelDay": "Jour :",
+ "LabelTime": "Heure:",
+ "LabelEvent": "\u00c9v\u00e8nement:",
+ "OptionWakeFromSleep": "Sortie de veille",
+ "LabelEveryXMinutes": "Tous les :",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Galerie",
+ "HeaderLatestGames": "Jeux les plus r\u00e9cents",
+ "HeaderRecentlyPlayedGames": "Jeux r\u00e9cemment jou\u00e9s",
+ "TabGameSystems": "Plate-formes de jeux:",
+ "TitleMediaLibrary": "Biblioth\u00e8que de m\u00e9dias",
+ "TabFolders": "R\u00e9pertoires",
+ "TabPathSubstitution": "Substitution de chemin d'acc\u00e8s",
+ "LabelSeasonZeroDisplayName": "Nom d'affichage de \"Season 0\":",
+ "LabelEnableRealtimeMonitor": "Activer la surveillance en temps r\u00e9el",
+ "LabelEnableRealtimeMonitorHelp": "Les changements seront trait\u00e9s dans l'imm\u00e9diat, sur les syst\u00e8mes de fichiers support\u00e9s.",
+ "ButtonScanLibrary": "Balayer Biblioth\u00e8que",
+ "HeaderNumberOfPlayers": "Lecteurs :",
+ "OptionAnyNumberOfPlayers": "N'importe quel:",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "R\u00e9pertoires de m\u00e9dias",
+ "HeaderThemeVideos": "Vid\u00e9os th\u00e8mes",
+ "HeaderThemeSongs": "Chansons Th\u00e8mes",
+ "HeaderScenes": "Sc\u00e8nes",
+ "HeaderAwardsAndReviews": "Prix et Critiques",
+ "HeaderSoundtracks": "Bande originale",
+ "HeaderMusicVideos": "Vid\u00e9os Musicaux",
+ "HeaderSpecialFeatures": "Bonus",
+ "HeaderCastCrew": "\u00c9quipe de tournage",
+ "HeaderAdditionalParts": "Parties Additionelles",
+ "ButtonSplitVersionsApart": "S\u00e9parer les versions",
+ "ButtonPlayTrailer": "Bande-annonce",
+ "LabelMissing": "Manquant(s)",
+ "LabelOffline": "Hors ligne",
+ "PathSubstitutionHelp": "Les substitutions de chemins d'acc\u00e8s sont utilis\u00e9es pour faire correspondre un chemin d'acc\u00e8s du serveur \u00e0 un chemin d'acc\u00e8s accessible par les clients. En autorisant un acc\u00e8s direct aux m\u00e9dias du serveur, les clients pourront les lire directement du r\u00e9seau et \u00e9viter l'utilisation inutiles des ressources du serveur en demandant du transcodage.",
+ "HeaderFrom": "De",
+ "HeaderTo": "\u00c0",
+ "LabelFrom": "De :",
+ "LabelFromHelp": "Exemple: D:\\Films (sur le serveur)",
+ "LabelTo": "\u00c0:",
+ "LabelToHelp": "Exemple: \\\\MonServeur\\Films (un chemin d'acc\u00e8s accessible par les clients)",
+ "ButtonAddPathSubstitution": "Ajouter Substitution",
+ "OptionSpecialEpisode": "Sp\u00e9ciaux",
+ "OptionMissingEpisode": "\u00c9pisodes manquantes",
+ "OptionUnairedEpisode": "\u00c9pisodes non diffus\u00e9es",
+ "OptionEpisodeSortName": "Nom de tri d'\u00e9pisode",
+ "OptionSeriesSortName": "Nom de s\u00e9ries",
+ "OptionTvdbRating": "Note d'\u00e9valuation Tvdb",
+ "HeaderTranscodingQualityPreference": "Qualit\u00e9 du transcodage pr\u00e9f\u00e9r\u00e9e:",
+ "OptionAutomaticTranscodingHelp": "Le serveur d\u00e9cidera de la qualit\u00e9 et vitesse",
+ "OptionHighSpeedTranscodingHelp": "Plus basse qualit\u00e9 mais encodage plus rapide",
+ "OptionHighQualityTranscodingHelp": "Plus haute qualit\u00e9 mais encodage moins rapide",
+ "OptionMaxQualityTranscodingHelp": "Meilleure qualit\u00e9 avec encodage plus lent et haute utilisation du processeur.",
+ "OptionHighSpeedTranscoding": "Vitesse plus \u00e9lev\u00e9e",
+ "OptionHighQualityTranscoding": "Qualit\u00e9 plus \u00e9lev\u00e9e",
+ "OptionMaxQualityTranscoding": "Qualit\u00e9 maximale",
+ "OptionEnableDebugTranscodingLogging": "Activer le d\u00e9bogage du transcodage dans le journal d'\u00e9v\u00e8nements",
+ "OptionEnableDebugTranscodingLoggingHelp": "Ceci va cr\u00e9era un journal d\u2019\u00e9v\u00e9nements tr\u00e8s volumineux et n'est recommand\u00e9 que pour des besoins de diagnostique.",
+ "OptionUpscaling": "Autoriser les clients de mettre \u00e0 l'\u00e9chelle (upscale) les vid\u00e9os",
+ "OptionUpscalingHelp": "Dans certains cas, la qualit\u00e9 vid\u00e9o sera am\u00e9lior\u00e9e mais augmentera l'utilisation du processeur.",
+ "EditCollectionItemsHelp": "Ajoutez ou supprimez n'importe quel film, s\u00e9rie, album, livre ou jeux que vous souhaitez grouper dans cette collection.",
+ "HeaderAddTitles": "Ajouter Titres",
+ "LabelEnableDlnaPlayTo": "Activer DLNA \"Lire sur\"",
+ "LabelEnableDlnaPlayToHelp": "Media Browser peut d\u00e9tecter les p\u00e9riph\u00e9riques sur votre r\u00e9seau et offrir l'abilit\u00e9 de les contr\u00f4ler \u00e0 distance.",
+ "LabelEnableDlnaDebugLogging": "Activer le d\u00e9bogage DLNA dans le journal d'\u00e9v\u00e9nements",
+ "LabelEnableDlnaDebugLoggingHelp": "Ceci va g\u00e9n\u00e9rer de gros fichiers de journal d'\u00e9v\u00e9nements et ne devrait \u00eatre utiliser seulement pour des besoins de diagnostique de probl\u00e8mes...",
+ "LabelEnableDlnaClientDiscoveryInterval": "Intervalle de d\u00e9couverte des clients (secondes)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "D\u00e9terminez la dur\u00e9e en secondes de l\u2019intervalle entre les recherches SSDP effectu\u00e9es par Media Browser.",
+ "HeaderCustomDlnaProfiles": "Profils personnalis\u00e9s",
+ "HeaderSystemDlnaProfiles": "Profils syst\u00e8mes",
+ "CustomDlnaProfilesHelp": "Cr\u00e9er un profil personnalis\u00e9 pour cibler un nouveau p\u00e9riph\u00e9rique ou surpasser un profil syst\u00e8me.",
+ "SystemDlnaProfilesHelp": "Les profils syst\u00e8mes sont en lecture seule. Les modifications apport\u00e9es \u00e0 un profil syst\u00e8me seront enregistr\u00e9es sous un nouveau profil personnalis\u00e9.",
+ "TitleDashboard": "Tableau de bord",
+ "TabHome": "Portail",
+ "TabInfo": "Info",
+ "HeaderLinks": "Liens",
+ "HeaderSystemPaths": "Chemins d'acc\u00e8s syst\u00e8mes",
+ "LinkCommunity": "Communaut\u00e9",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Documentation du API",
+ "LabelFriendlyServerName": "Surnom du serveur:",
+ "LabelFriendlyServerNameHelp": "Ce nom sera utilis\u00e9 pour identifier ce serveur. Si laiss\u00e9 vide, le nom d'ordinateur sera utilis\u00e9.",
+ "LabelPreferredDisplayLanguage": "Langue d'affichage pr\u00e9f\u00e9r\u00e9e",
+ "LabelPreferredDisplayLanguageHelp": "La traduction de Media Browser est un projet en cours et n'est pas compl\u00e9t\u00e9e encore.",
+ "LabelReadHowYouCanContribute": "Lire comment vous pouvez contribuer.",
+ "HeaderNewCollection": "Nouvelle collection",
+ "HeaderAddToCollection": "Ajouter \u00e0 la collection",
+ "ButtonSubmit": "Soumettre",
+ "NewCollectionNameExample": "Exemple: Collection Star Wars",
+ "OptionSearchForInternetMetadata": "Rechercher sur Internet les images et m\u00e9tadonn\u00e9es",
+ "ButtonCreate": "Cr\u00e9er",
+ "LabelLocalHttpServerPortNumber": "Num\u00e9ro du port local :",
+ "LabelLocalHttpServerPortNumberHelp": "Le num\u00e9ro du port tcp qui sera li\u00e9 au serveur http de Media Browser.",
+ "LabelPublicPort": "Num\u00e9ro du port publique :",
+ "LabelPublicPortHelp": "Le num\u00e9ro de port public qui sera mapp\u00e9 sur le port local.",
+ "LabelWebSocketPortNumber": "Num\u00e9ro de port du \"Web socket\":",
+ "LabelEnableAutomaticPortMap": "Autoriser le mapping automatique du port",
+ "LabelEnableAutomaticPortMapHelp": "Essayer de mapper automatiquement le port public au port local via UPnP. Cela peut ne pas fonctionner avec certains mod\u00e8les de routeurs.",
+ "LabelExternalDDNS": "DDNS Externe",
+ "LabelExternalDDNSHelp": "Si vous avez un DNS dynamique, entrez-le ici. Les applications Media Browser vont s'en servir pour les connexions \u00e0 distance.",
+ "TabResume": "Reprendre",
+ "TabWeather": "M\u00e9t\u00e9o",
+ "TitleAppSettings": "Param\u00e8tre de l'application",
+ "LabelMinResumePercentage": "Pourcentage minimum pour reprendre:",
+ "LabelMaxResumePercentage": "Pourcentage maximum pour reprendre:",
+ "LabelMinResumeDuration": "Temps de reprise minimum (secondes):",
+ "LabelMinResumePercentageHelp": "Les items seront consid\u00e9r\u00e9s non lus si arr\u00eat\u00e9s avant ce temps:",
+ "LabelMaxResumePercentageHelp": "Les m\u00e9dias sont assum\u00e9s lus si arr\u00eat\u00e9s apr\u00e8s ce temps",
+ "LabelMinResumeDurationHelp": "Les m\u00e9dias plus court que \u00e7a ne seront pas reprenable",
+ "TitleAutoOrganize": "Organisation automatique",
+ "TabActivityLog": "Journal d'activit\u00e9s",
+ "HeaderName": "Nom",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Programme",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Compl\u00e9t\u00e9",
+ "LabelFailed": "\u00c9chou\u00e9",
+ "LabelSkipped": "Saut\u00e9",
+ "HeaderEpisodeOrganization": "Organisation d'\u00e9pisodes",
+ "LabelSeries": "S\u00e9ries :",
+ "LabelSeasonNumber": "Num\u00e9ro de la saison:",
+ "LabelEpisodeNumber": "Num\u00e9ro de l'\u00e9pisode:",
+ "LabelEndingEpisodeNumber": "Num\u00e9ro d'\u00e9pisode final:",
+ "LabelEndingEpisodeNumberHelp": "Seulement requis pour les fichiers multi-\u00e9pisodes",
+ "HeaderSupportTheTeam": "Supporter l'\u00e9quipe Media Browser",
+ "LabelSupportAmount": "Montant (USD)",
+ "HeaderSupportTheTeamHelp": "Aidez la continuation de ce projet en effectuant un don. Une portion de ce don contribuera au d\u00e9veloppement d'autres produits gratuits sur lesquels nous d\u00e9pendons.",
+ "ButtonEnterSupporterKey": "Entrer la cl\u00e9 de supporteur",
+ "DonationNextStep": "Une fois compl\u00e9t\u00e9, merci de revenir et saisir la cl\u00e9 de supporteur re\u00e7ue par courriel.",
+ "AutoOrganizeHelp": "L'organisation automatique surveille vos r\u00e9pertoires de t\u00e9l\u00e9chargement et les nouveaux fichiers puis les d\u00e9place dans vos r\u00e9pertoires de m\u00e9dias. ",
+ "AutoOrganizeTvHelp": "L'organisation de fichiers TV va seulement ajouter des \u00e9pisodes \u00e0 des s\u00e9ries existantes. Ce processus de cr\u00e9\u00e9ra pas de nouveaux r\u00e9pertoires de s\u00e9rie.",
+ "OptionEnableEpisodeOrganization": "Activer l'organisation des nouvelles \u00e9pisodes",
+ "LabelWatchFolder": "R\u00e9pertoire surveill\u00e9:",
+ "LabelWatchFolderHelp": "Le serveur va utiliser ce r\u00e9pertoire pendant la t\u00e2che \"Organiser les nouveaux fichiers de m\u00e9dias\".",
+ "ButtonViewScheduledTasks": "Voir les t\u00e2ches planifi\u00e9es",
+ "LabelMinFileSizeForOrganize": "Taille de fichier minimum (Mo) :",
+ "LabelMinFileSizeForOrganizeHelp": "Les fichiers sous cette taille seront ignor\u00e9s.",
+ "LabelSeasonFolderPattern": "Mod\u00e8le de r\u00e9pertoire de saison:",
+ "LabelSeasonZeroFolderName": "Nom de r\u00e9pertoire pour les saison z\u00e9ro:",
+ "HeaderEpisodeFilePattern": "Mod\u00e8le de fichier d'\u00e9pisode",
+ "LabelEpisodePattern": "Mod\u00e8le d'\u00e9pisode",
+ "LabelMultiEpisodePattern": "Mod\u00e8le de multi-\u00e9pisode:",
+ "HeaderSupportedPatterns": "Mod\u00e8les support\u00e9s",
+ "HeaderTerm": "Terme",
+ "HeaderPattern": "Mod\u00e8le",
+ "HeaderResult": "R\u00e9sultat",
+ "LabelDeleteEmptyFolders": "Supprimer les r\u00e9pertoires vides apr\u00e8s organisation",
+ "LabelDeleteEmptyFoldersHelp": "Activer cette option pour garder le r\u00e9pertoire de t\u00e9l\u00e9chargement vide.",
+ "LabelDeleteLeftOverFiles": "Supprimer le reste des fichiers avec les extensions suivantes:",
+ "LabelDeleteLeftOverFilesHelp": "S\u00e9parer par ;. Par exemple: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "\u00c9craser les \u00e9pisodes existantes",
+ "LabelTransferMethod": "M\u00e9thode de transfert",
+ "OptionCopy": "Copier",
+ "OptionMove": "D\u00e9placer",
+ "LabelTransferMethodHelp": "Copier or d\u00e9placer des fichiers du r\u00e9pertoire surveill\u00e9",
+ "HeaderLatestNews": "Derni\u00e8res nouvelles",
+ "HeaderHelpImproveMediaBrowser": "Aidez-nous \u00e0 am\u00e9liorer Media Browser",
+ "HeaderRunningTasks": "T\u00e2ches en ex\u00e9cution",
+ "HeaderActiveDevices": "P\u00e9riph\u00e9riques actifs",
+ "HeaderPendingInstallations": "Installations en suspens",
+ "HeaerServerInformation": "Information du serveur",
+ "ButtonRestartNow": "Red\u00e9marrer maintenant",
+ "ButtonRestart": "Red\u00e9marrer",
+ "ButtonShutdown": "\u00c9teindre",
+ "ButtonUpdateNow": "Mettre \u00e0 jour maintenant",
+ "PleaseUpdateManually": "Merci d'\u00e9teindre le serveur et de le mettre \u00e0 jour manuellement.",
+ "NewServerVersionAvailable": "Une nouvelle version de Media Browser Server est disponible!",
+ "ServerUpToDate": "Media Browser Server est \u00e0 jour",
+ "ErrorConnectingToMediaBrowserRepository": "Une erreur est survenue avec la connexion au r\u00e9f\u00e9rentiel de donn\u00e9es de Media Browser.",
+ "LabelComponentsUpdated": "Les composants suivants ont \u00e9t\u00e9 install\u00e9s ou mis \u00e0 jour.",
+ "MessagePleaseRestartServerToFinishUpdating": "Merci de red\u00e9marrer le serveur pour appliquer les mises \u00e0 jour.",
+ "LabelDownMixAudioScale": "Boost audio lors de downmix:",
+ "LabelDownMixAudioScaleHelp": "Boost audio lors de downmix. Mettre \u00e0 1 pour pr\u00e9server la valeur originale du volume.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Ancienne cl\u00e9 de supporteur",
+ "LabelNewSupporterKey": "Nouvelle cl\u00e9 de supporteur",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Adresse courriel actuelle",
+ "LabelCurrentEmailAddressHelp": "L'adresse courriel actuelle \u00e0 laquelle votre nouvelle cl\u00e9 a \u00e9t\u00e9 envoy\u00e9e.",
+ "HeaderForgotKey": "Oubli\u00e9 cl\u00e9",
+ "LabelEmailAddress": "Adresse courriel",
+ "LabelSupporterEmailAddress": "L'adresse courriel avec laquelle la cl\u00e9 a \u00e9t\u00e9 achet\u00e9e.",
+ "ButtonRetrieveKey": "obtenir la cl\u00e9",
+ "LabelSupporterKey": "Cl\u00e9 de supporteur (coller du courriel)",
+ "LabelSupporterKeyHelp": "Entrez votre cl\u00e9 du supporteur pour commencer \u00e0 profiter des b\u00e9n\u00e9fices additionnels que la communaut\u00e9 a d\u00e9velopp\u00e9 pour Media Browser.",
+ "MessageInvalidKey": "Cl\u00e9 de supporteur manquante ou invalide",
+ "ErrorMessageInvalidKey": "Pour que le contenu premium soit enregistr\u00e9, vous devez aussi \u00eatre supporteur Media Browser. S'il vous plait, effectuez des dons et soutenez la continuation du d\u00e9veloppement de Media Browser.",
+ "HeaderDisplaySettings": "Param\u00e8tres d'affichage",
+ "TabPlayTo": "Lire sur",
+ "LabelEnableDlnaServer": "Activer le serveur DLNA",
+ "LabelEnableDlnaServerHelp": "Autorise les p\u00e9riph\u00e9riques UPnP sur votre r\u00e9seau \u00e0 parcourir et lire le contenu Media Browser.",
+ "LabelEnableBlastAliveMessages": "Diffuser des message de pr\u00e9sence",
+ "LabelEnableBlastAliveMessagesHelp": "Activer cette option si le serveur n'est pas d\u00e9tect\u00e9 d'une mani\u00e8re fiable par d'autres p\u00e9riph\u00e9riques UPnP sur votre r\u00e9seau.",
+ "LabelBlastMessageInterval": "Intervalles des messages de pr\u00e9sence (secondes):",
+ "LabelBlastMessageIntervalHelp": "D\u00e9termine la dur\u00e9e en secondes entre les message de pr\u00e9sences.",
+ "LabelDefaultUser": "Utilisateur par d\u00e9faut :",
+ "LabelDefaultUserHelp": "D\u00e9termine quelle biblioth\u00e8que d'utilisateur doit \u00eatre afficher sur les appareils connect\u00e9s. Ces param\u00e8tres peuvent \u00eatre remplac\u00e9s pour chaque appareil par les configurations de profils.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Cha\u00eenes",
+ "HeaderServerSettings": "Param\u00e8tres du serveur",
+ "LabelWeatherDisplayLocation": "Emplacement de l'affichage de la m\u00e9t\u00e9o:",
+ "LabelWeatherDisplayLocationHelp": "Code ZIP US \/ Ville, \u00c9tat, Pays \/ Ville, Pays",
+ "LabelWeatherDisplayUnit": "Unit\u00e9 d'affichage de la m\u00e9t\u00e9o:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Exiger l'entr\u00e9e manuelle du nom d'utilisateur pour:",
+ "HeaderRequireManualLoginHelp": "Lorsque d\u00e9sactiv\u00e9, le clients auront un \u00e9cran de connexion avec une s\u00e9lection visuelle des utilisateurs.",
+ "OptionOtherApps": "Autres applications",
+ "OptionMobileApps": "Applications mobiles",
+ "HeaderNotificationList": "Cliquez sur une notification pour configurer ses options d'envois",
+ "NotificationOptionApplicationUpdateAvailable": "Mise \u00e0 jour d'application disponible",
+ "NotificationOptionApplicationUpdateInstalled": "Mise \u00e0 jour d'application mis \u00e0 jour",
+ "NotificationOptionPluginUpdateInstalled": "Mise \u00e0 jour de plugin install\u00e9e",
+ "NotificationOptionPluginInstalled": "Plugin install\u00e9",
+ "NotificationOptionPluginUninstalled": "Plugin d\u00e9sinstall\u00e9",
+ "NotificationOptionVideoPlayback": "Lecture vid\u00e9o d\u00e9marr\u00e9e",
+ "NotificationOptionAudioPlayback": "Lecture audio d\u00e9marr\u00e9e",
+ "NotificationOptionGamePlayback": "Lecture de jeu d\u00e9marr\u00e9e",
+ "NotificationOptionVideoPlaybackStopped": "Lecture vid\u00e9o arr\u00eat\u00e9e",
+ "NotificationOptionAudioPlaybackStopped": "Lecture audio arr\u00eat\u00e9e",
+ "NotificationOptionGamePlaybackStopped": "Lecture de jeu arr\u00eat\u00e9e",
+ "NotificationOptionTaskFailed": "\u00c9chec de t\u00e2che planifi\u00e9e",
+ "NotificationOptionInstallationFailed": "\u00c9chec d'installation",
+ "NotificationOptionNewLibraryContent": "Nouveau contenu ajout\u00e9",
+ "NotificationOptionNewLibraryContentMultiple": "Nouveau contenu ajout\u00e9 (multiple)",
+ "SendNotificationHelp": "Par d\u00e9faut, les notifications sont d\u00e9livr\u00e9es dans la bo\u00eete de r\u00e9ception du tableau de bord. Consultez le catalogue de plugins pour installer des options de notifications suppl\u00e9mentaires.",
+ "NotificationOptionServerRestartRequired": "Un red\u00e9marrage du serveur est requis",
+ "LabelNotificationEnabled": "Activer cette notification",
+ "LabelMonitorUsers": "Surveiller les activit\u00e9s de:",
+ "LabelSendNotificationToUsers": "Envoyer la notification \u00e0:",
+ "LabelUseNotificationServices": "Utiliser les services suivants:",
+ "CategoryUser": "Utilisateur",
+ "CategorySystem": "Syst\u00e8me",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Titre du message:",
+ "LabelAvailableTokens": "Jetons disponibles:",
+ "AdditionalNotificationServices": "Visitez le catalogue de plugins pour installer des service de notifications suppl\u00e9mentaires.",
+ "OptionAllUsers": "Tous les utilisateurs",
+ "OptionAdminUsers": "Administrateurs",
+ "OptionCustomUsers": "Personnalis\u00e9",
+ "ButtonArrowUp": "Haut",
+ "ButtonArrowDown": "Bas",
+ "ButtonArrowLeft": "Gauche",
+ "ButtonArrowRight": "Droite",
+ "ButtonBack": "Retour arri\u00e8re",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "Affichage \u00e0 l'\u00e9cran",
+ "ButtonPageUp": "Page suivante",
+ "ButtonPageDown": "Page pr\u00e9c\u00e9dante",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Portail",
+ "ButtonSearch": "Recherche",
+ "ButtonSettings": "Param\u00e8tres",
+ "ButtonTakeScreenshot": "Capture d'\u00e9cran",
+ "ButtonLetterUp": "Lettre haut",
+ "ButtonLetterDown": "Lettre bas",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Lecture en cours",
+ "TabNavigation": "Navigation",
+ "TabControls": "Contr\u00f4les",
+ "ButtonFullscreen": "Basculer en plein \u00e9cran",
+ "ButtonScenes": "Sc\u00e8nes",
+ "ButtonSubtitles": "Sous-titres",
+ "ButtonAudioTracks": "Pistes audio",
+ "ButtonPreviousTrack": "Piste pr\u00e9c\u00e9dente",
+ "ButtonNextTrack": "Piste suivante",
+ "ButtonStop": "Arr\u00eat",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Suivant",
+ "ButtonPrevious": "Pr\u00e9c\u00e9dent",
+ "LabelGroupMoviesIntoCollections": "Grouper les films en collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "Dans l'affichage des listes de films, les films faisant partie d'une collection seront affich\u00e9s comme un item de groupe.",
+ "NotificationOptionPluginError": "\u00c9chec de plugin",
+ "ButtonVolumeUp": "Volume haut",
+ "ButtonVolumeDown": "Volume bas",
+ "ButtonMute": "Sourdine",
+ "HeaderLatestMedia": "Derniers m\u00e9dias",
+ "OptionSpecialFeatures": "Bonus",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "S\u00e9par\u00e9s par des virgules. Peut \u00eatre laiss\u00e9 vide pour appliquer tous les codecs.",
+ "LabelProfileContainersHelp": "S\u00e9par\u00e9s par des virgules. Peut \u00eatre laiss\u00e9 vide pour appliquer tous les conteneurs.",
+ "HeaderResponseProfile": "Profil de r\u00e9ponse",
+ "LabelType": "Type :",
+ "LabelPersonRole": "R\u00f4le:",
+ "LabelPersonRoleHelp": "Le r\u00f4le n'est g\u00e9n\u00e9ralement applicable qu'aux acteurs.",
+ "LabelProfileContainer": "Conteneur:",
+ "LabelProfileVideoCodecs": "Codecs vid\u00e9os :",
+ "LabelProfileAudioCodecs": "Codecs audios :",
+ "LabelProfileCodecs": "Codecs :",
+ "HeaderDirectPlayProfile": "Profil de lecture directe (Direct Play):",
+ "HeaderTranscodingProfile": "Profil de transcodage",
+ "HeaderCodecProfile": "Profil de codecs",
+ "HeaderCodecProfileHelp": "Les profils de codecs sp\u00e9cifient les limites de lecture de codecs sp\u00e9cifiques d'un appareil. Si la limite s'applique, le m\u00e9dia sera transcod\u00e9, m\u00eame si le codec est configur\u00e9 pour des lectures directes.",
+ "HeaderContainerProfile": "Profil de conteneur",
+ "HeaderContainerProfileHelp": "Les profils de conteneur indique les limites d'un appareil lors de lectures de formats sp\u00e9cifiques. Si la limite s'applique au m\u00e9dia, ce dernier sera transcod\u00e9, m\u00eame si le format est configur\u00e9 pour faire de la lecture directe.",
+ "OptionProfileVideo": "Vid\u00e9o",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Vid\u00e9o Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "Biblioth\u00e8que de l'utilisateur:",
+ "LabelUserLibraryHelp": "S\u00e9lectionner quelle biblioth\u00e8que d'utilisateur \u00e0 afficher sur l'appareil. Laisser vide pour h\u00e9riter des param\u00e8tres par d\u00e9faut.",
+ "OptionPlainStorageFolders": "Afficher tous les r\u00e9pertoires en tant que simple r\u00e9pertoires de stockage.",
+ "OptionPlainStorageFoldersHelp": "Si activ\u00e9, tous les r\u00e9pertoires seront affich\u00e9s en DIDL en tant que \"object.container.storageFolder\" au lieu de formats plus sp\u00e9cifiques comme, par exemple \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Afficher les vid\u00e9os en tant que simple items vid\u00e9os.",
+ "OptionPlainVideoItemsHelp": "Si activ\u00e9, tous les vid\u00e9os seront affich\u00e9s en DIDL en tant que \"object.item.videoItem\" au lieu de formats plus sp\u00e9cifiques comme, par exemple \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Types de m\u00e9dias support\u00e9s:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Lecture directe",
+ "TabContainers": "Conteneur",
+ "TabCodecs": "Codecs",
+ "TabResponses": "R\u00e9ponses",
+ "HeaderProfileInformation": "Information de profil",
+ "LabelEmbedAlbumArtDidl": "Int\u00e9grer les images d'album dans Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Certains p\u00e9riph\u00e9riques pr\u00e9f\u00e8rent cette m\u00e9thode pour obtenir les images d'album. D'autres peuvent \u00e9chouer \u00e0 lire avec cette option activ\u00e9e.",
+ "LabelAlbumArtPN": "PN d'images d'album:",
+ "LabelAlbumArtHelp": "PN utilis\u00e9 pour les images d'album, dans l\u2019attribut dlna:profileID de upnp:albumArtURi. Certains client n\u00e9cessite une valeur sp\u00e9cifique, peu importe la grosseur de l'image.",
+ "LabelAlbumArtMaxWidth": "Largeur maximum des images d'album:",
+ "LabelAlbumArtMaxWidthHelp": "R\u00e9solution maximum des images d'album expos\u00e9e par upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Hauteur maximum des images d'album:",
+ "LabelAlbumArtMaxHeightHelp": "R\u00e9solution maximum des images d'album expos\u00e9e par upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Largeur maximum des ic\u00f4nes:",
+ "LabelIconMaxWidthHelp": "R\u00e9solution maximum des ic\u00f4nes expos\u00e9e par upnp:icon.",
+ "LabelIconMaxHeight": "hauteur maximum des ic\u00f4nes:",
+ "LabelIconMaxHeightHelp": "R\u00e9solution maximum des ic\u00f4nes expos\u00e9e par upnp:icon.",
+ "LabelIdentificationFieldHelp": "Une sous-cha\u00eene ou expression regex insensible \u00e0 la diff\u00e9rence minuscules-majuscules.",
+ "HeaderProfileServerSettingsHelp": "Ces valeurs contr\u00f4lent comment Media Browser se pr\u00e9sentera au p\u00e9riph\u00e9rique.",
+ "LabelMaxBitrate": "D\u00e9bit maximum:",
+ "LabelMaxBitrateHelp": "Sp\u00e9cifiez un d\u00e9bit maximum dans les environnements avec bande passante limit\u00e9e ou si l'appareil impose sa propre limite.",
+ "LabelMaxStreamingBitrate": "D\u00e9bit max de streaming :",
+ "LabelMaxStreamingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max lors du streaming.",
+ "LabelMaxStaticBitrate": "D\u00e9bit max de synchronisation :",
+ "LabelMaxStaticBitrateHelp": "Sp\u00e9cifiez un d\u00e9bit max pour la synchronisation de contenu en haute qualit\u00e9.",
+ "LabelMusicStaticBitrate": "D\u00e9bit de synchronisation de la musique",
+ "LabelMusicStaticBitrateHelp": "Sp\u00e9cifier un d\u00e9bit maxi de synchronisation de la musique",
+ "LabelMusicStreamingTranscodingBitrate": "D\u00e9bit du transcodage musique :",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Sp\u00e9cifiez le d\u00e9bit max pendant la diffusion de musique",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore le transcodage des demandes de plage d'octets",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Si activ\u00e9, ces requ\u00eates\/demandes seront honor\u00e9es mais l'ent\u00eate de plage d'octets sera ignor\u00e9. ",
+ "LabelFriendlyName": "Surnom d'affichage",
+ "LabelManufacturer": "Manufacturier",
+ "LabelManufacturerUrl": "URL du manufacturier",
+ "LabelModelName": "Nom de mod\u00e8le",
+ "LabelModelNumber": "Num\u00e9ro de mod\u00e8le",
+ "LabelModelDescription": "Description de mod\u00e8le",
+ "LabelModelUrl": "URL de mod\u00e8le",
+ "LabelSerialNumber": "Num\u00e9ro de s\u00e9rie",
+ "LabelDeviceDescription": "Description du p\u00e9riph\u00e9rique",
+ "HeaderIdentificationCriteriaHelp": "Entrer au moins un crit\u00e8re d'identification.",
+ "HeaderDirectPlayProfileHelp": "Ajouter des profils de lecture directe pour indiquer quels formats le p\u00e9riph\u00e9rique peut lire de fa\u00e7on native.",
+ "HeaderTranscodingProfileHelp": "Ajoutez des profils de transcodage pour indiquer quels formats devraient \u00eatre utilis\u00e9s quand le transcodage est requis.",
+ "HeaderResponseProfileHelp": "Les profils de r\u00e9ponse permettent de personnaliser l'information envoy\u00e9e au p\u00e9riph\u00e9rique lors de la lecture de certains types de m\u00e9dia.",
+ "LabelXDlnaCap": "Cap X-Dlna:",
+ "LabelXDlnaCapHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments X_DLNACAP dans l'espace de nom urn:schemas-dlna-org:device-1-0.",
+ "LabelXDlnaDoc": "Doc X-Dlna:",
+ "LabelXDlnaDocHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments X_DLNADOC dans l'espace de nom urn:schemas-dlna-org:device-1-0.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "D\u00e9termine le contenu des \u00e9l\u00e9ments aggregationFlags dans l'espace de nom urn:schemas-sonycom:av .",
+ "LabelTranscodingContainer": "Conteneur:",
+ "LabelTranscodingVideoCodec": "Codec vid\u00e9o:",
+ "LabelTranscodingVideoProfile": "Profil vid\u00e9o :",
+ "LabelTranscodingAudioCodec": "Codec audio:",
+ "OptionEnableM2tsMode": "Activer le mode M2ts",
+ "OptionEnableM2tsModeHelp": "Activ\u00e9 le mode m2ts lors d'encodage en mpegts.",
+ "OptionEstimateContentLength": "Estimer la dur\u00e9e du contenu lors d'encodage",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Signaler que le serveur prend en charge la recherche d'octets lors du transcodage",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Cette option est requise pour certains p\u00e9riph\u00e9riques qui ne \"time seek\" pas tr\u00e8s bien.",
+ "HeaderSubtitleDownloadingHelp": "Lorsque Media Browser balaye vos fichiers vid\u00e9os, le serveur peut rechercher des sous-titres manquants et les t\u00e9l\u00e9charger en utilisant un fournisseur de sous-titre comme OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "T\u00e9l\u00e9charger les sous-titres pour :",
+ "MessageNoChapterProviders": "Installer un plugin de fournisseur de chapitre tel que ChapterDb pour activer les options suppl\u00e9mentaires de chapitre.",
+ "LabelSkipIfGraphicalSubsPresent": "Sauter la vid\u00e9o si elle contient d\u00e9j\u00e0 des sous-titres graphiques",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Garder des versions textes des sous-titres va \u00eatre plus efficace avec les appareils mobiles.",
+ "TabSubtitles": "Sous-titres",
+ "TabChapters": "Chapitres",
+ "HeaderDownloadChaptersFor": "T\u00e9l\u00e9charger les noms de chapitre pour:",
+ "LabelOpenSubtitlesUsername": "Nom d'utilisateur de Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "Mot de passe de Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "Lorsque Media Browser scanne vos fichiers vid\u00e9o, il peut facilement t\u00e9l\u00e9charger les noms de chapitre depuis Internet en utilisant le plugin de chapitre tel que ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Utiliser la flux audio par d\u00e9faut peu importe la langue",
+ "LabelSubtitlePlaybackMode": "Mode de sous-titres:",
+ "LabelDownloadLanguages": "T\u00e9l\u00e9chargement de langues:",
+ "ButtonRegister": "S'enregistrer",
+ "LabelSkipIfAudioTrackPresent": "Sauter si la piste audio correspond \u00e0 la langue de t\u00e9l\u00e9chargement",
+ "LabelSkipIfAudioTrackPresentHelp": "D\u00e9cocher cette option va assurer que tous les vid\u00e9os ont des sous-titres, peu importe la langue audio.",
+ "HeaderSendMessage": "Envoyer un message",
+ "ButtonSend": "Envoyer",
+ "LabelMessageText": "Texte du message:",
+ "MessageNoAvailablePlugins": "Aucun plugin disponible.",
+ "LabelDisplayPluginsFor": "Afficher les plugins pour :",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theatre",
+ "LabelEpisodeNamePlain": "Nom d'\u00e9pisode",
+ "LabelSeriesNamePlain": "Nom de la s\u00e9rie",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Num\u00e9ro de la saison",
+ "LabelEpisodeNumberPlain": "Num\u00e9ro d'\u00e9pisode",
+ "LabelEndingEpisodeNumberPlain": "Num\u00e9ro d'\u00e9pisode final",
+ "HeaderTypeText": "Entrer texte",
+ "LabelTypeText": "Texte",
+ "HeaderSearchForSubtitles": "Rechercher des sous-titres",
+ "MessageNoSubtitleSearchResultsFound": "Aucun r\u00e9sultat trouv\u00e9.",
+ "TabDisplay": "Affichage",
+ "TabLanguages": "Langues",
+ "TabWebClient": "Client Web",
+ "LabelEnableThemeSongs": "Activer les chansons th\u00e8mes",
+ "LabelEnableBackdrops": "Activer les images d'arri\u00e8re-plans",
+ "LabelEnableThemeSongsHelp": "Si activ\u00e9, les chansons themes seront lues en arri\u00e8re-plan pendant la navigation dans les biblioth\u00e8ques.",
+ "LabelEnableBackdropsHelp": "Si activ\u00e9, les images d'arri\u00e8re-plan seront affich\u00e9es sur certaines pages pendant la navigation dans les biblioth\u00e8ques.",
+ "HeaderHomePage": "Portail",
+ "HeaderSettingsForThisDevice": "Param\u00e8tres pour ce p\u00e9riph\u00e9rique",
+ "OptionAuto": "Auto",
+ "OptionYes": "Oui",
+ "OptionNo": "Non",
+ "LabelHomePageSection1": "Premi\u00e8re section du portail :",
+ "LabelHomePageSection2": "Seconde section du portail :",
+ "LabelHomePageSection3": "Troisi\u00e8me section du portail :",
+ "LabelHomePageSection4": "Quatri\u00e8me section du portail:",
+ "OptionMyViewsButtons": "Mes vues (bouttons)",
+ "OptionMyViews": "Mes vues",
+ "OptionMyViewsSmall": "Mes vues (petit)",
+ "OptionResumablemedia": "Reprendre",
+ "OptionLatestMedia": "Les plus r\u00e9cents",
+ "OptionLatestChannelMedia": "Items de cha\u00eene les plus r\u00e9cents",
+ "HeaderLatestChannelItems": "Items de cha\u00eene les plus r\u00e9cents",
+ "OptionNone": "Aucun",
+ "HeaderLiveTv": "TV en direct",
+ "HeaderReports": "Rapports",
+ "HeaderMetadataManager": "Gestionnaire de m\u00e9tadonn\u00e9es",
+ "HeaderPreferences": "Pr\u00e9f\u00e9rences",
+ "MessageLoadingChannels": "Chargement du contenu de la cha\u00eene...",
+ "MessageLoadingContent": "Chargement du contenu...",
+ "ButtonMarkRead": "Marquer comme lu",
+ "OptionDefaultSort": "Par d\u00e9faut",
+ "OptionCommunityMostWatchedSort": "Les plus \u00e9cout\u00e9s",
+ "TabNextUp": "Prochains \u00e0 voir",
+ "MessageNoMovieSuggestionsAvailable": "Aucune suggestion de film n'est actuellement disponible. Commencez \u00e0 regarder et noter vos films pour avoir des suggestions.",
+ "MessageNoCollectionsAvailable": "Les Collections permettent le groupement de films, S\u00e9ries, Albums, Livres et Jeux. Cliquer sur \"Nouveau\" pour commencer la cr\u00e9ation des Collections.",
+ "MessageNoPlaylistsAvailable": "Les listes de lectures vous permettent de cr\u00e9er des listes de contenus \u00e0 lire en continu en une fois. Pour ajouter un \u00e9l\u00e9ment \u00e0 la liste, faire un clic droit ou appuyer et maintenez, s\u00e9lectionnez ensuite Ajouter \u00e0 la liste de lecture",
+ "MessageNoPlaylistItemsAvailable": "Cette liste de lecture est pr\u00e9sentement vide.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Bienvenue au client Web Media Browser",
+ "ButtonDismiss": "Annuler",
+ "ButtonTakeTheTour": "Visite guid\u00e9e",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Qualit\u00e9 de diffusion internet pr\u00e9f\u00e9r\u00e9e :",
+ "LabelChannelStreamQualityHelp": "Avec une bande passante faible, limiter la qualit\u00e9 garantit un confort d'utilisation du streaming.",
+ "OptionBestAvailableStreamQuality": "Meilleur disponible",
+ "LabelEnableChannelContentDownloadingFor": "Activer le t\u00e9l\u00e9chargement de contenu de cha\u00eene pour:",
+ "LabelEnableChannelContentDownloadingForHelp": "Certaines cha\u00eenes supportent la priorit\u00e9 de t\u00e9l\u00e9chargement de contenu lors du visionnage. Activez ceci pour les environnements \u00e0 bande passante faible afin de t\u00e9l\u00e9charger le contenu des cha\u00eenes pendant les horaires d'inactivit\u00e9. Le contenu est t\u00e9l\u00e9charg\u00e9 suivant la programmation de celui-ci dans les t\u00e2ches planifi\u00e9es.",
+ "LabelChannelDownloadPath": "Chemin d'acc\u00e8s de t\u00e9l\u00e9chargement de contenu de cha\u00eene:",
+ "LabelChannelDownloadPathHelp": "Sp\u00e9cifiez un chemin de t\u00e9l\u00e9chargements personnalis\u00e9 si besoin. Laissez vide pour t\u00e9l\u00e9charger dans un r\u00e9pertoire interne du programme.",
+ "LabelChannelDownloadAge": "Supprimer le contenu apr\u00e8s : (jours)",
+ "LabelChannelDownloadAgeHelp": "Le contenu t\u00e9l\u00e9charg\u00e9 plus vieux sera supprim\u00e9. Par contre, il sera toujours disponible par flux Internet (en ligne).",
+ "ChannelSettingsFormHelp": "Installer des cha\u00eenes comme \"Trailers\" et \"Vimeo\" dans le catalogue des plugins.",
+ "LabelSelectCollection": "S\u00e9lectionner la collection :",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Films",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Jeux",
+ "ViewTypeMusic": "Musique",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Cha\u00eenes",
+ "ViewTypeLiveTV": "TV en direct",
+ "ViewTypeLiveTvNowPlaying": "Diffusion maintenant",
+ "ViewTypeLatestGames": "Derniers jeux",
+ "ViewTypeRecentlyPlayedGames": "R\u00e9cemment jou\u00e9",
+ "ViewTypeGameFavorites": "Favoris",
+ "ViewTypeGameSystems": "Syst\u00e8me de jeu",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Reprise",
+ "ViewTypeTvNextUp": "Suivant haut",
+ "ViewTypeTvLatest": "Derniers",
+ "ViewTypeTvShowSeries": "S\u00e9ries",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "S\u00e9ries favorites",
+ "ViewTypeTvFavoriteEpisodes": "Episodes favoris",
+ "ViewTypeMovieResume": "Reprise",
+ "ViewTypeMovieLatest": "Dernier",
+ "ViewTypeMovieMovies": "Films",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favoris",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Dernier",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Artiste de l'album",
+ "HeaderOtherDisplaySettings": "Param\u00e8tres d'affichage",
+ "ViewTypeMusicSongs": "Chansons",
+ "ViewTypeMusicFavorites": "Favoris",
+ "ViewTypeMusicFavoriteAlbums": "Albums favoris",
+ "ViewTypeMusicFavoriteArtists": "Artistes favoris"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/he.json b/MediaBrowser.Server.Implementations/Localization/Server/he.json
index 183ab5a10c..69e5524d50 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/he.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/he.json
@@ -1,588 +1,6 @@
{
- "TabGuide": "\u05de\u05d3\u05e8\u05d9\u05da",
- "TabChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd",
- "TabCollections": "Collections",
- "HeaderChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd",
- "TabRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea",
- "TabScheduled": "\u05dc\u05d5\u05d7 \u05d6\u05de\u05e0\u05d9\u05dd",
- "TabSeries": "\u05e1\u05d3\u05e8\u05d5\u05ea",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "\u05d1\u05d8\u05dc \u05d4\u05e7\u05dc\u05d8\u05d4",
- "HeaderPrePostPadding": "\u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd\/\u05de\u05d0\u05d5\u05d7\u05e8",
- "LabelPrePaddingMinutes": "\u05d3\u05e7\u05d5\u05ea \u05e9\u05dc \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd:",
- "OptionPrePaddingRequired": "\u05db\u05d3\u05d9 \u05dc\u05d4\u05e7\u05dc\u05d9\u05d8 \u05d9\u05e9 \u05e6\u05d5\u05e8\u05da \u05dc\u05d4\u05d2\u05d3\u05d9\u05e8 \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd.",
- "LabelPostPaddingMinutes": "\u05d3\u05e7\u05d5\u05ea \u05e9\u05dc \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05d0\u05d5\u05d7\u05e8:",
- "OptionPostPaddingRequired": "\u05db\u05d3\u05d9 \u05dc\u05d4\u05e7\u05dc\u05d9\u05d8 \u05d9\u05e9 \u05e6\u05d5\u05e8\u05da \u05dc\u05d4\u05d2\u05d3\u05d9\u05e8 \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05d0\u05d5\u05d7\u05e8.",
- "HeaderWhatsOnTV": "\u05de\u05d4 \u05de\u05e9\u05d5\u05d3\u05e8",
- "HeaderUpcomingTV": "\u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05e7\u05e8\u05d5\u05d1\u05d9\u05dd",
- "TabStatus": "\u05de\u05e6\u05d1",
- "TabSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea",
- "ButtonRefreshGuideData": "\u05e8\u05e2\u05e0\u05df \u05d0\u05ea \u05de\u05d3\u05e8\u05d9\u05da \u05d4\u05e9\u05d9\u05d3\u05d5\u05e8",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "\u05e2\u05d3\u05d9\u05e4\u05d5\u05ea",
- "OptionRecordOnAllChannels": "\u05d4\u05e7\u05dc\u05d8 \u05ea\u05d5\u05db\u05e0\u05d9\u05d5\u05ea \u05d1\u05db\u05dc \u05d4\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd",
- "OptionRecordAnytime": "\u05d4\u05e7\u05dc\u05d8 \u05ea\u05d5\u05db\u05e0\u05d9\u05ea \u05d1\u05db\u05dc \u05d6\u05de\u05df",
- "OptionRecordOnlyNewEpisodes": "\u05d4\u05e7\u05dc\u05d8 \u05e8\u05e7 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd",
- "HeaderDays": "\u05d9\u05de\u05d9\u05dd",
- "HeaderActiveRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea",
- "HeaderLatestRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05e0\u05d5\u05ea",
- "HeaderAllRecordings": "\u05db\u05dc \u05d4\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea",
- "ButtonPlay": "\u05e0\u05d2\u05df",
- "ButtonEdit": "\u05e2\u05e8\u05d5\u05da",
- "ButtonRecord": "\u05d4\u05e7\u05dc\u05d8",
- "ButtonDelete": "\u05de\u05d7\u05e7",
- "ButtonRemove": "\u05d4\u05e1\u05e8",
- "OptionRecordSeries": "\u05d4\u05dc\u05e7\u05d8 \u05e1\u05d3\u05e8\u05d5\u05ea",
- "HeaderDetails": "\u05e4\u05e8\u05d8\u05d9\u05dd",
- "TitleLiveTV": "\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4",
- "LabelNumberOfGuideDays": "\u05de\u05e1\u05e4\u05e8 \u05d9\u05de\u05d9 \u05dc\u05d5\u05d7 \u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4",
- "LabelNumberOfGuideDaysHelp": "\u05d4\u05d5\u05e8\u05d3\u05ea \u05d9\u05d5\u05ea\u05e8 \u05d9\u05de\u05d9 \u05dc\u05d5\u05d7 \u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05de\u05d0\u05e4\u05e9\u05e8\u05ea \u05d9\u05db\u05d5\u05dc\u05ea \u05dc\u05ea\u05db\u05e0\u05df \u05d5\u05dc\u05e8\u05d0\u05d5\u05ea \u05d9\u05d5\u05ea\u05e8 \u05ea\u05d5\u05db\u05e0\u05d9\u05d5\u05ea \u05e7\u05d3\u05d9\u05de\u05d4, \u05d0\u05d1\u05dc \u05d2\u05dd \u05d6\u05de\u05df \u05d4\u05d4\u05d5\u05e8\u05d3\u05d4 \u05d9\u05e2\u05dc\u05d4. \u05de\u05e6\u05d1 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9 \u05d9\u05d9\u05e7\u05d1\u05e2 \u05dc\u05e4\u05e0\u05d9 \u05de\u05e1\u05e4\u05e8 \u05d4\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd.",
- "LabelActiveService": "\u05e9\u05d9\u05e8\u05d5\u05ea \u05e4\u05e2\u05d9\u05dc:",
- "LabelActiveServiceHelp": "\u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05ea\u05e7\u05d9\u05df \u05de\u05e1\u05e4\u05e8 \u05ea\u05d5\u05e1\u05e4\u05d9 \u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4, \u05d0\u05da \u05e8\u05e7 \u05d0\u05d7\u05d3 \u05d9\u05db\u05d5\u05dc \u05dc\u05d4\u05d9\u05d5\u05ea \u05de\u05d5\u05e4\u05e2\u05dc \u05d1\u05db\u05dc \u05e8\u05d2\u05e2 \u05e0\u05ea\u05d5\u05df.",
- "OptionAutomatic": "\u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9",
- "LiveTvPluginRequired": "\u05d9\u05e9 \u05e6\u05d5\u05e8\u05da \u05d1\u05ea\u05d5\u05e1\u05e3 \u05e1\u05e4\u05e7 \u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4 \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05d4\u05de\u05e9\u05d9\u05da.",
- "LiveTvPluginRequiredHelp": "\u05d0\u05e0\u05d0 \u05d4\u05ea\u05e7\u05df \u05d0\u05ea \u05d0\u05d7\u05d3 \u05de\u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05d4\u05d0\u05e4\u05e9\u05e8\u05d9\u05d9\u05dd \u05e9\u05dc\u05e0\u05d5\u05ea \u05db\u05de\u05d5 Next Pvr \u05d0\u05d5 ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "\u05ea\u05e4\u05e8\u05d9\u05d8",
- "OptionDownloadLogoImage": "\u05dc\u05d5\u05d2\u05d5",
- "OptionDownloadBoxImage": "\u05de\u05d0\u05e8\u05d6",
- "OptionDownloadDiscImage": "\u05d3\u05d9\u05e1\u05e7",
- "OptionDownloadBannerImage": "\u05d1\u05d0\u05e0\u05e8",
- "OptionDownloadBackImage": "\u05d2\u05d1",
- "OptionDownloadArtImage": "\u05e2\u05d8\u05d9\u05e4\u05d4",
- "OptionDownloadPrimaryImage": "\u05e8\u05d0\u05e9\u05d9",
- "HeaderFetchImages": "\u05d4\u05d1\u05d0 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea:",
- "HeaderImageSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05ea\u05de\u05d5\u05e0\u05d4",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "\u05de\u05e1\u05e4\u05e8 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9 \u05dc\u05e4\u05e8\u05d9\u05d8:",
- "LabelMaxScreenshotsPerItem": "\u05de\u05e1\u05e4\u05e8 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05de\u05e1\u05da \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9 \u05dc\u05e4\u05e8\u05d9\u05d8:",
- "LabelMinBackdropDownloadWidth": "\u05e8\u05d5\u05d7\u05d1 \u05ea\u05de\u05d5\u05e0\u05ea \u05e8\u05e7\u05e2 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4:",
- "LabelMinScreenshotDownloadWidth": "\u05e8\u05d7\u05d5\u05d1 \u05ea\u05de\u05d5\u05e0\u05ea \u05de\u05e1\u05da \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9\u05ea \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4:",
- "ButtonAddScheduledTaskTrigger": "\u05d4\u05d5\u05e1\u05e3 \u05d8\u05e8\u05d9\u05d2\u05e8 \u05dc\u05de\u05e9\u05d9\u05de\u05d4",
- "HeaderAddScheduledTaskTrigger": "\u05d4\u05d5\u05e1\u05e3 \u05d8\u05e8\u05d9\u05d2\u05e8 \u05dc\u05de\u05e9\u05d9\u05de\u05d4",
- "ButtonAdd": "\u05d4\u05d5\u05e1\u05e3",
- "LabelTriggerType": "\u05e1\u05d5\u05d2\u05e8 \u05d8\u05e8\u05d9\u05d2\u05e8:",
- "OptionDaily": "\u05d9\u05d5\u05de\u05d9",
- "OptionWeekly": "\u05e9\u05d1\u05d5\u05e2\u05d9",
- "OptionOnInterval": "\u05db\u05dc \u05e4\u05e8\u05e7 \u05d6\u05de\u05df",
- "OptionOnAppStartup": "\u05d1\u05d4\u05e4\u05e2\u05dc\u05ea \u05d4\u05ea\u05d5\u05db\u05e0\u05d4",
- "OptionAfterSystemEvent": "\u05d0\u05d7\u05e8\u05d9 \u05d0\u05d9\u05e8\u05d5\u05e2 \u05de\u05e2\u05e8\u05db\u05ea",
- "LabelDay": "\u05d9\u05d5\u05dd:",
- "LabelTime": "\u05d6\u05de\u05df:",
- "LabelEvent": "\u05d0\u05d9\u05e8\u05d5\u05e2:",
- "OptionWakeFromSleep": "\u05d4\u05e2\u05e8 \u05de\u05de\u05e6\u05d1 \u05e9\u05d9\u05e0\u05d4",
- "LabelEveryXMinutes": "\u05db\u05dc:",
- "HeaderTvTuners": "\u05d8\u05d5\u05e0\u05e8\u05d9\u05dd",
- "HeaderGallery": "\u05d2\u05dc\u05e8\u05d9\u05d4",
- "HeaderLatestGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd",
- "HeaderRecentlyPlayedGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd \u05e9\u05e9\u05d5\u05d7\u05e7\u05d5 \u05dc\u05d0\u05d7\u05e8\u05d5\u05e0\u05d4",
- "TabGameSystems": "\u05e7\u05d5\u05e0\u05e1\u05d5\u05dc\u05d5\u05ea \u05de\u05e9\u05d7\u05e7",
- "TitleMediaLibrary": "\u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05de\u05d3\u05d9\u05d4",
- "TabFolders": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea",
- "TabPathSubstitution": "\u05e0\u05ea\u05d9\u05d1 \u05ea\u05d7\u05dc\u05d5\u05e4\u05d9",
- "LabelSeasonZeroDisplayName": "\u05e9\u05dd \u05d4\u05e6\u05d2\u05d4 \u05ea\u05e2\u05d5\u05e0\u05d4 0",
- "LabelEnableRealtimeMonitor": "\u05d0\u05e4\u05e9\u05e8 \u05de\u05e2\u05e7\u05d1 \u05d1\u05d6\u05de\u05df \u05d0\u05de\u05ea",
- "LabelEnableRealtimeMonitorHelp": "\u05e9\u05d9\u05e0\u05d5\u05d9\u05d9\u05dd \u05d9\u05e2\u05e9\u05d5 \u05d1\u05d0\u05d5\u05e4\u05df \u05de\u05d9\u05d9\u05d3\u05d9\u05ea \u05e2\u05dc \u05de\u05e2\u05e8\u05db\u05d5\u05ea \u05e7\u05d1\u05e6\u05d9\u05dd \u05e0\u05ea\u05de\u05db\u05d5\u05ea.",
- "ButtonScanLibrary": "\u05e1\u05e8\u05d5\u05e7 \u05e1\u05e4\u05e8\u05d9\u05d9\u05d4",
- "HeaderNumberOfPlayers": "\u05e0\u05d2\u05e0\u05d9\u05dd:",
- "OptionAnyNumberOfPlayers": "\u05d4\u05db\u05dc",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05de\u05d3\u05d9\u05d4",
- "HeaderThemeVideos": "\u05e1\u05e8\u05d8\u05d9 \u05e0\u05d5\u05e9\u05d0",
- "HeaderThemeSongs": "\u05e9\u05d9\u05e8 \u05e0\u05d5\u05e9\u05d0",
- "HeaderScenes": "\u05e1\u05e6\u05e0\u05d5\u05ea",
- "HeaderAwardsAndReviews": "\u05e4\u05e8\u05e1\u05d9\u05dd \u05d5\u05d1\u05d9\u05e7\u05d5\u05e8\u05d5\u05ea",
- "HeaderSoundtracks": "\u05e4\u05e1\u05d9 \u05e7\u05d5\u05dc",
- "HeaderMusicVideos": "\u05e7\u05dc\u05d9\u05e4\u05d9\u05dd",
- "HeaderSpecialFeatures": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd",
- "HeaderCastCrew": "\u05e9\u05d7\u05e7\u05e0\u05d9\u05dd \u05d5\u05e6\u05d5\u05d5\u05ea",
- "HeaderAdditionalParts": "\u05d7\u05dc\u05e7\u05d9\u05dd \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd",
- "ButtonSplitVersionsApart": "\u05e4\u05e6\u05dc \u05d2\u05e8\u05e1\u05d0\u05d5\u05ea \u05d1\u05e0\u05e4\u05e8\u05d3",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "\u05d7\u05e1\u05e8",
- "LabelOffline": "\u05dc\u05d0 \u05de\u05e7\u05d5\u05d5\u05df",
- "PathSubstitutionHelp": "\u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05d7\u05dc\u05d5\u05e4\u05d9\u05d9\u05dd \u05d4\u05dd \u05dc\u05e6\u05d5\u05e8\u05da \u05de\u05d9\u05e4\u05d5\u05d9 \u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05d1\u05e9\u05e8\u05ea \u05dc\u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05e9\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05d9\u05db\u05d5\u05dc\u05d9\u05dd \u05dc\u05d2\u05e9\u05ea \u05d0\u05dc\u05d9\u05d4\u05dd. \u05e2\u05dc \u05d9\u05d3\u05d9 \u05d4\u05e8\u05e9\u05d0\u05d4 \u05dc\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05d2\u05d9\u05e9\u05d4 \u05d9\u05e9\u05d9\u05e8\u05d4 \u05dc\u05de\u05d3\u05d9\u05d4 \u05d1\u05e9\u05e8\u05ea \u05d0\u05dd \u05d9\u05db\u05d5\u05dc\u05d9\u05dd \u05dc\u05e0\u05d2\u05df \u05d0\u05ea \u05d4\u05e7\u05d1\u05e6\u05d9\u05dd \u05d9\u05e9\u05d9\u05e8\u05d5\u05ea \u05e2\u05dc \u05d2\u05d1\u05d9 \u05d4\u05e8\u05e9\u05ea \u05d5\u05dc\u05d4\u05d9\u05de\u05e0\u05e2 \u05de\u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05de\u05e9\u05d0\u05d1\u05d9 \u05d4\u05e9\u05e8\u05ea \u05dc\u05e6\u05d5\u05e8\u05da \u05e7\u05d9\u05d3\u05d5\u05d3 \u05d5\u05e9\u05d9\u05d3\u05d5\u05e8.",
- "HeaderFrom": "\u05de-",
- "HeaderTo": "\u05dc-",
- "LabelFrom": "\u05de:",
- "LabelFromHelp": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0: D:\\Movies (\u05d1\u05e9\u05e8\u05ea)",
- "LabelTo": "\u05dc:",
- "LabelToHelp": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0: MyServer\\Movies\\\\ (\u05e0\u05ea\u05d9\u05d1 \u05e9\u05e7\u05dc\u05d9\u05d9\u05e0\u05d8\u05d9\u05dd \u05d9\u05db\u05d5\u05dc\u05d9\u05dd \u05dc\u05d2\u05e9\u05ea \u05d0\u05dc\u05d9\u05d5)",
- "ButtonAddPathSubstitution": "\u05d4\u05d5\u05e1\u05e3 \u05e0\u05ea\u05d9\u05d1 \u05d7\u05dc\u05d5\u05e4\u05d9",
- "OptionSpecialEpisode": "\u05e1\u05e4\u05d9\u05d9\u05e9\u05dc\u05d9\u05dd",
- "OptionMissingEpisode": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05e1\u05e8\u05d9\u05dd",
- "OptionUnairedEpisode": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05e9\u05dc\u05d0 \u05e9\u05d5\u05d3\u05e8\u05d5",
- "OptionEpisodeSortName": "\u05de\u05d9\u05d5\u05df \u05e9\u05de\u05d5\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd",
- "OptionSeriesSortName": "\u05e9\u05dd \u05e1\u05d3\u05e8\u05d5\u05ea",
- "OptionTvdbRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 Tvdb",
- "HeaderTranscodingQualityPreference": "\u05d0\u05d9\u05db\u05d5\u05ea \u05e7\u05d9\u05d3\u05d5\u05d3 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea",
- "OptionAutomaticTranscodingHelp": "\u05d4\u05e9\u05e8\u05ea \u05d9\u05d1\u05d7\u05e8 \u05d0\u05d9\u05db\u05d5\u05ea \u05d5\u05de\u05d4\u05d9\u05e8\u05d5\u05ea",
- "OptionHighSpeedTranscodingHelp": "\u05d0\u05d9\u05db\u05d5\u05ea \u05e0\u05de\u05d5\u05db\u05d4, \u05d0\u05da \u05e7\u05d9\u05d3\u05d5\u05d3 \u05de\u05d4\u05d9\u05e8",
- "OptionHighQualityTranscodingHelp": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d2\u05d5\u05d1\u05d4\u05d4, \u05d0\u05da \u05e7\u05d9\u05d3\u05d5\u05d3 \u05d0\u05d9\u05d8\u05d9",
- "OptionMaxQualityTranscodingHelp": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d8\u05d5\u05d1\u05d4 \u05d1\u05d9\u05d5\u05ea\u05e8 \u05e2\u05dd \u05e7\u05d9\u05d3\u05d5\u05d3 \u05d0\u05d9\u05d8\u05d9 \u05d5\u05e9\u05d9\u05de\u05d5\u05e9 \u05d2\u05d1\u05d5\u05d4 \u05d1\u05de\u05e2\u05d1\u05d3",
- "OptionHighSpeedTranscoding": "\u05de\u05d4\u05d9\u05e8\u05d5\u05ea \u05d2\u05d1\u05d5\u05d4\u05d4",
- "OptionHighQualityTranscoding": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d2\u05d1\u05d5\u05d4\u05d4",
- "OptionMaxQualityTranscoding": "\u05d0\u05d9\u05db\u05d5\u05ea \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9\u05ea",
- "OptionEnableDebugTranscodingLogging": "\u05d0\u05e4\u05e9\u05e8 \u05e8\u05d9\u05e9\u05d5\u05dd \u05d1\u05d0\u05d2\u05d9\u05dd \u05d1\u05e7\u05d9\u05d3\u05d5\u05d3",
- "OptionEnableDebugTranscodingLoggingHelp": "\u05d3\u05d1\u05e8 \u05d6\u05d4 \u05d9\u05d9\u05e6\u05d5\u05e8 \u05e7\u05d5\u05e5 \u05dc\u05d5\u05d2 \u05de\u05d0\u05d5\u05d3 \u05d2\u05d3\u05d5\u05dc \u05d5\u05de\u05de\u05d5\u05dc\u05e5 \u05dc\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05db\u05da \u05e8\u05e7 \u05dc\u05e6\u05d5\u05e8\u05da \u05e4\u05d9\u05ea\u05e8\u05d5\u05df \u05d1\u05e2\u05d9\u05d5\u05ea.",
- "OptionUpscaling": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05dc\u05d1\u05e7\u05e9 \u05d4\u05d2\u05d3\u05dc\u05ea \u05d5\u05d5\u05d9\u05d3\u05d9\u05d0\u05d5",
- "OptionUpscalingHelp": "\u05d1\u05d7\u05dc\u05e7 \u05de\u05d4\u05de\u05e7\u05e8\u05d9\u05dd \u05d6\u05d4 \u05d9\u05d5\u05d1\u05d9\u05dc \u05dc\u05e9\u05d9\u05e4\u05d5\u05e8 \u05d0\u05d9\u05db\u05d5\u05ea \u05d4\u05d5\u05d5\u05d9\u05d3\u05d9\u05d0\u05d5, \u05d0\u05da \u05d9\u05e2\u05dc\u05d4 \u05d0\u05ea \u05d4\u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05de\u05e2\u05d1\u05d3.",
- "EditCollectionItemsHelp": "\u05d4\u05d5\u05e1\u05e3 \u05d0\u05d5 \u05d4\u05e1\u05e8 \u05db\u05dc \u05e1\u05e8\u05d8, \u05e1\u05d3\u05e8\u05d4, \u05d0\u05dc\u05d1\u05d5\u05dd, \u05e1\u05e4\u05e8 \u05d0\u05d5 \u05de\u05e9\u05d7\u05e7 \u05e9\u05d0\u05ea\u05d4 \u05de\u05e2\u05d5\u05e0\u05d9\u05d9\u05df \u05dc\u05e7\u05d1\u05e5 \u05dc\u05d0\u05d5\u05e1\u05e3 \u05d4\u05d6\u05d4.",
- "HeaderAddTitles": "\u05d4\u05d5\u05e1\u05e3 \u05db\u05d5\u05ea\u05e8",
- "LabelEnableDlnaPlayTo": "\u05de\u05d0\u05e4\u05e9\u05e8 \u05e0\u05d9\u05d2\u05d5\u05df DLNA \u05dc",
- "LabelEnableDlnaPlayToHelp": "Media Browser \u05d9\u05db\u05d5\u05dc \u05dc\u05d6\u05d4\u05d5\u05ea \u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05d1\u05ea\u05d5\u05da \u05d4\u05e8\u05e9\u05ea \u05e9\u05dc\u05da \u05d5\u05dc\u05d4\u05e6\u05d9\u05e2 \u05dc\u05e9\u05dc\u05d5\u05d8 \u05d1\u05d4\u05dd \u05de\u05e8\u05d7\u05d5\u05e7.",
- "LabelEnableDlnaDebugLogging": "\u05d0\u05e4\u05e9\u05e8 \u05e0\u05d9\u05d4\u05d5\u05dc \u05e8\u05d9\u05e9\u05d5\u05dd \u05d1\u05d0\u05d2\u05d9\u05dd \u05d1DLNA",
- "LabelEnableDlnaDebugLoggingHelp": "\u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5 \u05ea\u05d9\u05e6\u05d5\u05e8 \u05e7\u05d1\u05e6\u05d9 \u05dc\u05d5\u05d2 \u05d2\u05d3\u05d5\u05dc\u05d9\u05dd \u05d9\u05d5\u05ea\u05e8 \u05d5\u05e2\u05dc\u05d9\u05da \u05dc\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05d4 \u05e8\u05e7 \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05e4\u05ea\u05d5\u05e8 \u05ea\u05e7\u05dc\u05d5\u05ea.",
- "LabelEnableDlnaClientDiscoveryInterval": "\u05d6\u05de\u05df \u05d2\u05d9\u05dc\u05d5\u05d9 \u05e7\u05dc\u05d9\u05d9\u05e0\u05d8\u05d9\u05dd (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u05de\u05d2\u05d3\u05d9\u05e8 \u05d0\u05ea \u05d4\u05de\u05e9\u05da \u05d1\u05e9\u05e0\u05d9\u05d5\u05ea \u05d1\u05d9\u05df \u05d7\u05d9\u05e4\u05d5\u05e9\u05d9 SSDP \u05e9\u05de\u05d1\u05e6\u05e2 Media Browser.",
- "HeaderCustomDlnaProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd \u05de\u05d5\u05ea\u05d0\u05de\u05d9\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea",
- "HeaderSystemDlnaProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea",
- "CustomDlnaProfilesHelp": "\u05e6\u05d5\u05e8 \u05e4\u05e8\u05d5\u05e4\u05d9\u05dc \u05de\u05d5\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea \u05dc\u05de\u05db\u05e9\u05d9\u05e8 \u05d7\u05d3\u05e9 \u05d0\u05d5 \u05dc\u05e2\u05e7\u05d5\u05e3 \u05e4\u05e8\u05d5\u05e4\u05d9\u05dc \u05de\u05e2\u05e8\u05db\u05ea",
- "SystemDlnaProfilesHelp": "\u05e4\u05e8\u05d5\u05e4\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea \u05d4\u05dd \u05dc\u05e7\u05e8\u05d9\u05d0\u05d4 \u05d1\u05dc\u05d1\u05d3. \u05e9\u05d9\u05e0\u05d5\u05d9\u05d9\u05dd \u05d1\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea \u05d9\u05e9\u05de\u05e8\u05d5 \u05dc\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc \u05de\u05d5\u05e6\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea \u05d7\u05d3\u05e9.",
- "TitleDashboard": "\u05dc\u05d5\u05d7 \u05d1\u05e7\u05e8\u05d4",
- "TabHome": "\u05d1\u05d9\u05ea",
- "TabInfo": "\u05de\u05d9\u05d3\u05e2",
- "HeaderLinks": "\u05dc\u05d9\u05e0\u05e7\u05d9\u05dd",
- "HeaderSystemPaths": "\u05e0\u05ea\u05d9\u05d1\u05d9 \u05de\u05e2\u05e8\u05db\u05ea",
- "LinkCommunity": "\u05e7\u05d4\u05d9\u05dc\u05d4",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "\u05de\u05e1\u05de\u05db\u05d9 \u05e2\u05e8\u05db\u05ea \u05e4\u05d9\u05ea\u05d5\u05d7",
- "LabelFriendlyServerName": "\u05e9\u05dd \u05e9\u05e8\u05ea \u05d9\u05d3\u05d9\u05d3\u05d5\u05ea\u05d9:",
- "LabelFriendlyServerNameHelp": "\u05d4\u05e9\u05dd \u05d9\u05ea\u05df \u05dc\u05d6\u05d9\u05d4\u05d5\u05d9 \u05d4\u05e9\u05e8\u05ea. \u05d0\u05dd \u05de\u05d5\u05e9\u05d0\u05e8 \u05e8\u05d9\u05e7, \u05e9\u05dd \u05d4\u05e9\u05e8\u05ea \u05d9\u05d4\u05d9\u05d4 \u05e9\u05dd \u05d4\u05de\u05d7\u05e9\u05d1.",
- "LabelPreferredDisplayLanguage": "\u05e9\u05e4\u05ea \u05ea\u05e6\u05d5\u05d2\u05d4 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea",
- "LabelPreferredDisplayLanguageHelp": "\u05ea\u05e8\u05d2\u05d5\u05dd Media Browser \u05d4\u05d5\u05d0 \u05ea\u05d4\u05dc\u05d9\u05da \u05d1\u05d4\u05ea\u05d4\u05d5\u05d5\u05ea \u05d5\u05e2\u05d3\u05d9\u05df \u05dc\u05d0 \u05de\u05d5\u05e9\u05dc\u05dd.",
- "LabelReadHowYouCanContribute": "\u05e7\u05e8\u05d0 \u05db\u05d9\u05e6\u05d3 \u05d0\u05ea\u05d4 \u05d9\u05db\u05d5\u05dc \u05dc\u05ea\u05e8\u05d5\u05dd.",
- "HeaderNewCollection": "\u05d0\u05d5\u05e4\u05e1\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0 :\u05d0\u05d5\u05e1\u05e3 \u05de\u05dc\u05d7\u05de\u05ea \u05d4\u05db\u05d5\u05db\u05d1\u05d9\u05dd",
- "OptionSearchForInternetMetadata": "\u05d7\u05e4\u05e9 \u05d1\u05d0\u05d9\u05e0\u05e8\u05e0\u05d8 \u05d0\u05d7\u05e8\u05d9 \u05de\u05d9\u05d3\u05e2 \u05d5\u05ea\u05de\u05d5\u05e0\u05d5\u05ea",
- "ButtonCreate": "\u05e6\u05d5\u05e8",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "\u05e4\u05d5\u05e8\u05d8 Web socket:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "\u05d0\u05dd \u05d9\u05e9 \u05dc\u05da \u05db\u05ea\u05d5\u05d1\u05ea DNS \u05d3\u05d9\u05e0\u05d0\u05de\u05d9\u05ea \u05d4\u05db\u05e0\u05e1 \u05d0\u05d5\u05ea\u05d4 \u05db\u05d0\u05df. Media Browser \u05d9\u05e9\u05ea\u05de\u05e9 \u05d1\u05d4 \u05dc\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05de\u05e8\u05d7\u05d5\u05e7.",
- "TabResume": "\u05d4\u05de\u05e9\u05da",
- "TabWeather": "\u05de\u05d6\u05d2 \u05d0\u05d5\u05d5\u05d9\u05e8",
- "TitleAppSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4",
- "LabelMinResumePercentage": "\u05d0\u05d7\u05d5\u05d6\u05d9 \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9\u05dd:",
- "LabelMaxResumePercentage": "\u05d0\u05d7\u05d5\u05d6\u05d9 \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9\u05dd",
- "LabelMinResumeDuration": "\u05de\u05e9\u05da \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea):",
- "LabelMinResumePercentageHelp": "\u05db\u05d5\u05ea\u05e8\u05d9\u05dd \u05d9\u05d5\u05e6\u05d2\u05d5 \u05db\u05dc\u05d0 \u05e0\u05d5\u05d2\u05e0\u05d5 \u05d0\u05dd \u05e0\u05e6\u05e8\u05d5 \u05dc\u05e4\u05e0\u05d9 \u05d4\u05d6\u05de\u05df \u05d4\u05d6\u05d4",
- "LabelMaxResumePercentageHelp": "\u05e7\u05d5\u05d1\u05e5 \u05de\u05d5\u05d2\u05d3\u05e8 \u05db\u05e0\u05d5\u05d2\u05df \u05d1\u05de\u05dc\u05d5\u05d0\u05d5 \u05d0\u05dd \u05e0\u05e2\u05e6\u05e8 \u05d0\u05d7\u05e8\u05d9 \u05d4\u05d6\u05de\u05df \u05d4\u05d6\u05d4",
- "LabelMinResumeDurationHelp": "\u05e7\u05d5\u05d1\u05e5 \u05e7\u05e6\u05e8 \u05de\u05d6\u05d4 \u05dc\u05d0 \u05d9\u05d4\u05d9\u05d4 \u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05de\u05e9\u05da \u05e0\u05d9\u05d2\u05d5\u05df \u05de\u05e0\u05e7\u05d5\u05d3\u05ea \u05d4\u05e2\u05e6\u05d9\u05e8\u05d4",
- "TitleAutoOrganize": "\u05d0\u05e8\u05d2\u05d5\u05df \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9",
- "TabActivityLog": "\u05e8\u05d9\u05e9\u05d5\u05dd \u05e4\u05e2\u05d5\u05dc\u05d5\u05ea",
- "HeaderName": "\u05e9\u05dd",
- "HeaderDate": "\u05ea\u05d0\u05e8\u05d9\u05da",
- "HeaderSource": "\u05de\u05e7\u05d5\u05e8",
- "HeaderDestination": "\u05d9\u05e2\u05d3",
- "HeaderProgram": "\u05ea\u05d5\u05db\u05e0\u05d4",
- "HeaderClients": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd",
- "LabelCompleted": "\u05d4\u05d5\u05e9\u05dc\u05dd",
- "LabelFailed": "Failed",
- "LabelSkipped": "\u05d3\u05d5\u05dc\u05d2",
- "HeaderEpisodeOrganization": "\u05d0\u05d9\u05e8\u05d2\u05d5\u05df \u05e4\u05e8\u05e7\u05d9\u05dd",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "\u05de\u05e1\u05e4\u05e8 \u05e2\u05d5\u05e0\u05d4:",
- "LabelEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e4\u05e8\u05e7:",
- "LabelEndingEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e1\u05d9\u05d5\u05dd \u05e4\u05e8\u05e7:",
- "LabelEndingEpisodeNumberHelp": "\u05d4\u05db\u05e8\u05d7\u05d9 \u05e8\u05e7 \u05e2\u05d1\u05d5\u05e8 \u05e7\u05d1\u05e6\u05d9\u05dd \u05e9\u05dc \u05e4\u05e8\u05e7\u05d9\u05dd \u05de\u05d7\u05d5\u05d1\u05e8\u05d9\u05dd",
- "HeaderSupportTheTeam": "\u05ea\u05de\u05d5\u05dc \u05d1\u05e6\u05d5\u05d5\u05ea Media Browser",
- "LabelSupportAmount": "\u05db\u05de\u05d5\u05ea (\u05d3\u05d5\u05dc\u05e8\u05d9\u05dd)",
- "HeaderSupportTheTeamHelp": "\u05e2\u05d6\u05d5\u05e8 \u05dc\u05d4\u05d1\u05d8\u05d9\u05d7 \u05d0\u05ea \u05d4\u05de\u05e9\u05da \u05d4]\u05d9\u05ea\u05d5\u05d7 \u05e9\u05dc \u05e4\u05e8\u05d5\u05d9\u05d9\u05e7\u05d8 \u05d6\u05d4 \u05e2\"\u05d9 \u05ea\u05e8\u05d5\u05de\u05d4. \u05d7\u05dc\u05e7 \u05de\u05db\u05dc \u05d4\u05ea\u05e8\u05d5\u05de\u05d5\u05ea \u05de\u05d5\u05e2\u05d1\u05e8 \u05dc\u05e9\u05d9\u05e8\u05d5\u05ea\u05d9\u05dd \u05d7\u05d5\u05e4\u05e9\u05d9\u05d9\u05dd \u05d0\u05d7\u05e8\u05d9\u05dd \u05d1\u05d4\u05dd \u05d0\u05e0\u05d5 \u05de\u05ea\u05e9\u05de\u05e9\u05d9\u05dd.",
- "ButtonEnterSupporterKey": "\u05d4\u05db\u05e0\u05e1 \u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4",
- "DonationNextStep": "\u05d1\u05e8\u05d2\u05e2 \u05e9\u05d4\u05d5\u05e9\u05dc\u05dd, \u05d0\u05e0\u05d0 \u05d7\u05d6\u05d5\u05e8 \u05d5\u05d4\u05db\u05e0\u05e1 \u05d0\u05ea \u05de\u05e4\u05ea\u05d7 \u05d4\u05ea\u05de\u05d9\u05db\u05d4\u05ea \u05d0\u05e9\u05e8 \u05ea\u05e7\u05d1\u05dc \u05d1\u05de\u05d9\u05d9\u05dc.",
- "AutoOrganizeHelp": "\u05d0\u05e8\u05d2\u05d5\u05df \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9 \u05de\u05e0\u05d8\u05e8 \u05d0\u05ea \u05ea\u05d9\u05e7\u05d9\u05d9\u05ea \u05d4\u05d4\u05d5\u05e8\u05d3\u05d5\u05ea \u05e9\u05dc\u05da \u05d5\u05de\u05d7\u05e4\u05e9 \u05e7\u05d1\u05e6\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd, \u05d5\u05d0\u05d6 \u05de\u05e2\u05d1\u05d9\u05e8 \u05d0\u05d5\u05ea\u05dd \u05dc\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05e9\u05dc\u05da.",
- "AutoOrganizeTvHelp": "\u05de\u05e0\u05d4\u05dc \u05e7\u05d1\u05e6\u05d9 \u05d4\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d9\u05d5\u05e1\u05d9\u05e3 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e8\u05e7 \u05dc\u05e1\u05d3\u05e8\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea, \u05d4\u05d5\u05d0 \u05dc\u05d0 \u05d9\u05d9\u05e6\u05d5\u05e8 \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05dc\u05e1\u05d3\u05e8\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea.",
- "OptionEnableEpisodeOrganization": "\u05d0\u05e4\u05e9\u05e8 \u05e1\u05d9\u05d3\u05d5\u05e8 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd",
- "LabelWatchFolder": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05dc\u05de\u05e2\u05e7\u05d1:",
- "LabelWatchFolderHelp": "\u05d4\u05e9\u05e8\u05ea \u05d9\u05de\u05e9\u05d5\u05da \u05ea\u05d9\u05e7\u05d9\u05d9\u05d4 \u05d6\u05d5 \u05d1\u05d6\u05de\u05df \u05d4\u05e4\u05e2\u05dc\u05ea \u05d4\u05de\u05e9\u05d9\u05de\u05d4 \u05d4\u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05ea \"\u05d0\u05e8\u05d2\u05df \u05e7\u05d1\u05e6\u05d9 \u05de\u05d3\u05d9\u05d4 \u05d7\u05d3\u05e9\u05d9\u05dd\".",
- "ButtonViewScheduledTasks": "\u05d4\u05e8\u05d0\u05d4 \u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05d5\u05ea",
- "LabelMinFileSizeForOrganize": "\u05d2\u05d5\u05d3\u05dc \u05e7\u05d5\u05d1\u05e5 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 (MB):",
- "LabelMinFileSizeForOrganizeHelp": "\u05e7\u05d1\u05e6\u05d9\u05dd \u05de\u05ea\u05d7\u05ea \u05dc\u05d2\u05d5\u05d3\u05dc \u05d6\u05d4 \u05dc\u05d0 \u05d9\u05d9\u05d5\u05d7\u05e1\u05d5",
- "LabelSeasonFolderPattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05e2\u05d5\u05e0\u05d4",
- "LabelSeasonZeroFolderName": "\u05e9\u05dd \u05dc\u05ea\u05e7\u05d9\u05d9\u05ea \u05e2\u05d5\u05e0\u05d4 \u05d0\u05e4\u05e1",
- "HeaderEpisodeFilePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e7\u05d5\u05d1\u05e5 \u05e4\u05e8\u05e7",
- "LabelEpisodePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e4\u05e8\u05e7:",
- "LabelMultiEpisodePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd \u05de\u05e8\u05d5\u05d1\u05d9\u05dd",
- "HeaderSupportedPatterns": "\u05ea\u05d1\u05e0\u05d9\u05d5\u05ea \u05e0\u05ea\u05de\u05db\u05d5\u05ea",
- "HeaderTerm": "\u05ea\u05e0\u05d0\u05d9",
- "HeaderPattern": "\u05ea\u05d1\u05e0\u05d9\u05ea",
- "HeaderResult": "\u05ea\u05d5\u05e6\u05d0\u05d4",
- "LabelDeleteEmptyFolders": "\u05de\u05d7\u05e7 \u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05e8\u05d9\u05e7\u05d5\u05ea \u05dc\u05d0\u05d7\u05e8 \u05d0\u05d9\u05e8\u05d2\u05d5\u05df",
- "LabelDeleteEmptyFoldersHelp": "\u05d0\u05e4\u05e9\u05e8 \u05d6\u05d0\u05ea \u05db\u05d3\u05d9 \u05dc\u05e9\u05de\u05d5\u05e8 \u05e2\u05dc \u05ea\u05e7\u05d9\u05d9\u05ea \u05d4\u05d4\u05d5\u05e8\u05d3\u05d5\u05ea \u05e0\u05e7\u05d9\u05d9\u05d4.",
- "LabelDeleteLeftOverFiles": "\u05de\u05d7\u05e7 \u05e9\u05d0\u05e8\u05d9\u05d5\u05ea \u05e7\u05d1\u05e6\u05d9\u05dd \u05e2\u05dd \u05d1\u05e1\u05d9\u05d5\u05de\u05d5\u05ea \u05d4\u05d1\u05d0\u05d5\u05ea:",
- "LabelDeleteLeftOverFilesHelp": "\u05d4\u05e4\u05e8\u05d3 \u05e2\u05dd ;. \u05dc\u05d3\u05d5\u05de\u05d2\u05d0: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "\u05db\u05ea\u05d5\u05d1 \u05de\u05d7\u05d3\u05e9 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e7\u05d9\u05d9\u05de\u05d9\u05dd",
- "LabelTransferMethod": "\u05e9\u05d9\u05d8\u05ea \u05d4\u05e2\u05d1\u05e8\u05d4",
- "OptionCopy": "\u05d4\u05e2\u05ea\u05e7",
- "OptionMove": "\u05d4\u05e2\u05d1\u05e8",
- "LabelTransferMethodHelp": "\u05d4\u05e2\u05ea\u05e7 \u05d0\u05d5 \u05d4\u05e2\u05d1\u05e8 \u05e7\u05d1\u05e6\u05d9\u05dd \u05de\u05ea\u05e7\u05d9\u05d9\u05ea \u05d4\u05de\u05e2\u05e7\u05d1",
- "HeaderLatestNews": "\u05d7\u05d3\u05e9\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05e0\u05d5\u05ea",
- "HeaderHelpImproveMediaBrowser": "\u05e2\u05d6\u05d5\u05e8 \u05dc\u05e9\u05e4\u05e8 \u05d0\u05ea Media Browser",
- "HeaderRunningTasks": "\u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05e8\u05e6\u05d5\u05ea",
- "HeaderActiveDevices": "\u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05e4\u05e2\u05d9\u05dc\u05d9\u05dd",
- "HeaderPendingInstallations": "\u05d4\u05ea\u05e7\u05e0\u05d5\u05ea \u05d1\u05d4\u05de\u05ea\u05e0\u05d4",
- "HeaerServerInformation": "\u05de\u05d9\u05d3\u05e2 \u05e2\u05dc \u05d4\u05e9\u05e8\u05ea",
- "ButtonRestartNow": "\u05d4\u05ea\u05d7\u05dc \u05de\u05d7\u05d3\u05e9 \u05db\u05e2\u05d8",
- "ButtonRestart": "\u05d4\u05ea\u05d7\u05e8 \u05de\u05d7\u05d3\u05e9",
- "ButtonShutdown": "\u05db\u05d1\u05d4",
- "ButtonUpdateNow": "\u05e2\u05d3\u05db\u05df \u05e2\u05db\u05e9\u05d9\u05d5",
- "PleaseUpdateManually": "\u05d0\u05e0\u05d0, \u05db\u05d1\u05d4 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05d5\u05e2\u05d3\u05db\u05df \u05d9\u05d3\u05e0\u05d9\u05ea.",
- "NewServerVersionAvailable": "\u05d2\u05e8\u05e1\u05d0 \u05d7\u05d3\u05e9\u05d4 \u05e9\u05dc Media Browser Server \u05e0\u05de\u05e6\u05d0\u05d4!",
- "ServerUpToDate": "Media Browser Server \u05de\u05e2\u05d5\u05d3\u05db\u05df",
- "ErrorConnectingToMediaBrowserRepository": "\u05d4\u05d9\u05d9\u05ea\u05d4 \u05ea\u05e7\u05dc\u05d4 \u05d1\u05e0\u05d9\u05e1\u05d9\u05d5\u05df \u05d4\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05dc\u05de\u05d0\u05d2\u05e8 Media Browser \u05d4\u05de\u05e8\u05d5\u05d7\u05e7.",
- "LabelComponentsUpdated": "\u05d4\u05e8\u05db\u05d9\u05d1\u05d9\u05dd \u05d4\u05d1\u05d0\u05d9\u05dd \u05d4\u05d5\u05ea\u05e7\u05e0\u05d5 \u05d0\u05d5 \u05e2\u05d5\u05d3\u05db\u05e0\u05d5:",
- "MessagePleaseRestartServerToFinishUpdating": "\u05d0\u05e0\u05d0 \u05d0\u05ea\u05d7\u05dc \u05de\u05d7\u05d3\u05e9 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05dc\u05d1\u05d9\u05e6\u05d5\u05e2 \u05d4\u05e2\u05d9\u05d3\u05db\u05d5\u05e0\u05d9\u05dd.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "\u05d4\u05d2\u05d1\u05e8 \u05d0\u05d5\u05d3\u05d9\u05d5 \u05db\u05d0\u05e9\u05e8 \u05d4\u05d5\u05d0 \u05de\u05de\u05d5\u05d6\u05d2. \u05d4\u05d2\u05d3\u05e8 \u05dc-1 \u05dc\u05e9\u05de\u05d5\u05e8 \u05e2\u05dc \u05e2\u05e8\u05da \u05d4\u05d5\u05d5\u05dc\u05d9\u05d5\u05dd \u05d4\u05de\u05e7\u05d5\u05e8\u05d9",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 \u05d9\u05e9\u05df",
- "LabelNewSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 \u05d7\u05d3\u05e9",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e2\u05d3\u05db\u05e0\u05d9\u05ea",
- "LabelCurrentEmailAddressHelp": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d0\u05dc\u05d9\u05d4 \u05e0\u05e9\u05dc\u05d7 \u05d4\u05de\u05e4\u05ea\u05d7 \u05d4\u05d7\u05d3\u05e9 \u05e9\u05dc\u05da",
- "HeaderForgotKey": "\u05e9\u05d7\u05db\u05ea\u05d9 \u05d0\u05ea \u05d4\u05de\u05e4\u05ea\u05d7",
- "LabelEmailAddress": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc",
- "LabelSupporterEmailAddress": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d0\u05dc\u05d9\u05d4 \u05e0\u05e9\u05dc\u05d7 \u05de\u05e4\u05ea\u05d7 \u05d4\u05e8\u05db\u05d9\u05e9\u05d4.",
- "ButtonRetrieveKey": "\u05e9\u05d7\u05e8 \u05de\u05e4\u05ea\u05d7",
- "LabelSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 (\u05d4\u05d3\u05d1\u05e7 \u05de\u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc)",
- "LabelSupporterKeyHelp": "\u05d4\u05db\u05e0\u05e1\u05ea \u05d0\u05ea \u05d4\u05de\u05e4\u05ea\u05d7 \u05de\u05ea\u05de\u05d9\u05db\u05d4 \u05e9\u05dc\u05da \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05d4\u05e0\u05d5\u05ea \u05de\u05d9\u05ea\u05e8\u05d5\u05e0\u05d5\u05ea \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd \u05e9\u05d4\u05e7\u05d4\u05d9\u05dc\u05d4 \u05e4\u05d9\u05ea\u05d7\u05d4 \u05d1\u05e9\u05d1\u05d9\u05dc Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05ea\u05e6\u05d5\u05d2\u05d4",
- "TabPlayTo": "\u05e0\u05d2\u05df \u05d1",
- "LabelEnableDlnaServer": "\u05d0\u05e4\u05e9\u05e8 \u05e9\u05e8\u05ea Dina",
- "LabelEnableDlnaServerHelp": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05de\u05db\u05e9\u05d9\u05e8\u05d9 UPnP \u05d1\u05e8\u05e9\u05ea \u05e9\u05dc\u05da \u05dc\u05e8\u05d0\u05d5\u05ea \u05d5\u05dc\u05e0\u05d2\u05df \u05ea\u05d5\u05db\u05df \u05e9\u05dc Media Browser.",
- "LabelEnableBlastAliveMessages": "\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4",
- "LabelEnableBlastAliveMessagesHelp": "\u05d0\u05e4\u05e9\u05e8 \u05d6\u05d0\u05ea \u05d0\u05dd \u05d4\u05e9\u05e8\u05ea \u05dc\u05d0 \u05de\u05d6\u05d5\u05d4\u05d4 \u05db\u05d0\u05de\u05d9\u05df \u05e2\u05dc \u05d9\u05d3\u05d9 \u05de\u05db\u05e9\u05d9\u05e8\u05d9 UPnP \u05d0\u05d7\u05e8\u05d9\u05dd \u05d1\u05e8\u05e9\u05ea \u05e9\u05dc\u05da.",
- "LabelBlastMessageInterval": "\u05d0\u05d9\u05e0\u05d8\u05e8\u05d5\u05d5\u05dc \u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4 (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea)",
- "LabelBlastMessageIntervalHelp": "\u05de\u05d2\u05d3\u05d9\u05e8 \u05d0\u05ea \u05de\u05e9\u05da \u05d4\u05d6\u05de\u05df \u05d1\u05e9\u05e0\u05d9\u05d5\u05ea \u05d1\u05d9\u05df \u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4 \u05e9\u05dc \u05d4\u05e9\u05e8\u05ea.",
- "LabelDefaultUser": "\u05de\u05e9\u05ea\u05de\u05e9 \u05d1\u05e8\u05d9\u05e8\u05ea \u05de\u05d7\u05d3\u05e9:",
- "LabelDefaultUserHelp": "\u05de\u05d2\u05d3\u05d9\u05e8 \u05d0\u05d9\u05dc\u05d5 \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05de\u05e9\u05ea\u05de\u05e9 \u05d9\u05d5\u05e6\u05d2\u05d5 \u05d1\u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05de\u05d7\u05d5\u05d1\u05e8\u05d9\u05dd. \u05e0\u05d9\u05ea\u05df \u05dc\u05e2\u05e7\u05d5\u05e3 \u05d6\u05d0\u05ea \u05dc\u05db\u05dc \u05de\u05db\u05e9\u05d9\u05e8 \u05e2\u05dc \u05d9\u05d3\u05d9 \u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e9\u05e8\u05ea",
- "LabelWeatherDisplayLocation": "\u05de\u05e7\u05d5\u05dd \u05d4\u05e6\u05d2\u05ea \u05de\u05d6\u05d2 \u05d4\u05d0\u05d5\u05d5\u05d9\u05e8:",
- "LabelWeatherDisplayLocationHelp": "\u05de\u05d9\u05e7\u05d5\u05d3 \u05d0\u05e8\u05d4\"\u05d1 \/ \u05e2\u05d9\u05e8, \u05de\u05d3\u05d9\u05e0\u05d4, \u05d0\u05e8\u05e5 \/ \u05e2\u05d9\u05e8, \u05d0\u05e8\u05e5",
- "LabelWeatherDisplayUnit": "\u05d9\u05d7\u05d9\u05d3\u05d5\u05ea \u05de\u05d6\u05d2 \u05d0\u05d5\u05d5\u05d9\u05e8",
- "OptionCelsius": "\u05e6\u05dc\u05d6\u05d9\u05d5\u05e1",
- "OptionFahrenheit": "\u05e4\u05e8\u05e0\u05d4\u05d9\u05d9\u05d8",
- "HeaderRequireManualLogin": "\u05d3\u05e8\u05d5\u05e9 \u05d4\u05db\u05e0\u05e1\u05ea \u05e9\u05dd \u05de\u05e9\u05ea\u05de\u05e9 \u05d1\u05d0\u05d5\u05e4\u05df \u05d9\u05d3\u05e0\u05d9 \u05e2\u05d1\u05d5\u05e8:",
- "HeaderRequireManualLoginHelp": "\u05db\u05d0\u05e9\u05e8 \u05de\u05d1\u05d5\u05d8\u05dc, \u05d9\u05d5\u05e6\u05d2 \u05dc\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05dc\u05d5\u05d7 \u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05e2\u05dd \u05d1\u05d7\u05d9\u05e8\u05ea \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd.",
- "OptionOtherApps": "\u05ea\u05d5\u05db\u05e0\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05ea",
- "OptionMobileApps": "\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d5\u05ea \u05dc\u05e0\u05d9\u05d9\u05d3",
- "HeaderNotificationList": "\u05dc\u05d7\u05e5 \u05e2\u05dc \u05d4\u05ea\u05e8\u05d0\u05d4 \u05dc\u05d4\u05d2\u05d3\u05e8\u05ea \u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05d4\u05e9\u05dc\u05d9\u05d7\u05d4 \u05e9\u05dc\u05d4",
- "NotificationOptionApplicationUpdateAvailable": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05db\u05de\u05d4 \u05e7\u05d9\u05d9\u05dd",
- "NotificationOptionApplicationUpdateInstalled": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05db\u05e0\u05d4 \u05d4\u05d5\u05ea\u05e7\u05df",
- "NotificationOptionPluginUpdateInstalled": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05ea\u05e7\u05df",
- "NotificationOptionPluginInstalled": "\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05ea\u05e7\u05df",
- "NotificationOptionPluginUninstalled": "\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05e1\u05e8",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "\u05de\u05e9\u05d9\u05de\u05d4 \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05ea \u05e0\u05db\u05e9\u05dc\u05d4",
- "NotificationOptionInstallationFailed": "\u05d4\u05ea\u05e7\u05e0\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4",
- "NotificationOptionNewLibraryContent": "\u05ea\u05d5\u05db\u05df \u05d7\u05d3\u05e9 \u05e0\u05d5\u05e1\u05e3",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "\u05d1\u05e8\u05d9\u05e8\u05ea \u05d4\u05de\u05d7\u05d3\u05dc \u05d4\u05d9\u05d0 \u05e9\u05d4\u05ea\u05e8\u05d0\u05d5\u05ea \u05de\u05d2\u05d9\u05e2\u05d5\u05ea \u05dc\u05ea\u05d9\u05d1\u05ea \u05d4\u05d3\u05d5\u05d0\u05e8 \u05d4\u05e0\u05db\u05e0\u05e1 \u05e9\u05dc \u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4. \u05e2\u05d9\u05d9\u05df \u05d1\u05e7\u05d8\u05dc\u05d5\u05d2 \u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05db\u05d3\u05d9 \u05dc\u05d4\u05ea\u05e7\u05d9\u05df \u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc\u05e7\u05d1\u05dc\u05ea \u05d4\u05ea\u05e8\u05d0\u05d5\u05ea",
- "NotificationOptionServerRestartRequired": "\u05e0\u05d3\u05e8\u05e9\u05ea \u05d4\u05e4\u05e2\u05dc\u05d4 \u05de\u05d7\u05d3\u05e9 \u05e9\u05dc \u05d4\u05e9\u05e8\u05ea",
- "LabelNotificationEnabled": "\u05d0\u05e4\u05e9\u05e8 \u05d4\u05ea\u05e8\u05d0\u05d4 \u05d6\u05d5",
- "LabelMonitorUsers": "\u05e2\u05e7\u05d5\u05d1 \u05d0\u05d7\u05e8 \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea \u05de:",
- "LabelSendNotificationToUsers": "\u05e9\u05dc\u05d7 \u05d0\u05ea \u05d4\u05d4\u05ea\u05e8\u05d0\u05d4 \u05dc:",
- "LabelUseNotificationServices": "\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05e9\u05d9\u05e8\u05d5\u05ea\u05d9\u05dd \u05d4\u05d1\u05d0\u05d9\u05dd:",
- "CategoryUser": "\u05de\u05e9\u05ea\u05de\u05e9",
- "CategorySystem": "\u05de\u05e2\u05e8\u05db\u05ea",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "\u05db\u05d5\u05ea\u05e8\u05ea \u05d4\u05d5\u05d3\u05e2\u05d4:",
- "LabelAvailableTokens": "\u05d0\u05e1\u05d9\u05de\u05d5\u05e0\u05d9\u05dd \u05e7\u05d9\u05d9\u05de\u05d9\u05dd",
- "AdditionalNotificationServices": "\u05e2\u05d9\u05d9\u05df \u05d1\u05e7\u05d8\u05dc\u05d5\u05d2 \u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05dc\u05d4\u05ea\u05e7\u05e0\u05ea \u05e9\u05e8\u05d5\u05ea\u05d9 \u05d4\u05ea\u05e8\u05d0\u05d5\u05ea \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd",
- "OptionAllUsers": "\u05db\u05dc \u05d4\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd",
- "OptionAdminUsers": "\u05de\u05e0\u05d4\u05dc\u05d9\u05dd",
- "OptionCustomUsers": "\u05de\u05d5\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "\u05d7\u05d9\u05e4\u05d5\u05e9",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -952,6 +370,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "\u05d9\u05e6\u05d9\u05d0\u05d4",
"LabelVisitCommunity": "\u05d1\u05e7\u05e8 \u05d1\u05e7\u05d4\u05d9\u05dc\u05d4",
"LabelGithubWiki": "\u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05d4\u05e7\u05d5\u05d3",
@@ -1249,5 +671,587 @@
"LabelUser": "\u05de\u05e9\u05ea\u05de\u05e9:",
"LabelPassword": "\u05e1\u05d9\u05e1\u05de\u05d0:",
"ButtonManualLogin": "\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05d9\u05d3\u05e0\u05d9\u05ea",
- "PasswordLocalhostMessage": "\u05d0\u05d9\u05df \u05e6\u05d5\u05e8\u05da \u05d1\u05e1\u05d9\u05e1\u05de\u05d0 \u05db\u05d0\u05e9\u05e8 \u05de\u05ea\u05d7\u05d1\u05e8\u05d9\u05dd \u05de\u05d4\u05e9\u05e8\u05ea \u05d4\u05de\u05e7\u05d5\u05de\u05d9."
+ "PasswordLocalhostMessage": "\u05d0\u05d9\u05df \u05e6\u05d5\u05e8\u05da \u05d1\u05e1\u05d9\u05e1\u05de\u05d0 \u05db\u05d0\u05e9\u05e8 \u05de\u05ea\u05d7\u05d1\u05e8\u05d9\u05dd \u05de\u05d4\u05e9\u05e8\u05ea \u05d4\u05de\u05e7\u05d5\u05de\u05d9.",
+ "TabGuide": "\u05de\u05d3\u05e8\u05d9\u05da",
+ "TabChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd",
+ "TabCollections": "Collections",
+ "HeaderChannels": "\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd",
+ "TabRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea",
+ "TabScheduled": "\u05dc\u05d5\u05d7 \u05d6\u05de\u05e0\u05d9\u05dd",
+ "TabSeries": "\u05e1\u05d3\u05e8\u05d5\u05ea",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "\u05d1\u05d8\u05dc \u05d4\u05e7\u05dc\u05d8\u05d4",
+ "HeaderPrePostPadding": "\u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd\/\u05de\u05d0\u05d5\u05d7\u05e8",
+ "LabelPrePaddingMinutes": "\u05d3\u05e7\u05d5\u05ea \u05e9\u05dc \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd:",
+ "OptionPrePaddingRequired": "\u05db\u05d3\u05d9 \u05dc\u05d4\u05e7\u05dc\u05d9\u05d8 \u05d9\u05e9 \u05e6\u05d5\u05e8\u05da \u05dc\u05d4\u05d2\u05d3\u05d9\u05e8 \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05e7\u05d3\u05d9\u05dd.",
+ "LabelPostPaddingMinutes": "\u05d3\u05e7\u05d5\u05ea \u05e9\u05dc \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05d0\u05d5\u05d7\u05e8:",
+ "OptionPostPaddingRequired": "\u05db\u05d3\u05d9 \u05dc\u05d4\u05e7\u05dc\u05d9\u05d8 \u05d9\u05e9 \u05e6\u05d5\u05e8\u05da \u05dc\u05d4\u05d2\u05d3\u05d9\u05e8 \u05de\u05e8\u05d5\u05d5\u05d7 \u05de\u05d0\u05d5\u05d7\u05e8.",
+ "HeaderWhatsOnTV": "\u05de\u05d4 \u05de\u05e9\u05d5\u05d3\u05e8",
+ "HeaderUpcomingTV": "\u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05e7\u05e8\u05d5\u05d1\u05d9\u05dd",
+ "TabStatus": "\u05de\u05e6\u05d1",
+ "TabSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea",
+ "ButtonRefreshGuideData": "\u05e8\u05e2\u05e0\u05df \u05d0\u05ea \u05de\u05d3\u05e8\u05d9\u05da \u05d4\u05e9\u05d9\u05d3\u05d5\u05e8",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "\u05e2\u05d3\u05d9\u05e4\u05d5\u05ea",
+ "OptionRecordOnAllChannels": "\u05d4\u05e7\u05dc\u05d8 \u05ea\u05d5\u05db\u05e0\u05d9\u05d5\u05ea \u05d1\u05db\u05dc \u05d4\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd",
+ "OptionRecordAnytime": "\u05d4\u05e7\u05dc\u05d8 \u05ea\u05d5\u05db\u05e0\u05d9\u05ea \u05d1\u05db\u05dc \u05d6\u05de\u05df",
+ "OptionRecordOnlyNewEpisodes": "\u05d4\u05e7\u05dc\u05d8 \u05e8\u05e7 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd",
+ "HeaderDays": "\u05d9\u05de\u05d9\u05dd",
+ "HeaderActiveRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea",
+ "HeaderLatestRecordings": "\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05e0\u05d5\u05ea",
+ "HeaderAllRecordings": "\u05db\u05dc \u05d4\u05d4\u05e7\u05dc\u05d8\u05d5\u05ea",
+ "ButtonPlay": "\u05e0\u05d2\u05df",
+ "ButtonEdit": "\u05e2\u05e8\u05d5\u05da",
+ "ButtonRecord": "\u05d4\u05e7\u05dc\u05d8",
+ "ButtonDelete": "\u05de\u05d7\u05e7",
+ "ButtonRemove": "\u05d4\u05e1\u05e8",
+ "OptionRecordSeries": "\u05d4\u05dc\u05e7\u05d8 \u05e1\u05d3\u05e8\u05d5\u05ea",
+ "HeaderDetails": "\u05e4\u05e8\u05d8\u05d9\u05dd",
+ "TitleLiveTV": "\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4",
+ "LabelNumberOfGuideDays": "\u05de\u05e1\u05e4\u05e8 \u05d9\u05de\u05d9 \u05dc\u05d5\u05d7 \u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4",
+ "LabelNumberOfGuideDaysHelp": "\u05d4\u05d5\u05e8\u05d3\u05ea \u05d9\u05d5\u05ea\u05e8 \u05d9\u05de\u05d9 \u05dc\u05d5\u05d7 \u05e9\u05d9\u05d3\u05d5\u05e8\u05d9\u05dd \u05de\u05d0\u05e4\u05e9\u05e8\u05ea \u05d9\u05db\u05d5\u05dc\u05ea \u05dc\u05ea\u05db\u05e0\u05df \u05d5\u05dc\u05e8\u05d0\u05d5\u05ea \u05d9\u05d5\u05ea\u05e8 \u05ea\u05d5\u05db\u05e0\u05d9\u05d5\u05ea \u05e7\u05d3\u05d9\u05de\u05d4, \u05d0\u05d1\u05dc \u05d2\u05dd \u05d6\u05de\u05df \u05d4\u05d4\u05d5\u05e8\u05d3\u05d4 \u05d9\u05e2\u05dc\u05d4. \u05de\u05e6\u05d1 \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9 \u05d9\u05d9\u05e7\u05d1\u05e2 \u05dc\u05e4\u05e0\u05d9 \u05de\u05e1\u05e4\u05e8 \u05d4\u05e2\u05e8\u05d5\u05e6\u05d9\u05dd.",
+ "LabelActiveService": "\u05e9\u05d9\u05e8\u05d5\u05ea \u05e4\u05e2\u05d9\u05dc:",
+ "LabelActiveServiceHelp": "\u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05ea\u05e7\u05d9\u05df \u05de\u05e1\u05e4\u05e8 \u05ea\u05d5\u05e1\u05e4\u05d9 \u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4, \u05d0\u05da \u05e8\u05e7 \u05d0\u05d7\u05d3 \u05d9\u05db\u05d5\u05dc \u05dc\u05d4\u05d9\u05d5\u05ea \u05de\u05d5\u05e4\u05e2\u05dc \u05d1\u05db\u05dc \u05e8\u05d2\u05e2 \u05e0\u05ea\u05d5\u05df.",
+ "OptionAutomatic": "\u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9",
+ "LiveTvPluginRequired": "\u05d9\u05e9 \u05e6\u05d5\u05e8\u05da \u05d1\u05ea\u05d5\u05e1\u05e3 \u05e1\u05e4\u05e7 \u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d7\u05d9\u05d9\u05d4 \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05d4\u05de\u05e9\u05d9\u05da.",
+ "LiveTvPluginRequiredHelp": "\u05d0\u05e0\u05d0 \u05d4\u05ea\u05e7\u05df \u05d0\u05ea \u05d0\u05d7\u05d3 \u05de\u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05d4\u05d0\u05e4\u05e9\u05e8\u05d9\u05d9\u05dd \u05e9\u05dc\u05e0\u05d5\u05ea \u05db\u05de\u05d5 Next Pvr \u05d0\u05d5 ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "\u05ea\u05e4\u05e8\u05d9\u05d8",
+ "OptionDownloadLogoImage": "\u05dc\u05d5\u05d2\u05d5",
+ "OptionDownloadBoxImage": "\u05de\u05d0\u05e8\u05d6",
+ "OptionDownloadDiscImage": "\u05d3\u05d9\u05e1\u05e7",
+ "OptionDownloadBannerImage": "\u05d1\u05d0\u05e0\u05e8",
+ "OptionDownloadBackImage": "\u05d2\u05d1",
+ "OptionDownloadArtImage": "\u05e2\u05d8\u05d9\u05e4\u05d4",
+ "OptionDownloadPrimaryImage": "\u05e8\u05d0\u05e9\u05d9",
+ "HeaderFetchImages": "\u05d4\u05d1\u05d0 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea:",
+ "HeaderImageSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05ea\u05de\u05d5\u05e0\u05d4",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "\u05de\u05e1\u05e4\u05e8 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05e8\u05e7\u05e2 \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9 \u05dc\u05e4\u05e8\u05d9\u05d8:",
+ "LabelMaxScreenshotsPerItem": "\u05de\u05e1\u05e4\u05e8 \u05ea\u05de\u05d5\u05e0\u05d5\u05ea \u05de\u05e1\u05da \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9 \u05dc\u05e4\u05e8\u05d9\u05d8:",
+ "LabelMinBackdropDownloadWidth": "\u05e8\u05d5\u05d7\u05d1 \u05ea\u05de\u05d5\u05e0\u05ea \u05e8\u05e7\u05e2 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4:",
+ "LabelMinScreenshotDownloadWidth": "\u05e8\u05d7\u05d5\u05d1 \u05ea\u05de\u05d5\u05e0\u05ea \u05de\u05e1\u05da \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9\u05ea \u05dc\u05d4\u05d5\u05e8\u05d3\u05d4:",
+ "ButtonAddScheduledTaskTrigger": "\u05d4\u05d5\u05e1\u05e3 \u05d8\u05e8\u05d9\u05d2\u05e8 \u05dc\u05de\u05e9\u05d9\u05de\u05d4",
+ "HeaderAddScheduledTaskTrigger": "\u05d4\u05d5\u05e1\u05e3 \u05d8\u05e8\u05d9\u05d2\u05e8 \u05dc\u05de\u05e9\u05d9\u05de\u05d4",
+ "ButtonAdd": "\u05d4\u05d5\u05e1\u05e3",
+ "LabelTriggerType": "\u05e1\u05d5\u05d2\u05e8 \u05d8\u05e8\u05d9\u05d2\u05e8:",
+ "OptionDaily": "\u05d9\u05d5\u05de\u05d9",
+ "OptionWeekly": "\u05e9\u05d1\u05d5\u05e2\u05d9",
+ "OptionOnInterval": "\u05db\u05dc \u05e4\u05e8\u05e7 \u05d6\u05de\u05df",
+ "OptionOnAppStartup": "\u05d1\u05d4\u05e4\u05e2\u05dc\u05ea \u05d4\u05ea\u05d5\u05db\u05e0\u05d4",
+ "OptionAfterSystemEvent": "\u05d0\u05d7\u05e8\u05d9 \u05d0\u05d9\u05e8\u05d5\u05e2 \u05de\u05e2\u05e8\u05db\u05ea",
+ "LabelDay": "\u05d9\u05d5\u05dd:",
+ "LabelTime": "\u05d6\u05de\u05df:",
+ "LabelEvent": "\u05d0\u05d9\u05e8\u05d5\u05e2:",
+ "OptionWakeFromSleep": "\u05d4\u05e2\u05e8 \u05de\u05de\u05e6\u05d1 \u05e9\u05d9\u05e0\u05d4",
+ "LabelEveryXMinutes": "\u05db\u05dc:",
+ "HeaderTvTuners": "\u05d8\u05d5\u05e0\u05e8\u05d9\u05dd",
+ "HeaderGallery": "\u05d2\u05dc\u05e8\u05d9\u05d4",
+ "HeaderLatestGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd \u05d0\u05d7\u05e8\u05d5\u05e0\u05d9\u05dd",
+ "HeaderRecentlyPlayedGames": "\u05de\u05e9\u05d7\u05e7\u05d9\u05dd \u05e9\u05e9\u05d5\u05d7\u05e7\u05d5 \u05dc\u05d0\u05d7\u05e8\u05d5\u05e0\u05d4",
+ "TabGameSystems": "\u05e7\u05d5\u05e0\u05e1\u05d5\u05dc\u05d5\u05ea \u05de\u05e9\u05d7\u05e7",
+ "TitleMediaLibrary": "\u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05de\u05d3\u05d9\u05d4",
+ "TabFolders": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea",
+ "TabPathSubstitution": "\u05e0\u05ea\u05d9\u05d1 \u05ea\u05d7\u05dc\u05d5\u05e4\u05d9",
+ "LabelSeasonZeroDisplayName": "\u05e9\u05dd \u05d4\u05e6\u05d2\u05d4 \u05ea\u05e2\u05d5\u05e0\u05d4 0",
+ "LabelEnableRealtimeMonitor": "\u05d0\u05e4\u05e9\u05e8 \u05de\u05e2\u05e7\u05d1 \u05d1\u05d6\u05de\u05df \u05d0\u05de\u05ea",
+ "LabelEnableRealtimeMonitorHelp": "\u05e9\u05d9\u05e0\u05d5\u05d9\u05d9\u05dd \u05d9\u05e2\u05e9\u05d5 \u05d1\u05d0\u05d5\u05e4\u05df \u05de\u05d9\u05d9\u05d3\u05d9\u05ea \u05e2\u05dc \u05de\u05e2\u05e8\u05db\u05d5\u05ea \u05e7\u05d1\u05e6\u05d9\u05dd \u05e0\u05ea\u05de\u05db\u05d5\u05ea.",
+ "ButtonScanLibrary": "\u05e1\u05e8\u05d5\u05e7 \u05e1\u05e4\u05e8\u05d9\u05d9\u05d4",
+ "HeaderNumberOfPlayers": "\u05e0\u05d2\u05e0\u05d9\u05dd:",
+ "OptionAnyNumberOfPlayers": "\u05d4\u05db\u05dc",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05de\u05d3\u05d9\u05d4",
+ "HeaderThemeVideos": "\u05e1\u05e8\u05d8\u05d9 \u05e0\u05d5\u05e9\u05d0",
+ "HeaderThemeSongs": "\u05e9\u05d9\u05e8 \u05e0\u05d5\u05e9\u05d0",
+ "HeaderScenes": "\u05e1\u05e6\u05e0\u05d5\u05ea",
+ "HeaderAwardsAndReviews": "\u05e4\u05e8\u05e1\u05d9\u05dd \u05d5\u05d1\u05d9\u05e7\u05d5\u05e8\u05d5\u05ea",
+ "HeaderSoundtracks": "\u05e4\u05e1\u05d9 \u05e7\u05d5\u05dc",
+ "HeaderMusicVideos": "\u05e7\u05dc\u05d9\u05e4\u05d9\u05dd",
+ "HeaderSpecialFeatures": "\u05de\u05d0\u05e4\u05d9\u05d9\u05e0\u05d9\u05dd \u05de\u05d9\u05d5\u05d7\u05d3\u05d9\u05dd",
+ "HeaderCastCrew": "\u05e9\u05d7\u05e7\u05e0\u05d9\u05dd \u05d5\u05e6\u05d5\u05d5\u05ea",
+ "HeaderAdditionalParts": "\u05d7\u05dc\u05e7\u05d9\u05dd \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd",
+ "ButtonSplitVersionsApart": "\u05e4\u05e6\u05dc \u05d2\u05e8\u05e1\u05d0\u05d5\u05ea \u05d1\u05e0\u05e4\u05e8\u05d3",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "\u05d7\u05e1\u05e8",
+ "LabelOffline": "\u05dc\u05d0 \u05de\u05e7\u05d5\u05d5\u05df",
+ "PathSubstitutionHelp": "\u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05d7\u05dc\u05d5\u05e4\u05d9\u05d9\u05dd \u05d4\u05dd \u05dc\u05e6\u05d5\u05e8\u05da \u05de\u05d9\u05e4\u05d5\u05d9 \u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05d1\u05e9\u05e8\u05ea \u05dc\u05e0\u05ea\u05d9\u05d1\u05d9\u05dd \u05e9\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05d9\u05db\u05d5\u05dc\u05d9\u05dd \u05dc\u05d2\u05e9\u05ea \u05d0\u05dc\u05d9\u05d4\u05dd. \u05e2\u05dc \u05d9\u05d3\u05d9 \u05d4\u05e8\u05e9\u05d0\u05d4 \u05dc\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05d2\u05d9\u05e9\u05d4 \u05d9\u05e9\u05d9\u05e8\u05d4 \u05dc\u05de\u05d3\u05d9\u05d4 \u05d1\u05e9\u05e8\u05ea \u05d0\u05dd \u05d9\u05db\u05d5\u05dc\u05d9\u05dd \u05dc\u05e0\u05d2\u05df \u05d0\u05ea \u05d4\u05e7\u05d1\u05e6\u05d9\u05dd \u05d9\u05e9\u05d9\u05e8\u05d5\u05ea \u05e2\u05dc \u05d2\u05d1\u05d9 \u05d4\u05e8\u05e9\u05ea \u05d5\u05dc\u05d4\u05d9\u05de\u05e0\u05e2 \u05de\u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05de\u05e9\u05d0\u05d1\u05d9 \u05d4\u05e9\u05e8\u05ea \u05dc\u05e6\u05d5\u05e8\u05da \u05e7\u05d9\u05d3\u05d5\u05d3 \u05d5\u05e9\u05d9\u05d3\u05d5\u05e8.",
+ "HeaderFrom": "\u05de-",
+ "HeaderTo": "\u05dc-",
+ "LabelFrom": "\u05de:",
+ "LabelFromHelp": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0: D:\\Movies (\u05d1\u05e9\u05e8\u05ea)",
+ "LabelTo": "\u05dc:",
+ "LabelToHelp": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0: MyServer\\Movies\\\\ (\u05e0\u05ea\u05d9\u05d1 \u05e9\u05e7\u05dc\u05d9\u05d9\u05e0\u05d8\u05d9\u05dd \u05d9\u05db\u05d5\u05dc\u05d9\u05dd \u05dc\u05d2\u05e9\u05ea \u05d0\u05dc\u05d9\u05d5)",
+ "ButtonAddPathSubstitution": "\u05d4\u05d5\u05e1\u05e3 \u05e0\u05ea\u05d9\u05d1 \u05d7\u05dc\u05d5\u05e4\u05d9",
+ "OptionSpecialEpisode": "\u05e1\u05e4\u05d9\u05d9\u05e9\u05dc\u05d9\u05dd",
+ "OptionMissingEpisode": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05e1\u05e8\u05d9\u05dd",
+ "OptionUnairedEpisode": "\u05e4\u05e8\u05e7\u05d9\u05dd \u05e9\u05dc\u05d0 \u05e9\u05d5\u05d3\u05e8\u05d5",
+ "OptionEpisodeSortName": "\u05de\u05d9\u05d5\u05df \u05e9\u05de\u05d5\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd",
+ "OptionSeriesSortName": "\u05e9\u05dd \u05e1\u05d3\u05e8\u05d5\u05ea",
+ "OptionTvdbRating": "\u05d3\u05d9\u05e8\u05d5\u05d2 Tvdb",
+ "HeaderTranscodingQualityPreference": "\u05d0\u05d9\u05db\u05d5\u05ea \u05e7\u05d9\u05d3\u05d5\u05d3 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea",
+ "OptionAutomaticTranscodingHelp": "\u05d4\u05e9\u05e8\u05ea \u05d9\u05d1\u05d7\u05e8 \u05d0\u05d9\u05db\u05d5\u05ea \u05d5\u05de\u05d4\u05d9\u05e8\u05d5\u05ea",
+ "OptionHighSpeedTranscodingHelp": "\u05d0\u05d9\u05db\u05d5\u05ea \u05e0\u05de\u05d5\u05db\u05d4, \u05d0\u05da \u05e7\u05d9\u05d3\u05d5\u05d3 \u05de\u05d4\u05d9\u05e8",
+ "OptionHighQualityTranscodingHelp": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d2\u05d5\u05d1\u05d4\u05d4, \u05d0\u05da \u05e7\u05d9\u05d3\u05d5\u05d3 \u05d0\u05d9\u05d8\u05d9",
+ "OptionMaxQualityTranscodingHelp": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d8\u05d5\u05d1\u05d4 \u05d1\u05d9\u05d5\u05ea\u05e8 \u05e2\u05dd \u05e7\u05d9\u05d3\u05d5\u05d3 \u05d0\u05d9\u05d8\u05d9 \u05d5\u05e9\u05d9\u05de\u05d5\u05e9 \u05d2\u05d1\u05d5\u05d4 \u05d1\u05de\u05e2\u05d1\u05d3",
+ "OptionHighSpeedTranscoding": "\u05de\u05d4\u05d9\u05e8\u05d5\u05ea \u05d2\u05d1\u05d5\u05d4\u05d4",
+ "OptionHighQualityTranscoding": "\u05d0\u05d9\u05db\u05d5\u05ea \u05d2\u05d1\u05d5\u05d4\u05d4",
+ "OptionMaxQualityTranscoding": "\u05d0\u05d9\u05db\u05d5\u05ea \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9\u05ea",
+ "OptionEnableDebugTranscodingLogging": "\u05d0\u05e4\u05e9\u05e8 \u05e8\u05d9\u05e9\u05d5\u05dd \u05d1\u05d0\u05d2\u05d9\u05dd \u05d1\u05e7\u05d9\u05d3\u05d5\u05d3",
+ "OptionEnableDebugTranscodingLoggingHelp": "\u05d3\u05d1\u05e8 \u05d6\u05d4 \u05d9\u05d9\u05e6\u05d5\u05e8 \u05e7\u05d5\u05e5 \u05dc\u05d5\u05d2 \u05de\u05d0\u05d5\u05d3 \u05d2\u05d3\u05d5\u05dc \u05d5\u05de\u05de\u05d5\u05dc\u05e5 \u05dc\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05db\u05da \u05e8\u05e7 \u05dc\u05e6\u05d5\u05e8\u05da \u05e4\u05d9\u05ea\u05e8\u05d5\u05df \u05d1\u05e2\u05d9\u05d5\u05ea.",
+ "OptionUpscaling": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05dc\u05d1\u05e7\u05e9 \u05d4\u05d2\u05d3\u05dc\u05ea \u05d5\u05d5\u05d9\u05d3\u05d9\u05d0\u05d5",
+ "OptionUpscalingHelp": "\u05d1\u05d7\u05dc\u05e7 \u05de\u05d4\u05de\u05e7\u05e8\u05d9\u05dd \u05d6\u05d4 \u05d9\u05d5\u05d1\u05d9\u05dc \u05dc\u05e9\u05d9\u05e4\u05d5\u05e8 \u05d0\u05d9\u05db\u05d5\u05ea \u05d4\u05d5\u05d5\u05d9\u05d3\u05d9\u05d0\u05d5, \u05d0\u05da \u05d9\u05e2\u05dc\u05d4 \u05d0\u05ea \u05d4\u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05de\u05e2\u05d1\u05d3.",
+ "EditCollectionItemsHelp": "\u05d4\u05d5\u05e1\u05e3 \u05d0\u05d5 \u05d4\u05e1\u05e8 \u05db\u05dc \u05e1\u05e8\u05d8, \u05e1\u05d3\u05e8\u05d4, \u05d0\u05dc\u05d1\u05d5\u05dd, \u05e1\u05e4\u05e8 \u05d0\u05d5 \u05de\u05e9\u05d7\u05e7 \u05e9\u05d0\u05ea\u05d4 \u05de\u05e2\u05d5\u05e0\u05d9\u05d9\u05df \u05dc\u05e7\u05d1\u05e5 \u05dc\u05d0\u05d5\u05e1\u05e3 \u05d4\u05d6\u05d4.",
+ "HeaderAddTitles": "\u05d4\u05d5\u05e1\u05e3 \u05db\u05d5\u05ea\u05e8",
+ "LabelEnableDlnaPlayTo": "\u05de\u05d0\u05e4\u05e9\u05e8 \u05e0\u05d9\u05d2\u05d5\u05df DLNA \u05dc",
+ "LabelEnableDlnaPlayToHelp": "Media Browser \u05d9\u05db\u05d5\u05dc \u05dc\u05d6\u05d4\u05d5\u05ea \u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05d1\u05ea\u05d5\u05da \u05d4\u05e8\u05e9\u05ea \u05e9\u05dc\u05da \u05d5\u05dc\u05d4\u05e6\u05d9\u05e2 \u05dc\u05e9\u05dc\u05d5\u05d8 \u05d1\u05d4\u05dd \u05de\u05e8\u05d7\u05d5\u05e7.",
+ "LabelEnableDlnaDebugLogging": "\u05d0\u05e4\u05e9\u05e8 \u05e0\u05d9\u05d4\u05d5\u05dc \u05e8\u05d9\u05e9\u05d5\u05dd \u05d1\u05d0\u05d2\u05d9\u05dd \u05d1DLNA",
+ "LabelEnableDlnaDebugLoggingHelp": "\u05d0\u05e4\u05e9\u05e8\u05d5\u05ea \u05d6\u05d5 \u05ea\u05d9\u05e6\u05d5\u05e8 \u05e7\u05d1\u05e6\u05d9 \u05dc\u05d5\u05d2 \u05d2\u05d3\u05d5\u05dc\u05d9\u05dd \u05d9\u05d5\u05ea\u05e8 \u05d5\u05e2\u05dc\u05d9\u05da \u05dc\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05d4 \u05e8\u05e7 \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05e4\u05ea\u05d5\u05e8 \u05ea\u05e7\u05dc\u05d5\u05ea.",
+ "LabelEnableDlnaClientDiscoveryInterval": "\u05d6\u05de\u05df \u05d2\u05d9\u05dc\u05d5\u05d9 \u05e7\u05dc\u05d9\u05d9\u05e0\u05d8\u05d9\u05dd (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u05de\u05d2\u05d3\u05d9\u05e8 \u05d0\u05ea \u05d4\u05de\u05e9\u05da \u05d1\u05e9\u05e0\u05d9\u05d5\u05ea \u05d1\u05d9\u05df \u05d7\u05d9\u05e4\u05d5\u05e9\u05d9 SSDP \u05e9\u05de\u05d1\u05e6\u05e2 Media Browser.",
+ "HeaderCustomDlnaProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd \u05de\u05d5\u05ea\u05d0\u05de\u05d9\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea",
+ "HeaderSystemDlnaProfiles": "\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea",
+ "CustomDlnaProfilesHelp": "\u05e6\u05d5\u05e8 \u05e4\u05e8\u05d5\u05e4\u05d9\u05dc \u05de\u05d5\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea \u05dc\u05de\u05db\u05e9\u05d9\u05e8 \u05d7\u05d3\u05e9 \u05d0\u05d5 \u05dc\u05e2\u05e7\u05d5\u05e3 \u05e4\u05e8\u05d5\u05e4\u05d9\u05dc \u05de\u05e2\u05e8\u05db\u05ea",
+ "SystemDlnaProfilesHelp": "\u05e4\u05e8\u05d5\u05e4\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea \u05d4\u05dd \u05dc\u05e7\u05e8\u05d9\u05d0\u05d4 \u05d1\u05dc\u05d1\u05d3. \u05e9\u05d9\u05e0\u05d5\u05d9\u05d9\u05dd \u05d1\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9 \u05de\u05e2\u05e8\u05db\u05ea \u05d9\u05e9\u05de\u05e8\u05d5 \u05dc\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc \u05de\u05d5\u05e6\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea \u05d7\u05d3\u05e9.",
+ "TitleDashboard": "\u05dc\u05d5\u05d7 \u05d1\u05e7\u05e8\u05d4",
+ "TabHome": "\u05d1\u05d9\u05ea",
+ "TabInfo": "\u05de\u05d9\u05d3\u05e2",
+ "HeaderLinks": "\u05dc\u05d9\u05e0\u05e7\u05d9\u05dd",
+ "HeaderSystemPaths": "\u05e0\u05ea\u05d9\u05d1\u05d9 \u05de\u05e2\u05e8\u05db\u05ea",
+ "LinkCommunity": "\u05e7\u05d4\u05d9\u05dc\u05d4",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "\u05de\u05e1\u05de\u05db\u05d9 \u05e2\u05e8\u05db\u05ea \u05e4\u05d9\u05ea\u05d5\u05d7",
+ "LabelFriendlyServerName": "\u05e9\u05dd \u05e9\u05e8\u05ea \u05d9\u05d3\u05d9\u05d3\u05d5\u05ea\u05d9:",
+ "LabelFriendlyServerNameHelp": "\u05d4\u05e9\u05dd \u05d9\u05ea\u05df \u05dc\u05d6\u05d9\u05d4\u05d5\u05d9 \u05d4\u05e9\u05e8\u05ea. \u05d0\u05dd \u05de\u05d5\u05e9\u05d0\u05e8 \u05e8\u05d9\u05e7, \u05e9\u05dd \u05d4\u05e9\u05e8\u05ea \u05d9\u05d4\u05d9\u05d4 \u05e9\u05dd \u05d4\u05de\u05d7\u05e9\u05d1.",
+ "LabelPreferredDisplayLanguage": "\u05e9\u05e4\u05ea \u05ea\u05e6\u05d5\u05d2\u05d4 \u05de\u05d5\u05e2\u05d3\u05e4\u05ea",
+ "LabelPreferredDisplayLanguageHelp": "\u05ea\u05e8\u05d2\u05d5\u05dd Media Browser \u05d4\u05d5\u05d0 \u05ea\u05d4\u05dc\u05d9\u05da \u05d1\u05d4\u05ea\u05d4\u05d5\u05d5\u05ea \u05d5\u05e2\u05d3\u05d9\u05df \u05dc\u05d0 \u05de\u05d5\u05e9\u05dc\u05dd.",
+ "LabelReadHowYouCanContribute": "\u05e7\u05e8\u05d0 \u05db\u05d9\u05e6\u05d3 \u05d0\u05ea\u05d4 \u05d9\u05db\u05d5\u05dc \u05dc\u05ea\u05e8\u05d5\u05dd.",
+ "HeaderNewCollection": "\u05d0\u05d5\u05e4\u05e1\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "\u05dc\u05d3\u05d5\u05d2\u05de\u05d0 :\u05d0\u05d5\u05e1\u05e3 \u05de\u05dc\u05d7\u05de\u05ea \u05d4\u05db\u05d5\u05db\u05d1\u05d9\u05dd",
+ "OptionSearchForInternetMetadata": "\u05d7\u05e4\u05e9 \u05d1\u05d0\u05d9\u05e0\u05e8\u05e0\u05d8 \u05d0\u05d7\u05e8\u05d9 \u05de\u05d9\u05d3\u05e2 \u05d5\u05ea\u05de\u05d5\u05e0\u05d5\u05ea",
+ "ButtonCreate": "\u05e6\u05d5\u05e8",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "\u05e4\u05d5\u05e8\u05d8 Web socket:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "\u05d0\u05dd \u05d9\u05e9 \u05dc\u05da \u05db\u05ea\u05d5\u05d1\u05ea DNS \u05d3\u05d9\u05e0\u05d0\u05de\u05d9\u05ea \u05d4\u05db\u05e0\u05e1 \u05d0\u05d5\u05ea\u05d4 \u05db\u05d0\u05df. Media Browser \u05d9\u05e9\u05ea\u05de\u05e9 \u05d1\u05d4 \u05dc\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05de\u05e8\u05d7\u05d5\u05e7.",
+ "TabResume": "\u05d4\u05de\u05e9\u05da",
+ "TabWeather": "\u05de\u05d6\u05d2 \u05d0\u05d5\u05d5\u05d9\u05e8",
+ "TitleAppSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d4",
+ "LabelMinResumePercentage": "\u05d0\u05d7\u05d5\u05d6\u05d9 \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9\u05dd:",
+ "LabelMaxResumePercentage": "\u05d0\u05d7\u05d5\u05d6\u05d9 \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05e7\u05e1\u05d9\u05de\u05d0\u05dc\u05d9\u05dd",
+ "LabelMinResumeDuration": "\u05de\u05e9\u05da \u05d4\u05de\u05e9\u05db\u05d4 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea):",
+ "LabelMinResumePercentageHelp": "\u05db\u05d5\u05ea\u05e8\u05d9\u05dd \u05d9\u05d5\u05e6\u05d2\u05d5 \u05db\u05dc\u05d0 \u05e0\u05d5\u05d2\u05e0\u05d5 \u05d0\u05dd \u05e0\u05e6\u05e8\u05d5 \u05dc\u05e4\u05e0\u05d9 \u05d4\u05d6\u05de\u05df \u05d4\u05d6\u05d4",
+ "LabelMaxResumePercentageHelp": "\u05e7\u05d5\u05d1\u05e5 \u05de\u05d5\u05d2\u05d3\u05e8 \u05db\u05e0\u05d5\u05d2\u05df \u05d1\u05de\u05dc\u05d5\u05d0\u05d5 \u05d0\u05dd \u05e0\u05e2\u05e6\u05e8 \u05d0\u05d7\u05e8\u05d9 \u05d4\u05d6\u05de\u05df \u05d4\u05d6\u05d4",
+ "LabelMinResumeDurationHelp": "\u05e7\u05d5\u05d1\u05e5 \u05e7\u05e6\u05e8 \u05de\u05d6\u05d4 \u05dc\u05d0 \u05d9\u05d4\u05d9\u05d4 \u05e0\u05d9\u05ea\u05df \u05dc\u05d4\u05de\u05e9\u05da \u05e0\u05d9\u05d2\u05d5\u05df \u05de\u05e0\u05e7\u05d5\u05d3\u05ea \u05d4\u05e2\u05e6\u05d9\u05e8\u05d4",
+ "TitleAutoOrganize": "\u05d0\u05e8\u05d2\u05d5\u05df \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9",
+ "TabActivityLog": "\u05e8\u05d9\u05e9\u05d5\u05dd \u05e4\u05e2\u05d5\u05dc\u05d5\u05ea",
+ "HeaderName": "\u05e9\u05dd",
+ "HeaderDate": "\u05ea\u05d0\u05e8\u05d9\u05da",
+ "HeaderSource": "\u05de\u05e7\u05d5\u05e8",
+ "HeaderDestination": "\u05d9\u05e2\u05d3",
+ "HeaderProgram": "\u05ea\u05d5\u05db\u05e0\u05d4",
+ "HeaderClients": "\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd",
+ "LabelCompleted": "\u05d4\u05d5\u05e9\u05dc\u05dd",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "\u05d3\u05d5\u05dc\u05d2",
+ "HeaderEpisodeOrganization": "\u05d0\u05d9\u05e8\u05d2\u05d5\u05df \u05e4\u05e8\u05e7\u05d9\u05dd",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "\u05de\u05e1\u05e4\u05e8 \u05e2\u05d5\u05e0\u05d4:",
+ "LabelEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e4\u05e8\u05e7:",
+ "LabelEndingEpisodeNumber": "\u05de\u05e1\u05e4\u05e8 \u05e1\u05d9\u05d5\u05dd \u05e4\u05e8\u05e7:",
+ "LabelEndingEpisodeNumberHelp": "\u05d4\u05db\u05e8\u05d7\u05d9 \u05e8\u05e7 \u05e2\u05d1\u05d5\u05e8 \u05e7\u05d1\u05e6\u05d9\u05dd \u05e9\u05dc \u05e4\u05e8\u05e7\u05d9\u05dd \u05de\u05d7\u05d5\u05d1\u05e8\u05d9\u05dd",
+ "HeaderSupportTheTeam": "\u05ea\u05de\u05d5\u05dc \u05d1\u05e6\u05d5\u05d5\u05ea Media Browser",
+ "LabelSupportAmount": "\u05db\u05de\u05d5\u05ea (\u05d3\u05d5\u05dc\u05e8\u05d9\u05dd)",
+ "HeaderSupportTheTeamHelp": "\u05e2\u05d6\u05d5\u05e8 \u05dc\u05d4\u05d1\u05d8\u05d9\u05d7 \u05d0\u05ea \u05d4\u05de\u05e9\u05da \u05d4]\u05d9\u05ea\u05d5\u05d7 \u05e9\u05dc \u05e4\u05e8\u05d5\u05d9\u05d9\u05e7\u05d8 \u05d6\u05d4 \u05e2\"\u05d9 \u05ea\u05e8\u05d5\u05de\u05d4. \u05d7\u05dc\u05e7 \u05de\u05db\u05dc \u05d4\u05ea\u05e8\u05d5\u05de\u05d5\u05ea \u05de\u05d5\u05e2\u05d1\u05e8 \u05dc\u05e9\u05d9\u05e8\u05d5\u05ea\u05d9\u05dd \u05d7\u05d5\u05e4\u05e9\u05d9\u05d9\u05dd \u05d0\u05d7\u05e8\u05d9\u05dd \u05d1\u05d4\u05dd \u05d0\u05e0\u05d5 \u05de\u05ea\u05e9\u05de\u05e9\u05d9\u05dd.",
+ "ButtonEnterSupporterKey": "\u05d4\u05db\u05e0\u05e1 \u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4",
+ "DonationNextStep": "\u05d1\u05e8\u05d2\u05e2 \u05e9\u05d4\u05d5\u05e9\u05dc\u05dd, \u05d0\u05e0\u05d0 \u05d7\u05d6\u05d5\u05e8 \u05d5\u05d4\u05db\u05e0\u05e1 \u05d0\u05ea \u05de\u05e4\u05ea\u05d7 \u05d4\u05ea\u05de\u05d9\u05db\u05d4\u05ea \u05d0\u05e9\u05e8 \u05ea\u05e7\u05d1\u05dc \u05d1\u05de\u05d9\u05d9\u05dc.",
+ "AutoOrganizeHelp": "\u05d0\u05e8\u05d2\u05d5\u05df \u05d0\u05d5\u05d8\u05d5\u05de\u05d8\u05d9 \u05de\u05e0\u05d8\u05e8 \u05d0\u05ea \u05ea\u05d9\u05e7\u05d9\u05d9\u05ea \u05d4\u05d4\u05d5\u05e8\u05d3\u05d5\u05ea \u05e9\u05dc\u05da \u05d5\u05de\u05d7\u05e4\u05e9 \u05e7\u05d1\u05e6\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd, \u05d5\u05d0\u05d6 \u05de\u05e2\u05d1\u05d9\u05e8 \u05d0\u05d5\u05ea\u05dd \u05dc\u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d4\u05de\u05d3\u05d9\u05d4 \u05e9\u05dc\u05da.",
+ "AutoOrganizeTvHelp": "\u05de\u05e0\u05d4\u05dc \u05e7\u05d1\u05e6\u05d9 \u05d4\u05d8\u05dc\u05d5\u05d5\u05d9\u05d6\u05d9\u05d4 \u05d9\u05d5\u05e1\u05d9\u05e3 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e8\u05e7 \u05dc\u05e1\u05d3\u05e8\u05d5\u05ea \u05e7\u05d9\u05d9\u05de\u05d5\u05ea, \u05d4\u05d5\u05d0 \u05dc\u05d0 \u05d9\u05d9\u05e6\u05d5\u05e8 \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea \u05dc\u05e1\u05d3\u05e8\u05d5\u05ea \u05d7\u05d3\u05e9\u05d5\u05ea.",
+ "OptionEnableEpisodeOrganization": "\u05d0\u05e4\u05e9\u05e8 \u05e1\u05d9\u05d3\u05d5\u05e8 \u05e4\u05e8\u05e7\u05d9\u05dd \u05d7\u05d3\u05e9\u05d9\u05dd",
+ "LabelWatchFolder": "\u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05dc\u05de\u05e2\u05e7\u05d1:",
+ "LabelWatchFolderHelp": "\u05d4\u05e9\u05e8\u05ea \u05d9\u05de\u05e9\u05d5\u05da \u05ea\u05d9\u05e7\u05d9\u05d9\u05d4 \u05d6\u05d5 \u05d1\u05d6\u05de\u05df \u05d4\u05e4\u05e2\u05dc\u05ea \u05d4\u05de\u05e9\u05d9\u05de\u05d4 \u05d4\u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05ea \"\u05d0\u05e8\u05d2\u05df \u05e7\u05d1\u05e6\u05d9 \u05de\u05d3\u05d9\u05d4 \u05d7\u05d3\u05e9\u05d9\u05dd\".",
+ "ButtonViewScheduledTasks": "\u05d4\u05e8\u05d0\u05d4 \u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05d5\u05ea",
+ "LabelMinFileSizeForOrganize": "\u05d2\u05d5\u05d3\u05dc \u05e7\u05d5\u05d1\u05e5 \u05de\u05d9\u05e0\u05d9\u05de\u05d0\u05dc\u05d9 (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "\u05e7\u05d1\u05e6\u05d9\u05dd \u05de\u05ea\u05d7\u05ea \u05dc\u05d2\u05d5\u05d3\u05dc \u05d6\u05d4 \u05dc\u05d0 \u05d9\u05d9\u05d5\u05d7\u05e1\u05d5",
+ "LabelSeasonFolderPattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e1\u05e4\u05e8\u05d9\u05d9\u05ea \u05e2\u05d5\u05e0\u05d4",
+ "LabelSeasonZeroFolderName": "\u05e9\u05dd \u05dc\u05ea\u05e7\u05d9\u05d9\u05ea \u05e2\u05d5\u05e0\u05d4 \u05d0\u05e4\u05e1",
+ "HeaderEpisodeFilePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e7\u05d5\u05d1\u05e5 \u05e4\u05e8\u05e7",
+ "LabelEpisodePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e4\u05e8\u05e7:",
+ "LabelMultiEpisodePattern": "\u05ea\u05d1\u05e0\u05d9\u05ea \u05e4\u05e8\u05e7\u05d9\u05dd \u05de\u05e8\u05d5\u05d1\u05d9\u05dd",
+ "HeaderSupportedPatterns": "\u05ea\u05d1\u05e0\u05d9\u05d5\u05ea \u05e0\u05ea\u05de\u05db\u05d5\u05ea",
+ "HeaderTerm": "\u05ea\u05e0\u05d0\u05d9",
+ "HeaderPattern": "\u05ea\u05d1\u05e0\u05d9\u05ea",
+ "HeaderResult": "\u05ea\u05d5\u05e6\u05d0\u05d4",
+ "LabelDeleteEmptyFolders": "\u05de\u05d7\u05e7 \u05ea\u05d9\u05e7\u05d9\u05d5\u05ea \u05e8\u05d9\u05e7\u05d5\u05ea \u05dc\u05d0\u05d7\u05e8 \u05d0\u05d9\u05e8\u05d2\u05d5\u05df",
+ "LabelDeleteEmptyFoldersHelp": "\u05d0\u05e4\u05e9\u05e8 \u05d6\u05d0\u05ea \u05db\u05d3\u05d9 \u05dc\u05e9\u05de\u05d5\u05e8 \u05e2\u05dc \u05ea\u05e7\u05d9\u05d9\u05ea \u05d4\u05d4\u05d5\u05e8\u05d3\u05d5\u05ea \u05e0\u05e7\u05d9\u05d9\u05d4.",
+ "LabelDeleteLeftOverFiles": "\u05de\u05d7\u05e7 \u05e9\u05d0\u05e8\u05d9\u05d5\u05ea \u05e7\u05d1\u05e6\u05d9\u05dd \u05e2\u05dd \u05d1\u05e1\u05d9\u05d5\u05de\u05d5\u05ea \u05d4\u05d1\u05d0\u05d5\u05ea:",
+ "LabelDeleteLeftOverFilesHelp": "\u05d4\u05e4\u05e8\u05d3 \u05e2\u05dd ;. \u05dc\u05d3\u05d5\u05de\u05d2\u05d0: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "\u05db\u05ea\u05d5\u05d1 \u05de\u05d7\u05d3\u05e9 \u05e4\u05e8\u05e7\u05d9\u05dd \u05e7\u05d9\u05d9\u05de\u05d9\u05dd",
+ "LabelTransferMethod": "\u05e9\u05d9\u05d8\u05ea \u05d4\u05e2\u05d1\u05e8\u05d4",
+ "OptionCopy": "\u05d4\u05e2\u05ea\u05e7",
+ "OptionMove": "\u05d4\u05e2\u05d1\u05e8",
+ "LabelTransferMethodHelp": "\u05d4\u05e2\u05ea\u05e7 \u05d0\u05d5 \u05d4\u05e2\u05d1\u05e8 \u05e7\u05d1\u05e6\u05d9\u05dd \u05de\u05ea\u05e7\u05d9\u05d9\u05ea \u05d4\u05de\u05e2\u05e7\u05d1",
+ "HeaderLatestNews": "\u05d7\u05d3\u05e9\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05e0\u05d5\u05ea",
+ "HeaderHelpImproveMediaBrowser": "\u05e2\u05d6\u05d5\u05e8 \u05dc\u05e9\u05e4\u05e8 \u05d0\u05ea Media Browser",
+ "HeaderRunningTasks": "\u05de\u05e9\u05d9\u05de\u05d5\u05ea \u05e8\u05e6\u05d5\u05ea",
+ "HeaderActiveDevices": "\u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05e4\u05e2\u05d9\u05dc\u05d9\u05dd",
+ "HeaderPendingInstallations": "\u05d4\u05ea\u05e7\u05e0\u05d5\u05ea \u05d1\u05d4\u05de\u05ea\u05e0\u05d4",
+ "HeaerServerInformation": "\u05de\u05d9\u05d3\u05e2 \u05e2\u05dc \u05d4\u05e9\u05e8\u05ea",
+ "ButtonRestartNow": "\u05d4\u05ea\u05d7\u05dc \u05de\u05d7\u05d3\u05e9 \u05db\u05e2\u05d8",
+ "ButtonRestart": "\u05d4\u05ea\u05d7\u05e8 \u05de\u05d7\u05d3\u05e9",
+ "ButtonShutdown": "\u05db\u05d1\u05d4",
+ "ButtonUpdateNow": "\u05e2\u05d3\u05db\u05df \u05e2\u05db\u05e9\u05d9\u05d5",
+ "PleaseUpdateManually": "\u05d0\u05e0\u05d0, \u05db\u05d1\u05d4 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05d5\u05e2\u05d3\u05db\u05df \u05d9\u05d3\u05e0\u05d9\u05ea.",
+ "NewServerVersionAvailable": "\u05d2\u05e8\u05e1\u05d0 \u05d7\u05d3\u05e9\u05d4 \u05e9\u05dc Media Browser Server \u05e0\u05de\u05e6\u05d0\u05d4!",
+ "ServerUpToDate": "Media Browser Server \u05de\u05e2\u05d5\u05d3\u05db\u05df",
+ "ErrorConnectingToMediaBrowserRepository": "\u05d4\u05d9\u05d9\u05ea\u05d4 \u05ea\u05e7\u05dc\u05d4 \u05d1\u05e0\u05d9\u05e1\u05d9\u05d5\u05df \u05d4\u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05dc\u05de\u05d0\u05d2\u05e8 Media Browser \u05d4\u05de\u05e8\u05d5\u05d7\u05e7.",
+ "LabelComponentsUpdated": "\u05d4\u05e8\u05db\u05d9\u05d1\u05d9\u05dd \u05d4\u05d1\u05d0\u05d9\u05dd \u05d4\u05d5\u05ea\u05e7\u05e0\u05d5 \u05d0\u05d5 \u05e2\u05d5\u05d3\u05db\u05e0\u05d5:",
+ "MessagePleaseRestartServerToFinishUpdating": "\u05d0\u05e0\u05d0 \u05d0\u05ea\u05d7\u05dc \u05de\u05d7\u05d3\u05e9 \u05d0\u05ea \u05d4\u05e9\u05e8\u05ea \u05dc\u05d1\u05d9\u05e6\u05d5\u05e2 \u05d4\u05e2\u05d9\u05d3\u05db\u05d5\u05e0\u05d9\u05dd.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "\u05d4\u05d2\u05d1\u05e8 \u05d0\u05d5\u05d3\u05d9\u05d5 \u05db\u05d0\u05e9\u05e8 \u05d4\u05d5\u05d0 \u05de\u05de\u05d5\u05d6\u05d2. \u05d4\u05d2\u05d3\u05e8 \u05dc-1 \u05dc\u05e9\u05de\u05d5\u05e8 \u05e2\u05dc \u05e2\u05e8\u05da \u05d4\u05d5\u05d5\u05dc\u05d9\u05d5\u05dd \u05d4\u05de\u05e7\u05d5\u05e8\u05d9",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 \u05d9\u05e9\u05df",
+ "LabelNewSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 \u05d7\u05d3\u05e9",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05e2\u05d3\u05db\u05e0\u05d9\u05ea",
+ "LabelCurrentEmailAddressHelp": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d0\u05dc\u05d9\u05d4 \u05e0\u05e9\u05dc\u05d7 \u05d4\u05de\u05e4\u05ea\u05d7 \u05d4\u05d7\u05d3\u05e9 \u05e9\u05dc\u05da",
+ "HeaderForgotKey": "\u05e9\u05d7\u05db\u05ea\u05d9 \u05d0\u05ea \u05d4\u05de\u05e4\u05ea\u05d7",
+ "LabelEmailAddress": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d0\u05d9\u05de\u05d9\u05d9\u05dc",
+ "LabelSupporterEmailAddress": "\u05db\u05ea\u05d5\u05d1\u05ea \u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc \u05d0\u05dc\u05d9\u05d4 \u05e0\u05e9\u05dc\u05d7 \u05de\u05e4\u05ea\u05d7 \u05d4\u05e8\u05db\u05d9\u05e9\u05d4.",
+ "ButtonRetrieveKey": "\u05e9\u05d7\u05e8 \u05de\u05e4\u05ea\u05d7",
+ "LabelSupporterKey": "\u05de\u05e4\u05ea\u05d7 \u05ea\u05de\u05d9\u05db\u05d4 (\u05d4\u05d3\u05d1\u05e7 \u05de\u05d4\u05d0\u05d9\u05de\u05d9\u05d9\u05dc)",
+ "LabelSupporterKeyHelp": "\u05d4\u05db\u05e0\u05e1\u05ea \u05d0\u05ea \u05d4\u05de\u05e4\u05ea\u05d7 \u05de\u05ea\u05de\u05d9\u05db\u05d4 \u05e9\u05dc\u05da \u05e2\u05dc \u05de\u05e0\u05ea \u05dc\u05d4\u05e0\u05d5\u05ea \u05de\u05d9\u05ea\u05e8\u05d5\u05e0\u05d5\u05ea \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd \u05e9\u05d4\u05e7\u05d4\u05d9\u05dc\u05d4 \u05e4\u05d9\u05ea\u05d7\u05d4 \u05d1\u05e9\u05d1\u05d9\u05dc Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05ea\u05e6\u05d5\u05d2\u05d4",
+ "TabPlayTo": "\u05e0\u05d2\u05df \u05d1",
+ "LabelEnableDlnaServer": "\u05d0\u05e4\u05e9\u05e8 \u05e9\u05e8\u05ea Dina",
+ "LabelEnableDlnaServerHelp": "\u05d0\u05e4\u05e9\u05e8 \u05dc\u05de\u05db\u05e9\u05d9\u05e8\u05d9 UPnP \u05d1\u05e8\u05e9\u05ea \u05e9\u05dc\u05da \u05dc\u05e8\u05d0\u05d5\u05ea \u05d5\u05dc\u05e0\u05d2\u05df \u05ea\u05d5\u05db\u05df \u05e9\u05dc Media Browser.",
+ "LabelEnableBlastAliveMessages": "\u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4",
+ "LabelEnableBlastAliveMessagesHelp": "\u05d0\u05e4\u05e9\u05e8 \u05d6\u05d0\u05ea \u05d0\u05dd \u05d4\u05e9\u05e8\u05ea \u05dc\u05d0 \u05de\u05d6\u05d5\u05d4\u05d4 \u05db\u05d0\u05de\u05d9\u05df \u05e2\u05dc \u05d9\u05d3\u05d9 \u05de\u05db\u05e9\u05d9\u05e8\u05d9 UPnP \u05d0\u05d7\u05e8\u05d9\u05dd \u05d1\u05e8\u05e9\u05ea \u05e9\u05dc\u05da.",
+ "LabelBlastMessageInterval": "\u05d0\u05d9\u05e0\u05d8\u05e8\u05d5\u05d5\u05dc \u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4 (\u05d1\u05e9\u05e0\u05d9\u05d5\u05ea)",
+ "LabelBlastMessageIntervalHelp": "\u05de\u05d2\u05d3\u05d9\u05e8 \u05d0\u05ea \u05de\u05e9\u05da \u05d4\u05d6\u05de\u05df \u05d1\u05e9\u05e0\u05d9\u05d5\u05ea \u05d1\u05d9\u05df \u05d4\u05d5\u05d3\u05e2\u05d5\u05ea \u05d3\u05d7\u05d9\u05e4\u05d4 \u05e9\u05dc \u05d4\u05e9\u05e8\u05ea.",
+ "LabelDefaultUser": "\u05de\u05e9\u05ea\u05de\u05e9 \u05d1\u05e8\u05d9\u05e8\u05ea \u05de\u05d7\u05d3\u05e9:",
+ "LabelDefaultUserHelp": "\u05de\u05d2\u05d3\u05d9\u05e8 \u05d0\u05d9\u05dc\u05d5 \u05e1\u05e4\u05e8\u05d9\u05d5\u05ea \u05de\u05e9\u05ea\u05de\u05e9 \u05d9\u05d5\u05e6\u05d2\u05d5 \u05d1\u05de\u05db\u05e9\u05d9\u05e8\u05d9\u05dd \u05de\u05d7\u05d5\u05d1\u05e8\u05d9\u05dd. \u05e0\u05d9\u05ea\u05df \u05dc\u05e2\u05e7\u05d5\u05e3 \u05d6\u05d0\u05ea \u05dc\u05db\u05dc \u05de\u05db\u05e9\u05d9\u05e8 \u05e2\u05dc \u05d9\u05d3\u05d9 \u05e9\u05d9\u05de\u05d5\u05e9 \u05d1\u05e4\u05e8\u05d5\u05e4\u05d9\u05dc\u05d9\u05dd.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "\u05d4\u05d2\u05d3\u05e8\u05d5\u05ea \u05e9\u05e8\u05ea",
+ "LabelWeatherDisplayLocation": "\u05de\u05e7\u05d5\u05dd \u05d4\u05e6\u05d2\u05ea \u05de\u05d6\u05d2 \u05d4\u05d0\u05d5\u05d5\u05d9\u05e8:",
+ "LabelWeatherDisplayLocationHelp": "\u05de\u05d9\u05e7\u05d5\u05d3 \u05d0\u05e8\u05d4\"\u05d1 \/ \u05e2\u05d9\u05e8, \u05de\u05d3\u05d9\u05e0\u05d4, \u05d0\u05e8\u05e5 \/ \u05e2\u05d9\u05e8, \u05d0\u05e8\u05e5",
+ "LabelWeatherDisplayUnit": "\u05d9\u05d7\u05d9\u05d3\u05d5\u05ea \u05de\u05d6\u05d2 \u05d0\u05d5\u05d5\u05d9\u05e8",
+ "OptionCelsius": "\u05e6\u05dc\u05d6\u05d9\u05d5\u05e1",
+ "OptionFahrenheit": "\u05e4\u05e8\u05e0\u05d4\u05d9\u05d9\u05d8",
+ "HeaderRequireManualLogin": "\u05d3\u05e8\u05d5\u05e9 \u05d4\u05db\u05e0\u05e1\u05ea \u05e9\u05dd \u05de\u05e9\u05ea\u05de\u05e9 \u05d1\u05d0\u05d5\u05e4\u05df \u05d9\u05d3\u05e0\u05d9 \u05e2\u05d1\u05d5\u05e8:",
+ "HeaderRequireManualLoginHelp": "\u05db\u05d0\u05e9\u05e8 \u05de\u05d1\u05d5\u05d8\u05dc, \u05d9\u05d5\u05e6\u05d2 \u05dc\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd \u05dc\u05d5\u05d7 \u05d4\u05ea\u05d7\u05d1\u05e8\u05d5\u05ea \u05e2\u05dd \u05d1\u05d7\u05d9\u05e8\u05ea \u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd.",
+ "OptionOtherApps": "\u05ea\u05d5\u05db\u05e0\u05d5\u05ea \u05d0\u05d7\u05e8\u05d5\u05ea",
+ "OptionMobileApps": "\u05d0\u05e4\u05dc\u05d9\u05e7\u05e6\u05d9\u05d5\u05ea \u05dc\u05e0\u05d9\u05d9\u05d3",
+ "HeaderNotificationList": "\u05dc\u05d7\u05e5 \u05e2\u05dc \u05d4\u05ea\u05e8\u05d0\u05d4 \u05dc\u05d4\u05d2\u05d3\u05e8\u05ea \u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05d4\u05e9\u05dc\u05d9\u05d7\u05d4 \u05e9\u05dc\u05d4",
+ "NotificationOptionApplicationUpdateAvailable": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05db\u05de\u05d4 \u05e7\u05d9\u05d9\u05dd",
+ "NotificationOptionApplicationUpdateInstalled": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05db\u05e0\u05d4 \u05d4\u05d5\u05ea\u05e7\u05df",
+ "NotificationOptionPluginUpdateInstalled": "\u05e2\u05d3\u05db\u05d5\u05df \u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05ea\u05e7\u05df",
+ "NotificationOptionPluginInstalled": "\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05ea\u05e7\u05df",
+ "NotificationOptionPluginUninstalled": "\u05ea\u05d5\u05e1\u05e3 \u05d4\u05d5\u05e1\u05e8",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "\u05de\u05e9\u05d9\u05de\u05d4 \u05de\u05ea\u05d5\u05d6\u05de\u05e0\u05ea \u05e0\u05db\u05e9\u05dc\u05d4",
+ "NotificationOptionInstallationFailed": "\u05d4\u05ea\u05e7\u05e0\u05d4 \u05e0\u05db\u05e9\u05dc\u05d4",
+ "NotificationOptionNewLibraryContent": "\u05ea\u05d5\u05db\u05df \u05d7\u05d3\u05e9 \u05e0\u05d5\u05e1\u05e3",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "\u05d1\u05e8\u05d9\u05e8\u05ea \u05d4\u05de\u05d7\u05d3\u05dc \u05d4\u05d9\u05d0 \u05e9\u05d4\u05ea\u05e8\u05d0\u05d5\u05ea \u05de\u05d2\u05d9\u05e2\u05d5\u05ea \u05dc\u05ea\u05d9\u05d1\u05ea \u05d4\u05d3\u05d5\u05d0\u05e8 \u05d4\u05e0\u05db\u05e0\u05e1 \u05e9\u05dc \u05dc\u05d5\u05d7 \u05d4\u05d1\u05e7\u05e8\u05d4. \u05e2\u05d9\u05d9\u05df \u05d1\u05e7\u05d8\u05dc\u05d5\u05d2 \u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05db\u05d3\u05d9 \u05dc\u05d4\u05ea\u05e7\u05d9\u05df \u05d0\u05e4\u05e9\u05e8\u05d5\u05d9\u05d5\u05ea \u05e0\u05d5\u05e1\u05e4\u05d5\u05ea \u05dc\u05e7\u05d1\u05dc\u05ea \u05d4\u05ea\u05e8\u05d0\u05d5\u05ea",
+ "NotificationOptionServerRestartRequired": "\u05e0\u05d3\u05e8\u05e9\u05ea \u05d4\u05e4\u05e2\u05dc\u05d4 \u05de\u05d7\u05d3\u05e9 \u05e9\u05dc \u05d4\u05e9\u05e8\u05ea",
+ "LabelNotificationEnabled": "\u05d0\u05e4\u05e9\u05e8 \u05d4\u05ea\u05e8\u05d0\u05d4 \u05d6\u05d5",
+ "LabelMonitorUsers": "\u05e2\u05e7\u05d5\u05d1 \u05d0\u05d7\u05e8 \u05e4\u05e2\u05d9\u05dc\u05d5\u05ea \u05de:",
+ "LabelSendNotificationToUsers": "\u05e9\u05dc\u05d7 \u05d0\u05ea \u05d4\u05d4\u05ea\u05e8\u05d0\u05d4 \u05dc:",
+ "LabelUseNotificationServices": "\u05d4\u05e9\u05ea\u05de\u05e9 \u05d1\u05e9\u05d9\u05e8\u05d5\u05ea\u05d9\u05dd \u05d4\u05d1\u05d0\u05d9\u05dd:",
+ "CategoryUser": "\u05de\u05e9\u05ea\u05de\u05e9",
+ "CategorySystem": "\u05de\u05e2\u05e8\u05db\u05ea",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "\u05db\u05d5\u05ea\u05e8\u05ea \u05d4\u05d5\u05d3\u05e2\u05d4:",
+ "LabelAvailableTokens": "\u05d0\u05e1\u05d9\u05de\u05d5\u05e0\u05d9\u05dd \u05e7\u05d9\u05d9\u05de\u05d9\u05dd",
+ "AdditionalNotificationServices": "\u05e2\u05d9\u05d9\u05df \u05d1\u05e7\u05d8\u05dc\u05d5\u05d2 \u05d4\u05ea\u05d5\u05e1\u05e4\u05d9\u05dd \u05dc\u05d4\u05ea\u05e7\u05e0\u05ea \u05e9\u05e8\u05d5\u05ea\u05d9 \u05d4\u05ea\u05e8\u05d0\u05d5\u05ea \u05e0\u05d5\u05e1\u05e4\u05d9\u05dd",
+ "OptionAllUsers": "\u05db\u05dc \u05d4\u05de\u05e9\u05ea\u05de\u05e9\u05d9\u05dd",
+ "OptionAdminUsers": "\u05de\u05e0\u05d4\u05dc\u05d9\u05dd",
+ "OptionCustomUsers": "\u05de\u05d5\u05ea\u05d0\u05dd \u05d0\u05d9\u05e9\u05d9\u05ea",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "\u05d7\u05d9\u05e4\u05d5\u05e9",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/hr.json b/MediaBrowser.Server.Implementations/Localization/Server/hr.json
index e9456480a0..691df09828 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/hr.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/hr.json
@@ -1,590 +1,4 @@
{
- "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
- "TabBasics": "Basics",
- "TabTV": "TV",
- "TabGames": "Games",
- "TabMusic": "Music",
- "TabOthers": "Others",
- "HeaderExtractChapterImagesFor": "Extract chapter images for:",
- "OptionMovies": "Movies",
- "OptionEpisodes": "Episodes",
- "OptionOtherVideos": "Other Videos",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
- "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
- "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
- "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferred download language:",
- "ButtonAutoScroll": "Auto-scroll",
- "LabelImageSavingConvention": "Image saving convention:",
- "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "Sign In",
- "TitleSignIn": "Sign In",
- "HeaderPleaseSignIn": "Please sign in",
- "LabelUser": "User:",
- "LabelPassword": "Password:",
- "ButtonManualLogin": "Manual Login",
- "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
- "TabGuide": "Guide",
- "TabChannels": "Channels",
- "TabCollections": "Collections",
- "HeaderChannels": "Channels",
- "TabRecordings": "Recordings",
- "TabScheduled": "Scheduled",
- "TabSeries": "Series",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Dodatne minute za kraj",
- "OptionPostPaddingRequired": "Dodatne minute za kraj su obvezne za snimanje.",
- "HeaderWhatsOnTV": "\u0160to je sad na TV-u",
- "HeaderUpcomingTV": "Sljede\u0107e na TV-u",
- "TabStatus": "Status",
- "TabSettings": "Postavke",
- "ButtonRefreshGuideData": "Osvje\u017ei TV vodi\u010d",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Prioritet",
- "OptionRecordOnAllChannels": "Snimi emisiju na svim kanalima",
- "OptionRecordAnytime": "Snimi emisiju u bilo koje vrijeme",
- "OptionRecordOnlyNewEpisodes": "Snimi samo nove epizode",
- "HeaderDays": "Dani",
- "HeaderActiveRecordings": "Aktivna snimanja",
- "HeaderLatestRecordings": "Zadnje snimke",
- "HeaderAllRecordings": "Sve snimke",
- "ButtonPlay": "Pokreni",
- "ButtonEdit": "Izmjeni",
- "ButtonRecord": "Snimi",
- "ButtonDelete": "Izbri\u0161i",
- "ButtonRemove": "Ukloni",
- "OptionRecordSeries": "Snimi serije",
- "HeaderDetails": "Detalji",
- "TitleLiveTV": "TV",
- "LabelNumberOfGuideDays": "Broj dana TV vodi\u010da za preuzet:",
- "LabelNumberOfGuideDaysHelp": "Preuzimanje vi\u0161e dana TV vodi\u010da, omogu\u0107iti \u0107e vam zakazivanje snimanja dalje u budu\u0107nost , ali \u0107e i preuzimanje du\u017ee trajati. Automaski - odabir \u0107e se prilagoditi broju kanala.",
- "LabelActiveService": "Aktivne usluge:",
- "LabelActiveServiceHelp": "Vi\u0161e TV dodataka mo\u017ee biti instalirano ali samo jedan mo\u017ee biti aktivan u isto vrijeme.",
- "OptionAutomatic": "Automatski",
- "LiveTvPluginRequired": "TV u\u017eivo usluga je obavezna ako \u017eelite nastaviti.",
- "LiveTvPluginRequiredHelp": "Molimo instalirajte jedan od dostupnih dodataka, kaoo \u0161to su Next Pvr ili ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Sli\u010dica",
- "OptionDownloadMenuImage": "Meni",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Kutija",
- "OptionDownloadDiscImage": "Disk",
- "OptionDownloadBannerImage": "Zaglavlje",
- "OptionDownloadBackImage": "Druga str.",
- "OptionDownloadArtImage": "Grafike",
- "OptionDownloadPrimaryImage": "Primarno",
- "HeaderFetchImages": "Dohvati slike:",
- "HeaderImageSettings": "Postavke slike",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maksimalni broj pozadina po stavci:",
- "LabelMaxScreenshotsPerItem": "Maksimalni broj isje\u010daka po stavci:",
- "LabelMinBackdropDownloadWidth": "Minimalna \u0161irina pozadine za preuzimanje:",
- "LabelMinScreenshotDownloadWidth": "Minimalna \u0161irina isje\u010dka za preuzimanje:",
- "ButtonAddScheduledTaskTrigger": "Dodaj pokreta\u010d zadatka",
- "HeaderAddScheduledTaskTrigger": "Dodaj pokreta\u010d zadatka",
- "ButtonAdd": "Dodaj",
- "LabelTriggerType": "Tip pokreta\u010da:",
- "OptionDaily": "Dnevno",
- "OptionWeekly": "Tjedno",
- "OptionOnInterval": "U intervalu",
- "OptionOnAppStartup": "Kada se aplikacija pokrene",
- "OptionAfterSystemEvent": "Nakon doga\u0111aja u sistemu",
- "LabelDay": "Dan:",
- "LabelTime": "Vrijeme:",
- "LabelEvent": "Doga\u0111aj:",
- "OptionWakeFromSleep": "Pokreni iz stanja mirovanja",
- "LabelEveryXMinutes": "Svaki:",
- "HeaderTvTuners": "TV ure\u0111aji",
- "HeaderGallery": "Galerija",
- "HeaderLatestGames": "Zadnje igrice",
- "HeaderRecentlyPlayedGames": "Zadnje igrane igrice",
- "TabGameSystems": "Sistemi igrica",
- "TitleMediaLibrary": "Medijska bibilioteka",
- "TabFolders": "Mapa",
- "TabPathSubstitution": "Zamjenska putanja",
- "LabelSeasonZeroDisplayName": "Prikaz naziva Sezona 0:",
- "LabelEnableRealtimeMonitor": "Omogu\u0107i nadgledanje u realnom vremenu",
- "LabelEnableRealtimeMonitorHelp": "Promjene \u0107e biti procesuirane odmah, nad podr\u017eanim datotekama sistema.",
- "ButtonScanLibrary": "Skeniraj biblioteku",
- "HeaderNumberOfPlayers": "Izvo\u0111a\u010di:",
- "OptionAnyNumberOfPlayers": "Bilo koji",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Medijska mapa",
- "HeaderThemeVideos": "Tema Videa",
- "HeaderThemeSongs": "Pjesme tema",
- "HeaderScenes": "Scene",
- "HeaderAwardsAndReviews": "Nagrade i recenzije",
- "HeaderSoundtracks": "Filmska glazba",
- "HeaderMusicVideos": "Muzi\u010dki spotovi",
- "HeaderSpecialFeatures": "Specijalne zna\u010dajke",
- "HeaderCastCrew": "Glumci i ekipa",
- "HeaderAdditionalParts": "Dodatni djelovi",
- "ButtonSplitVersionsApart": "Razdvoji verzije",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Nedostaje",
- "LabelOffline": "Nedostupno",
- "PathSubstitutionHelp": "Zamjenske putanje se koriste za mapiranje putanja na serveru na putanje kojima \u0107e kljenti mo\u0107i pristupiti. Dupu\u0161taju\u0107i kljentima direktan pristup medijima na serveru imaju mogu\u0107nost izvoditi sadr\u017eaj direktno preko mre\u017ee i tako ne iskori\u0161tavati resurse servera za koverziju i reprodukciju istih.",
- "HeaderFrom": "Od",
- "HeaderTo": "Za",
- "LabelFrom": "Od:",
- "LabelFromHelp": "Primjer: D:\\Filmovi (na serveru)",
- "LabelTo": "Za:",
- "LabelToHelp": "Primjer: \\\\MojServer\\Filmovi (putanja kojoj kljent mo\u017ee pristupiti)",
- "ButtonAddPathSubstitution": "Dodaj zamjenu",
- "OptionSpecialEpisode": "Specijal",
- "OptionMissingEpisode": "Epizode koje nedostaju",
- "OptionUnairedEpisode": "Ne emitirane epizode",
- "OptionEpisodeSortName": "Slo\u017ei epizode po",
- "OptionSeriesSortName": "Nazivu serijala",
- "OptionTvdbRating": "Ocjeni Tvdb",
- "HeaderTranscodingQualityPreference": "Postavke kvalitete konverzije:",
- "OptionAutomaticTranscodingHelp": "Server \u0107e odlu\u010diti o kvaliteti i brzini",
- "OptionHighSpeedTranscodingHelp": "Slabija kvaliteta, ali br\u017ea konverzija",
- "OptionHighQualityTranscodingHelp": "Bolja kvaliteta, ali sporija konverzija",
- "OptionMaxQualityTranscodingHelp": "Najbolja kvaliteta sa sporom konverzijom i velikim optere\u0107enjem za procesor",
- "OptionHighSpeedTranscoding": "Ve\u0107a brzina",
- "OptionHighQualityTranscoding": "Ve\u0107a kvaliteta",
- "OptionMaxQualityTranscoding": "Maksimalna kvaliteta",
- "OptionEnableDebugTranscodingLogging": "Omogu\u0107i logiranje pogre\u0161aka prilikom konverzije",
- "OptionEnableDebugTranscodingLoggingHelp": "Ovo \u0107e kreirati iznimno velike log datoteke i jedino se preporu\u010da koristiti u slu\u010daju problema sa konverzijom.",
- "OptionUpscaling": "Dopusti kljentima da zatra\u017ee pobolj\u0161anje video zapisa",
- "OptionUpscalingHelp": "U nekim slu\u010dajevima ovo \u0107e rezultirati pobolj\u0161anjem video zapisa ali \u0107e pove\u0107ati optere\u010denje procesora.",
- "EditCollectionItemsHelp": "Dodaj ili ukloni bilo koje filmove, serije, albume, knjige ili igrice koje \u017eeli\u0161 grupirati u ovu kolekciju.",
- "HeaderAddTitles": "Dodaj naslove",
- "LabelEnableDlnaPlayTo": "Omogu\u0107i DLNA izvo\u0111enje na",
- "LabelEnableDlnaPlayToHelp": "Media Browser mo\u017ee na\u0107i ure\u0111aje na va\u0161oj mre\u017ei i ponuditi vam da ih kontrolirate sa udaljene lokacije.",
- "LabelEnableDlnaDebugLogging": "Omogu\u0107i DLNA logiranje gre\u0161aka.",
- "LabelEnableDlnaDebugLoggingHelp": "Ovo \u0107e kreirati iznimno velike log datoteke i jedino se preporu\u010da koristiti u slu\u010daju problema.",
- "LabelEnableDlnaClientDiscoveryInterval": "Interval za otkrivanje kljenata (sekunde)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Odre\u0111uje trajanje u sekundama izme\u0111u SSDP pretraga pokrenutih od Media Browsera.",
- "HeaderCustomDlnaProfiles": "Prilago\u0111en profil",
- "HeaderSystemDlnaProfiles": "Sistemski profil",
- "CustomDlnaProfilesHelp": "Kreiraj prilago\u0111eni profili za novi ure\u0111aj ili doradi neki od sistemskih profila.",
- "SystemDlnaProfilesHelp": "Sistemski profili su samo za \u010ditanje. Bilo kakve izmjene na sistemskom profilu biti \u0107e snimljene kao novi prilago\u0111eni profil.",
- "TitleDashboard": "Nadzorna plo\u010da",
- "TabHome": "Po\u010detna",
- "TabInfo": "Info",
- "HeaderLinks": "Poveznice",
- "HeaderSystemPaths": "Sistemska putanja",
- "LinkCommunity": "Zajednica",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api dokumentacija",
- "LabelFriendlyServerName": "Prijateljsko ime servera:",
- "LabelFriendlyServerNameHelp": "Ovo ime \u0107e se koristiti za identifikaciju servera. Ako ostavite prazno, ime ra\u010dunala \u0107e se koristi kao identifikator.",
- "LabelPreferredDisplayLanguage": "\u017deljeni jezik prikaza",
- "LabelPreferredDisplayLanguageHelp": "Prevo\u0111enje Media Browsera je projekt u tjeku i nije jo\u0161 zavr\u0161en.",
- "LabelReadHowYouCanContribute": "Pro\u010ditajte kako mo\u017eete doprinjeti.",
- "HeaderNewCollection": "Nova kolekcija",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Naprimjer: Star Wars Kolekcija",
- "OptionSearchForInternetMetadata": "Potra\u017ei na internetu grafike i metadata",
- "ButtonCreate": "Kreiraj",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Port Web priklju\u010dka:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "Vanjski DDNS:",
- "LabelExternalDDNSHelp": "Ako imate dinami\u010dni DNS unesite ga ovdje. Media Browser aplikacije \u0107e ga koristiti kada se spajate sa udaljene lokacije.",
- "TabResume": "Nastavi",
- "TabWeather": "Vrijeme",
- "TitleAppSettings": "Postavke aplikacije",
- "LabelMinResumePercentage": "Minimalni postotak za nastavak:",
- "LabelMaxResumePercentage": "Maksimalni postotak za nastavak:",
- "LabelMinResumeDuration": "Minimalno trajanje za nastavak (sekunda):",
- "LabelMinResumePercentageHelp": "Naslovi \u0107e biti ozna\u010deni kao ne reproducirani ako se zaustave prije ovog vremena",
- "LabelMaxResumePercentageHelp": "Naslovi \u0107e biti ozna\u010deni kao pogledani ako budu zaustavljeni nakon ovog vremena",
- "LabelMinResumeDurationHelp": "Naslovi kra\u0107i od ovog ne\u0107e imati mogu\u0107nost nastavka",
- "TitleAutoOrganize": "Auto-Organiziraj",
- "TabActivityLog": "Zapisnik aktivnosti",
- "HeaderName": "Ime",
- "HeaderDate": "Datum",
- "HeaderSource": "Izvor",
- "HeaderDestination": "Cilj",
- "HeaderProgram": "Program",
- "HeaderClients": "Kljenti",
- "LabelCompleted": "Zavr\u0161eno",
- "LabelFailed": "Failed",
- "LabelSkipped": "Presko\u010deno",
- "HeaderEpisodeOrganization": "Organizacija epizoda",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Broj sezone:",
- "LabelEpisodeNumber": "Broj epizode:",
- "LabelEndingEpisodeNumber": "Broj kraja epizode:",
- "LabelEndingEpisodeNumberHelp": "Potrebno samo za datoteke sa vi\u0161e epizoda",
- "HeaderSupportTheTeam": "Podr\u017ei Media Browser tim",
- "LabelSupportAmount": "Iznos (USD)",
- "HeaderSupportTheTeamHelp": "Pomozi donacijom i osiguraj daljnji razvoj ovog projekta. Dio donacija \u0107e biti preusmjereni za ostale besplatne alate o kojima ovisimo.",
- "ButtonEnterSupporterKey": "Unesi klju\u010d podr\u0161ke",
- "DonationNextStep": "Nakon zavr\u0161etka molimo da se vratite i unesete klju\u010d podr\u0161ke koji \u0107e te primiti na email.",
- "AutoOrganizeHelp": "Auto-Organizator nadgleda va\u0161u mapu za preuzimanja za nove datoteke i filmove te ih premje\u0161ta u mapu za medije.",
- "AutoOrganizeTvHelp": "Organizator TV datoteka \u0107e samo dodati epizode za postoje\u0107e serije. Ne\u0107e napraviti mape za nove serije.",
- "OptionEnableEpisodeOrganization": "Omogu\u0107i organizaciju novih epizoda",
- "LabelWatchFolder": "Nadgledaj mapu:",
- "LabelWatchFolderHelp": "Server \u0107e pregledati ovu mapu prilikom izvr\u0161avanja zakazanog zadatka 'Organizacije novih medijskih datoteka'.",
- "ButtonViewScheduledTasks": "Pregledaj zakazane zadatke",
- "LabelMinFileSizeForOrganize": "Minimalna veli\u010dina datoteke (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Datoteke ispod ove veli\u010dine \u0107e biti ignorirane.",
- "LabelSeasonFolderPattern": "Obrazac naziva mape - sezone:",
- "LabelSeasonZeroFolderName": "Obrazac naziva mape - Nulte sezone:",
- "HeaderEpisodeFilePattern": "Obrazac naziva datoteke - Epizode",
- "LabelEpisodePattern": "Obrazac epizode",
- "LabelMultiEpisodePattern": "Obrazac za vi\u0161e epizoda",
- "HeaderSupportedPatterns": "Prihvatljivi obrasci",
- "HeaderTerm": "Pojam",
- "HeaderPattern": "Obrazac",
- "HeaderResult": "Rezultat",
- "LabelDeleteEmptyFolders": "Izbri\u0161i prazne mape nakon organizacije",
- "LabelDeleteEmptyFoldersHelp": "Omogu\u0107i ovo kako bi mapa za preuzimanje bila '\u010dista'.",
- "LabelDeleteLeftOverFiles": "Izbri\u0161i zaostale datoteke sa sljede\u0107im ekstenzijama:",
- "LabelDeleteLeftOverFilesHelp": "Odvojite sa ;. Naprimjer: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Presnimi preko postoje\u0107ih epizoda",
- "LabelTransferMethod": "Na\u010din prijenosa",
- "OptionCopy": "Kopiraj",
- "OptionMove": "Premjesti",
- "LabelTransferMethodHelp": "Kopiraj ili premjesti datoteke iz mape koju ste postavili da se nadzire",
- "HeaderLatestNews": "Zadnje vijesti",
- "HeaderHelpImproveMediaBrowser": "Pomozite nam pobolj\u0161ati Media Browser",
- "HeaderRunningTasks": "Zadatci koji se izvode",
- "HeaderActiveDevices": "Aktivni ure\u0111aji",
- "HeaderPendingInstallations": "Instalacije u toku",
- "HeaerServerInformation": "Informacije servera",
- "ButtonRestartNow": "Ponovo pokreni sad",
- "ButtonRestart": "Ponovo pokreni",
- "ButtonShutdown": "Ugasi",
- "ButtonUpdateNow": "A\u017euriraj sad",
- "PleaseUpdateManually": "Molimo ugasite server i a\u017eurirati ru\u010dno",
- "NewServerVersionAvailable": "Nova verzija Media Browser-a je dostupna!",
- "ServerUpToDate": "Media Browser Server je ve\u0107 na trenutnoj verziji",
- "ErrorConnectingToMediaBrowserRepository": "Dogodila se gre\u0161ka prilikom spajanja na Media Browser repozitorij.",
- "LabelComponentsUpdated": "Sljede\u0107e komponente su instalirane ili a\u017eurirane.",
- "MessagePleaseRestartServerToFinishUpdating": "Molimo ponovo pokrenite server kako bi se zavr\u0161ila a\u017euriranja.",
- "LabelDownMixAudioScale": "Poja\u010daj zvuk kada radi\u0161 downmix:",
- "LabelDownMixAudioScaleHelp": "Poja\u010daj zvuk kada radi\u0161 downmix. Postavi na 1 ako \u017eeli\u0161 zadr\u017eati orginalnu ja\u010dinu zvuka.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Stari klju\u010devi podr\u0161ke",
- "LabelNewSupporterKey": "Novi klju\u010devi podr\u0161ke",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Trenutna e-mail adresa",
- "LabelCurrentEmailAddressHelp": "Trenutna e-mail adresa na koju je poslan novi klju\u010d.",
- "HeaderForgotKey": "Zaboravili ste klju\u010d",
- "LabelEmailAddress": "E-mail adresa",
- "LabelSupporterEmailAddress": "E-mail adresa koja je kori\u0161tena za nabavku klju\u010da",
- "ButtonRetrieveKey": "Dohvati klju\u010d",
- "LabelSupporterKey": "Klju\u010d podr\u0161ke (zaljepi iz e-maila)",
- "LabelSupporterKeyHelp": "Unesite va\u0161 klju\u010d podr\u0161ke kako bi u\u017eivali u dodatnim beneficijima koje je zajednica izradila za Media Browser.",
- "MessageInvalidKey": "Klju\u010d podr\u0161ke nedostaje ili je neispravan.",
- "ErrorMessageInvalidKey": "Ako \u017eelite registrirati bilo koji premium sadr\u017eaj morate biti registrirani i podr\u017eavatelji Media Browser aplikacije. Molimo donirajte i podr\u017eite Media Browser kako bi se nastavio razvijati i dogra\u0111ivati novim mog\u0107nostima. Hvala.",
- "HeaderDisplaySettings": "Postavke prikaza",
- "TabPlayTo": "Izvedi na",
- "LabelEnableDlnaServer": "Omogu\u0107i Dlna server",
- "LabelEnableDlnaServerHelp": "Omogu\u0107i svojim UPnP ure\u0111ajima na mre\u017ei da pretra\u017euji i reproduciraju Media Browser sadr\u017eaj.",
- "LabelEnableBlastAliveMessages": "Objavi poruke dostupnosti",
- "LabelEnableBlastAliveMessagesHelp": "Omogu\u0107i ovo ako server nije prikazan kao siguran za druge UPnP ure\u0111aje na mre\u017ei.",
- "LabelBlastMessageInterval": "Interval poruka dostupnosti (sekunde)",
- "LabelBlastMessageIntervalHelp": "Odre\u0111uje trajanje u sekundama izme\u0111u svake poruke dostupnosti servera.",
- "LabelDefaultUser": "Zadani korisnik:",
- "LabelDefaultUserHelp": "Odre\u0111uje koja \u0107e biblioteka biti prikazana na spojenim ure\u0111ajima. Ovo se mo\u017ee zaobi\u0107i za svaki ure\u0111aj koriste\u0107i profile.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Postavke Servera",
- "LabelWeatherDisplayLocation": "Lokacija prikaza vremena:",
- "LabelWeatherDisplayLocationHelp": "Po\u0161tanski broj \/ Grad, Dr\u017eava",
- "LabelWeatherDisplayUnit": "Jedinica za prikaz temperature",
- "OptionCelsius": "Celzij",
- "OptionFahrenheit": "Farenhajt",
- "HeaderRequireManualLogin": "Zahtjevaj ru\u010dni unos korisni\u010dkog imena za:",
- "HeaderRequireManualLoginHelp": "Kada onemogu\u0107eni korisnici otvore prozor za prijavu sa vizualnim odabirom korisnika.",
- "OptionOtherApps": "Druge aplikacije",
- "OptionMobileApps": "Mobilne aplikacije",
- "HeaderNotificationList": "Kliknite na obavijesti kako bi postavili opcije slanja.",
- "NotificationOptionApplicationUpdateAvailable": "Dostupno a\u017euriranje aplikacije",
- "NotificationOptionApplicationUpdateInstalled": "Instalirano a\u017euriranje aplikacije",
- "NotificationOptionPluginUpdateInstalled": "Instalirano a\u017euriranje za dodatak",
- "NotificationOptionPluginInstalled": "Dodatak instaliran",
- "NotificationOptionPluginUninstalled": "Dodatak uklonjen",
- "NotificationOptionVideoPlayback": "Reprodukcija videa zapo\u010deta",
- "NotificationOptionAudioPlayback": "Reprodukcija glazbe zapo\u010deta",
- "NotificationOptionGamePlayback": "Igrica pokrenuta",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Zakazan zadatak nije izvr\u0161en",
- "NotificationOptionInstallationFailed": "Instalacija nije izvr\u0161ena",
- "NotificationOptionNewLibraryContent": "Novi sadr\u017eaj dodan",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "Zadano je da se sve obavijesti dostave na upravlja\u010dku plo\u010du. Pretra\u017eite katalog dodataka kako bi instalirali dodatne opcije obavijesti.",
- "NotificationOptionServerRestartRequired": "Potrebno ponovo pokretanje servera",
- "LabelNotificationEnabled": "Omogu\u0107i ovu obavijest",
- "LabelMonitorUsers": "Obrazac nadzora aktivnosti:",
- "LabelSendNotificationToUsers": "Po\u0161aljite obavijesti na:",
- "LabelUseNotificationServices": "Koristite sljede\u0107e servise:",
- "CategoryUser": "Korisnik",
- "CategorySystem": "Sistem",
- "CategoryApplication": "Aplikacija",
- "CategoryPlugin": "Dodatak",
- "LabelMessageTitle": "Naslov poruke:",
- "LabelAvailableTokens": "Dostupne varijable:",
- "AdditionalNotificationServices": "Pretra\u017eite katalog dodataka kako bi instalirali dodatne servise za obavijesti.",
- "OptionAllUsers": "Svi korisnici",
- "OptionAdminUsers": "Administratori",
- "OptionCustomUsers": "Prilago\u0111eno",
- "ButtonArrowUp": "Gore",
- "ButtonArrowDown": "Dolje",
- "ButtonArrowLeft": "Ljevo",
- "ButtonArrowRight": "Desno",
- "ButtonBack": "Nazad",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Stranica gore",
- "ButtonPageDown": "Stranica dolje",
- "PageAbbreviation": "PG",
- "ButtonHome": "Po\u010detna",
- "ButtonSearch": "Tra\u017ei",
- "ButtonSettings": "Postavke",
- "ButtonTakeScreenshot": "Dohvati zaslon",
- "ButtonLetterUp": "Slovo gore",
- "ButtonLetterDown": "Slovo dolje",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Sad se izvodi",
- "TabNavigation": "Navigacija",
- "TabControls": "Kontrole",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scene",
- "ButtonSubtitles": "Titlovi",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pauza",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Grupiraj filmove u kolekciju",
- "LabelGroupMoviesIntoCollectionsHelp": "Kada se prikazuje lista filmova, filmovi koji pripadaju kolekciji biti \u0107e prikazani kao jedna stavka.",
- "NotificationOptionPluginError": "Dodatak otkazao",
- "ButtonVolumeUp": "Glasno\u0107a gore",
- "ButtonVolumeDown": "Glasno\u0107a dolje",
- "ButtonMute": "Bez zvuka",
- "HeaderLatestMedia": "Lista medija",
- "OptionSpecialFeatures": "Specijalne opcije",
- "HeaderCollections": "Kolekcije",
- "LabelProfileCodecsHelp": "Odvojeno sa to\u010dka-zrezom. Ovo mo\u017ee ostaviti prazno kao bi bilo postavljeno za sve codecs.",
- "LabelProfileContainersHelp": "Odvojeno sa to\u010dka-zrezom. Ovo mo\u017ee ostaviti prazno kao bi bilo postavljeno za sve spremnike.",
- "HeaderResponseProfile": "Profil odziva",
- "LabelType": "Tip:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Spremnik:",
- "LabelProfileVideoCodecs": "Video kodek:",
- "LabelProfileAudioCodecs": "Audio kodek:",
- "LabelProfileCodecs": "Kodeki:",
- "HeaderDirectPlayProfile": "Profil za direktnu reprodukciju",
- "HeaderTranscodingProfile": "Profil transkodiranja",
- "HeaderCodecProfile": "Profil kodeka",
- "HeaderCodecProfileHelp": "Profili kodeka definiraju ograni\u010denja kada ure\u0111aji izvode sadr\u017eaj u specifi\u010dnom kodeku. Ako se ograni\u010denja podudaraju tada \u0107e sadr\u017eaj biti transkodiran, iako je kodek konfiguriran za direktno izvo\u0111enje.",
- "HeaderContainerProfile": "Profil spremnika",
- "HeaderContainerProfileHelp": "Profil spremnika definira ograni\u010denja za ure\u0111aje kada izvode specifi\u010dne formate. Ako se ograni\u010denja podudaraju tada \u0107e sadr\u017eaj biti transkodiran, iako je format konfiguriran za direktno izvo\u0111enje.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Slika",
- "LabelUserLibrary": "Korisni\u010dka biblioteka:",
- "LabelUserLibraryHelp": "Odaberite koju korisni\u010dku biblioteku \u0107e te prikazati ure\u0111aju. Ostavite prazno ako \u017eelite preuzeti definirane postavke.",
- "OptionPlainStorageFolders": "Prika\u017ei sve mape kako jednostavne mape za skladi\u0161tenje",
- "OptionPlainStorageFoldersHelp": "Ako je omogu\u0107eno, sve mape se prezentiraju u DIDL-u kao \"objekt.spremnik.skladi\u0161naMapa\" umjesto vi\u0161e specijaliziranog tipa kao \"objekt.spremnik.osoba.glazbaIzvo\u0111a\u010d\".",
- "OptionPlainVideoItems": "Prika\u017ei sav video kao jednostavne video stavke.",
- "OptionPlainVideoItemsHelp": "Ako je omogu\u0107eno, sav video se prezentira u DIDL-u kao \"objekt.stavka.videoStavka\" umjesto vi\u0161e specijaliziranog tipa kao \"objekt.stavka.videoStavka.film\".",
- "LabelSupportedMediaTypes": "Podr\u017eani tipovi medija:",
- "TabIdentification": "Identifikacija",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direktna reprodukcija",
- "TabContainers": "Spremnik",
- "TabCodecs": "Kodek",
- "TabResponses": "Odazivi",
- "HeaderProfileInformation": "Informacija profila",
- "LabelEmbedAlbumArtDidl": "Ugradi grafike albuma u Didl",
- "LabelEmbedAlbumArtDidlHelp": "Neki ure\u0111aji podr\u017eavaju ovu metodu za prikaz grafike albuma. Drugi bi mogli imati problema sa ovom opcijom uklju\u010denom.",
- "LabelAlbumArtPN": "Grafika albuma PN:",
- "LabelAlbumArtHelp": "PN se koristi za grafiku albuma sa dlna:profilID atributom na upnp:albumGrafikaURI. Neki klijenti zahtijevaju specifi\u010dnu vrijednost bez obzira na veli\u010dinu slike.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
"ViewTypeTvFavoriteSeries": "Favorite Series",
"ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
"ViewTypeMovieResume": "Resume",
@@ -613,7 +27,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -983,6 +397,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Izlaz",
"LabelVisitCommunity": "Posjeti zajednicu",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +667,591 @@
"LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
"LabelMetadataPath": "Metadata path:",
"LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
- "LabelTranscodingTempPath": "Transcoding temporary path:"
+ "LabelTranscodingTempPath": "Transcoding temporary path:",
+ "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
+ "TabBasics": "Basics",
+ "TabTV": "TV",
+ "TabGames": "Games",
+ "TabMusic": "Music",
+ "TabOthers": "Others",
+ "HeaderExtractChapterImagesFor": "Extract chapter images for:",
+ "OptionMovies": "Movies",
+ "OptionEpisodes": "Episodes",
+ "OptionOtherVideos": "Other Videos",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Enable automatic updates from FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Enable automatic updates from TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Enable automatic updates from TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "If enabled, new images will be downloaded automatically as they're added to fanart.tv. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTmdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheMovieDB.org. Existing images will not be replaced.",
+ "LabelAutomaticUpdatesTvdbHelp": "If enabled, new images will be downloaded automatically as they're added to TheTVDB.com. Existing images will not be replaced.",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Image saving convention:",
+ "LabelImageSavingConventionHelp": "Media Browser recognizes images from most major media applications. Choosing your downloading convention is useful if you also use other products.",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "Sign In",
+ "TitleSignIn": "Sign In",
+ "HeaderPleaseSignIn": "Please sign in",
+ "LabelUser": "User:",
+ "LabelPassword": "Password:",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "Passwords are not required when logging in from localhost.",
+ "TabGuide": "Guide",
+ "TabChannels": "Channels",
+ "TabCollections": "Collections",
+ "HeaderChannels": "Channels",
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Dodatne minute za kraj",
+ "OptionPostPaddingRequired": "Dodatne minute za kraj su obvezne za snimanje.",
+ "HeaderWhatsOnTV": "\u0160to je sad na TV-u",
+ "HeaderUpcomingTV": "Sljede\u0107e na TV-u",
+ "TabStatus": "Status",
+ "TabSettings": "Postavke",
+ "ButtonRefreshGuideData": "Osvje\u017ei TV vodi\u010d",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Prioritet",
+ "OptionRecordOnAllChannels": "Snimi emisiju na svim kanalima",
+ "OptionRecordAnytime": "Snimi emisiju u bilo koje vrijeme",
+ "OptionRecordOnlyNewEpisodes": "Snimi samo nove epizode",
+ "HeaderDays": "Dani",
+ "HeaderActiveRecordings": "Aktivna snimanja",
+ "HeaderLatestRecordings": "Zadnje snimke",
+ "HeaderAllRecordings": "Sve snimke",
+ "ButtonPlay": "Pokreni",
+ "ButtonEdit": "Izmjeni",
+ "ButtonRecord": "Snimi",
+ "ButtonDelete": "Izbri\u0161i",
+ "ButtonRemove": "Ukloni",
+ "OptionRecordSeries": "Snimi serije",
+ "HeaderDetails": "Detalji",
+ "TitleLiveTV": "TV",
+ "LabelNumberOfGuideDays": "Broj dana TV vodi\u010da za preuzet:",
+ "LabelNumberOfGuideDaysHelp": "Preuzimanje vi\u0161e dana TV vodi\u010da, omogu\u0107iti \u0107e vam zakazivanje snimanja dalje u budu\u0107nost , ali \u0107e i preuzimanje du\u017ee trajati. Automaski - odabir \u0107e se prilagoditi broju kanala.",
+ "LabelActiveService": "Aktivne usluge:",
+ "LabelActiveServiceHelp": "Vi\u0161e TV dodataka mo\u017ee biti instalirano ali samo jedan mo\u017ee biti aktivan u isto vrijeme.",
+ "OptionAutomatic": "Automatski",
+ "LiveTvPluginRequired": "TV u\u017eivo usluga je obavezna ako \u017eelite nastaviti.",
+ "LiveTvPluginRequiredHelp": "Molimo instalirajte jedan od dostupnih dodataka, kaoo \u0161to su Next Pvr ili ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Sli\u010dica",
+ "OptionDownloadMenuImage": "Meni",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Kutija",
+ "OptionDownloadDiscImage": "Disk",
+ "OptionDownloadBannerImage": "Zaglavlje",
+ "OptionDownloadBackImage": "Druga str.",
+ "OptionDownloadArtImage": "Grafike",
+ "OptionDownloadPrimaryImage": "Primarno",
+ "HeaderFetchImages": "Dohvati slike:",
+ "HeaderImageSettings": "Postavke slike",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maksimalni broj pozadina po stavci:",
+ "LabelMaxScreenshotsPerItem": "Maksimalni broj isje\u010daka po stavci:",
+ "LabelMinBackdropDownloadWidth": "Minimalna \u0161irina pozadine za preuzimanje:",
+ "LabelMinScreenshotDownloadWidth": "Minimalna \u0161irina isje\u010dka za preuzimanje:",
+ "ButtonAddScheduledTaskTrigger": "Dodaj pokreta\u010d zadatka",
+ "HeaderAddScheduledTaskTrigger": "Dodaj pokreta\u010d zadatka",
+ "ButtonAdd": "Dodaj",
+ "LabelTriggerType": "Tip pokreta\u010da:",
+ "OptionDaily": "Dnevno",
+ "OptionWeekly": "Tjedno",
+ "OptionOnInterval": "U intervalu",
+ "OptionOnAppStartup": "Kada se aplikacija pokrene",
+ "OptionAfterSystemEvent": "Nakon doga\u0111aja u sistemu",
+ "LabelDay": "Dan:",
+ "LabelTime": "Vrijeme:",
+ "LabelEvent": "Doga\u0111aj:",
+ "OptionWakeFromSleep": "Pokreni iz stanja mirovanja",
+ "LabelEveryXMinutes": "Svaki:",
+ "HeaderTvTuners": "TV ure\u0111aji",
+ "HeaderGallery": "Galerija",
+ "HeaderLatestGames": "Zadnje igrice",
+ "HeaderRecentlyPlayedGames": "Zadnje igrane igrice",
+ "TabGameSystems": "Sistemi igrica",
+ "TitleMediaLibrary": "Medijska bibilioteka",
+ "TabFolders": "Mapa",
+ "TabPathSubstitution": "Zamjenska putanja",
+ "LabelSeasonZeroDisplayName": "Prikaz naziva Sezona 0:",
+ "LabelEnableRealtimeMonitor": "Omogu\u0107i nadgledanje u realnom vremenu",
+ "LabelEnableRealtimeMonitorHelp": "Promjene \u0107e biti procesuirane odmah, nad podr\u017eanim datotekama sistema.",
+ "ButtonScanLibrary": "Skeniraj biblioteku",
+ "HeaderNumberOfPlayers": "Izvo\u0111a\u010di:",
+ "OptionAnyNumberOfPlayers": "Bilo koji",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Medijska mapa",
+ "HeaderThemeVideos": "Tema Videa",
+ "HeaderThemeSongs": "Pjesme tema",
+ "HeaderScenes": "Scene",
+ "HeaderAwardsAndReviews": "Nagrade i recenzije",
+ "HeaderSoundtracks": "Filmska glazba",
+ "HeaderMusicVideos": "Muzi\u010dki spotovi",
+ "HeaderSpecialFeatures": "Specijalne zna\u010dajke",
+ "HeaderCastCrew": "Glumci i ekipa",
+ "HeaderAdditionalParts": "Dodatni djelovi",
+ "ButtonSplitVersionsApart": "Razdvoji verzije",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Nedostaje",
+ "LabelOffline": "Nedostupno",
+ "PathSubstitutionHelp": "Zamjenske putanje se koriste za mapiranje putanja na serveru na putanje kojima \u0107e kljenti mo\u0107i pristupiti. Dupu\u0161taju\u0107i kljentima direktan pristup medijima na serveru imaju mogu\u0107nost izvoditi sadr\u017eaj direktno preko mre\u017ee i tako ne iskori\u0161tavati resurse servera za koverziju i reprodukciju istih.",
+ "HeaderFrom": "Od",
+ "HeaderTo": "Za",
+ "LabelFrom": "Od:",
+ "LabelFromHelp": "Primjer: D:\\Filmovi (na serveru)",
+ "LabelTo": "Za:",
+ "LabelToHelp": "Primjer: \\\\MojServer\\Filmovi (putanja kojoj kljent mo\u017ee pristupiti)",
+ "ButtonAddPathSubstitution": "Dodaj zamjenu",
+ "OptionSpecialEpisode": "Specijal",
+ "OptionMissingEpisode": "Epizode koje nedostaju",
+ "OptionUnairedEpisode": "Ne emitirane epizode",
+ "OptionEpisodeSortName": "Slo\u017ei epizode po",
+ "OptionSeriesSortName": "Nazivu serijala",
+ "OptionTvdbRating": "Ocjeni Tvdb",
+ "HeaderTranscodingQualityPreference": "Postavke kvalitete konverzije:",
+ "OptionAutomaticTranscodingHelp": "Server \u0107e odlu\u010diti o kvaliteti i brzini",
+ "OptionHighSpeedTranscodingHelp": "Slabija kvaliteta, ali br\u017ea konverzija",
+ "OptionHighQualityTranscodingHelp": "Bolja kvaliteta, ali sporija konverzija",
+ "OptionMaxQualityTranscodingHelp": "Najbolja kvaliteta sa sporom konverzijom i velikim optere\u0107enjem za procesor",
+ "OptionHighSpeedTranscoding": "Ve\u0107a brzina",
+ "OptionHighQualityTranscoding": "Ve\u0107a kvaliteta",
+ "OptionMaxQualityTranscoding": "Maksimalna kvaliteta",
+ "OptionEnableDebugTranscodingLogging": "Omogu\u0107i logiranje pogre\u0161aka prilikom konverzije",
+ "OptionEnableDebugTranscodingLoggingHelp": "Ovo \u0107e kreirati iznimno velike log datoteke i jedino se preporu\u010da koristiti u slu\u010daju problema sa konverzijom.",
+ "OptionUpscaling": "Dopusti kljentima da zatra\u017ee pobolj\u0161anje video zapisa",
+ "OptionUpscalingHelp": "U nekim slu\u010dajevima ovo \u0107e rezultirati pobolj\u0161anjem video zapisa ali \u0107e pove\u0107ati optere\u010denje procesora.",
+ "EditCollectionItemsHelp": "Dodaj ili ukloni bilo koje filmove, serije, albume, knjige ili igrice koje \u017eeli\u0161 grupirati u ovu kolekciju.",
+ "HeaderAddTitles": "Dodaj naslove",
+ "LabelEnableDlnaPlayTo": "Omogu\u0107i DLNA izvo\u0111enje na",
+ "LabelEnableDlnaPlayToHelp": "Media Browser mo\u017ee na\u0107i ure\u0111aje na va\u0161oj mre\u017ei i ponuditi vam da ih kontrolirate sa udaljene lokacije.",
+ "LabelEnableDlnaDebugLogging": "Omogu\u0107i DLNA logiranje gre\u0161aka.",
+ "LabelEnableDlnaDebugLoggingHelp": "Ovo \u0107e kreirati iznimno velike log datoteke i jedino se preporu\u010da koristiti u slu\u010daju problema.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Interval za otkrivanje kljenata (sekunde)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Odre\u0111uje trajanje u sekundama izme\u0111u SSDP pretraga pokrenutih od Media Browsera.",
+ "HeaderCustomDlnaProfiles": "Prilago\u0111en profil",
+ "HeaderSystemDlnaProfiles": "Sistemski profil",
+ "CustomDlnaProfilesHelp": "Kreiraj prilago\u0111eni profili za novi ure\u0111aj ili doradi neki od sistemskih profila.",
+ "SystemDlnaProfilesHelp": "Sistemski profili su samo za \u010ditanje. Bilo kakve izmjene na sistemskom profilu biti \u0107e snimljene kao novi prilago\u0111eni profil.",
+ "TitleDashboard": "Nadzorna plo\u010da",
+ "TabHome": "Po\u010detna",
+ "TabInfo": "Info",
+ "HeaderLinks": "Poveznice",
+ "HeaderSystemPaths": "Sistemska putanja",
+ "LinkCommunity": "Zajednica",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api dokumentacija",
+ "LabelFriendlyServerName": "Prijateljsko ime servera:",
+ "LabelFriendlyServerNameHelp": "Ovo ime \u0107e se koristiti za identifikaciju servera. Ako ostavite prazno, ime ra\u010dunala \u0107e se koristi kao identifikator.",
+ "LabelPreferredDisplayLanguage": "\u017deljeni jezik prikaza",
+ "LabelPreferredDisplayLanguageHelp": "Prevo\u0111enje Media Browsera je projekt u tjeku i nije jo\u0161 zavr\u0161en.",
+ "LabelReadHowYouCanContribute": "Pro\u010ditajte kako mo\u017eete doprinjeti.",
+ "HeaderNewCollection": "Nova kolekcija",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Naprimjer: Star Wars Kolekcija",
+ "OptionSearchForInternetMetadata": "Potra\u017ei na internetu grafike i metadata",
+ "ButtonCreate": "Kreiraj",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Port Web priklju\u010dka:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "Vanjski DDNS:",
+ "LabelExternalDDNSHelp": "Ako imate dinami\u010dni DNS unesite ga ovdje. Media Browser aplikacije \u0107e ga koristiti kada se spajate sa udaljene lokacije.",
+ "TabResume": "Nastavi",
+ "TabWeather": "Vrijeme",
+ "TitleAppSettings": "Postavke aplikacije",
+ "LabelMinResumePercentage": "Minimalni postotak za nastavak:",
+ "LabelMaxResumePercentage": "Maksimalni postotak za nastavak:",
+ "LabelMinResumeDuration": "Minimalno trajanje za nastavak (sekunda):",
+ "LabelMinResumePercentageHelp": "Naslovi \u0107e biti ozna\u010deni kao ne reproducirani ako se zaustave prije ovog vremena",
+ "LabelMaxResumePercentageHelp": "Naslovi \u0107e biti ozna\u010deni kao pogledani ako budu zaustavljeni nakon ovog vremena",
+ "LabelMinResumeDurationHelp": "Naslovi kra\u0107i od ovog ne\u0107e imati mogu\u0107nost nastavka",
+ "TitleAutoOrganize": "Auto-Organiziraj",
+ "TabActivityLog": "Zapisnik aktivnosti",
+ "HeaderName": "Ime",
+ "HeaderDate": "Datum",
+ "HeaderSource": "Izvor",
+ "HeaderDestination": "Cilj",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Kljenti",
+ "LabelCompleted": "Zavr\u0161eno",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Presko\u010deno",
+ "HeaderEpisodeOrganization": "Organizacija epizoda",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Broj sezone:",
+ "LabelEpisodeNumber": "Broj epizode:",
+ "LabelEndingEpisodeNumber": "Broj kraja epizode:",
+ "LabelEndingEpisodeNumberHelp": "Potrebno samo za datoteke sa vi\u0161e epizoda",
+ "HeaderSupportTheTeam": "Podr\u017ei Media Browser tim",
+ "LabelSupportAmount": "Iznos (USD)",
+ "HeaderSupportTheTeamHelp": "Pomozi donacijom i osiguraj daljnji razvoj ovog projekta. Dio donacija \u0107e biti preusmjereni za ostale besplatne alate o kojima ovisimo.",
+ "ButtonEnterSupporterKey": "Unesi klju\u010d podr\u0161ke",
+ "DonationNextStep": "Nakon zavr\u0161etka molimo da se vratite i unesete klju\u010d podr\u0161ke koji \u0107e te primiti na email.",
+ "AutoOrganizeHelp": "Auto-Organizator nadgleda va\u0161u mapu za preuzimanja za nove datoteke i filmove te ih premje\u0161ta u mapu za medije.",
+ "AutoOrganizeTvHelp": "Organizator TV datoteka \u0107e samo dodati epizode za postoje\u0107e serije. Ne\u0107e napraviti mape za nove serije.",
+ "OptionEnableEpisodeOrganization": "Omogu\u0107i organizaciju novih epizoda",
+ "LabelWatchFolder": "Nadgledaj mapu:",
+ "LabelWatchFolderHelp": "Server \u0107e pregledati ovu mapu prilikom izvr\u0161avanja zakazanog zadatka 'Organizacije novih medijskih datoteka'.",
+ "ButtonViewScheduledTasks": "Pregledaj zakazane zadatke",
+ "LabelMinFileSizeForOrganize": "Minimalna veli\u010dina datoteke (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Datoteke ispod ove veli\u010dine \u0107e biti ignorirane.",
+ "LabelSeasonFolderPattern": "Obrazac naziva mape - sezone:",
+ "LabelSeasonZeroFolderName": "Obrazac naziva mape - Nulte sezone:",
+ "HeaderEpisodeFilePattern": "Obrazac naziva datoteke - Epizode",
+ "LabelEpisodePattern": "Obrazac epizode",
+ "LabelMultiEpisodePattern": "Obrazac za vi\u0161e epizoda",
+ "HeaderSupportedPatterns": "Prihvatljivi obrasci",
+ "HeaderTerm": "Pojam",
+ "HeaderPattern": "Obrazac",
+ "HeaderResult": "Rezultat",
+ "LabelDeleteEmptyFolders": "Izbri\u0161i prazne mape nakon organizacije",
+ "LabelDeleteEmptyFoldersHelp": "Omogu\u0107i ovo kako bi mapa za preuzimanje bila '\u010dista'.",
+ "LabelDeleteLeftOverFiles": "Izbri\u0161i zaostale datoteke sa sljede\u0107im ekstenzijama:",
+ "LabelDeleteLeftOverFilesHelp": "Odvojite sa ;. Naprimjer: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Presnimi preko postoje\u0107ih epizoda",
+ "LabelTransferMethod": "Na\u010din prijenosa",
+ "OptionCopy": "Kopiraj",
+ "OptionMove": "Premjesti",
+ "LabelTransferMethodHelp": "Kopiraj ili premjesti datoteke iz mape koju ste postavili da se nadzire",
+ "HeaderLatestNews": "Zadnje vijesti",
+ "HeaderHelpImproveMediaBrowser": "Pomozite nam pobolj\u0161ati Media Browser",
+ "HeaderRunningTasks": "Zadatci koji se izvode",
+ "HeaderActiveDevices": "Aktivni ure\u0111aji",
+ "HeaderPendingInstallations": "Instalacije u toku",
+ "HeaerServerInformation": "Informacije servera",
+ "ButtonRestartNow": "Ponovo pokreni sad",
+ "ButtonRestart": "Ponovo pokreni",
+ "ButtonShutdown": "Ugasi",
+ "ButtonUpdateNow": "A\u017euriraj sad",
+ "PleaseUpdateManually": "Molimo ugasite server i a\u017eurirati ru\u010dno",
+ "NewServerVersionAvailable": "Nova verzija Media Browser-a je dostupna!",
+ "ServerUpToDate": "Media Browser Server je ve\u0107 na trenutnoj verziji",
+ "ErrorConnectingToMediaBrowserRepository": "Dogodila se gre\u0161ka prilikom spajanja na Media Browser repozitorij.",
+ "LabelComponentsUpdated": "Sljede\u0107e komponente su instalirane ili a\u017eurirane.",
+ "MessagePleaseRestartServerToFinishUpdating": "Molimo ponovo pokrenite server kako bi se zavr\u0161ila a\u017euriranja.",
+ "LabelDownMixAudioScale": "Poja\u010daj zvuk kada radi\u0161 downmix:",
+ "LabelDownMixAudioScaleHelp": "Poja\u010daj zvuk kada radi\u0161 downmix. Postavi na 1 ako \u017eeli\u0161 zadr\u017eati orginalnu ja\u010dinu zvuka.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Stari klju\u010devi podr\u0161ke",
+ "LabelNewSupporterKey": "Novi klju\u010devi podr\u0161ke",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Trenutna e-mail adresa",
+ "LabelCurrentEmailAddressHelp": "Trenutna e-mail adresa na koju je poslan novi klju\u010d.",
+ "HeaderForgotKey": "Zaboravili ste klju\u010d",
+ "LabelEmailAddress": "E-mail adresa",
+ "LabelSupporterEmailAddress": "E-mail adresa koja je kori\u0161tena za nabavku klju\u010da",
+ "ButtonRetrieveKey": "Dohvati klju\u010d",
+ "LabelSupporterKey": "Klju\u010d podr\u0161ke (zaljepi iz e-maila)",
+ "LabelSupporterKeyHelp": "Unesite va\u0161 klju\u010d podr\u0161ke kako bi u\u017eivali u dodatnim beneficijima koje je zajednica izradila za Media Browser.",
+ "MessageInvalidKey": "Klju\u010d podr\u0161ke nedostaje ili je neispravan.",
+ "ErrorMessageInvalidKey": "Ako \u017eelite registrirati bilo koji premium sadr\u017eaj morate biti registrirani i podr\u017eavatelji Media Browser aplikacije. Molimo donirajte i podr\u017eite Media Browser kako bi se nastavio razvijati i dogra\u0111ivati novim mog\u0107nostima. Hvala.",
+ "HeaderDisplaySettings": "Postavke prikaza",
+ "TabPlayTo": "Izvedi na",
+ "LabelEnableDlnaServer": "Omogu\u0107i Dlna server",
+ "LabelEnableDlnaServerHelp": "Omogu\u0107i svojim UPnP ure\u0111ajima na mre\u017ei da pretra\u017euji i reproduciraju Media Browser sadr\u017eaj.",
+ "LabelEnableBlastAliveMessages": "Objavi poruke dostupnosti",
+ "LabelEnableBlastAliveMessagesHelp": "Omogu\u0107i ovo ako server nije prikazan kao siguran za druge UPnP ure\u0111aje na mre\u017ei.",
+ "LabelBlastMessageInterval": "Interval poruka dostupnosti (sekunde)",
+ "LabelBlastMessageIntervalHelp": "Odre\u0111uje trajanje u sekundama izme\u0111u svake poruke dostupnosti servera.",
+ "LabelDefaultUser": "Zadani korisnik:",
+ "LabelDefaultUserHelp": "Odre\u0111uje koja \u0107e biblioteka biti prikazana na spojenim ure\u0111ajima. Ovo se mo\u017ee zaobi\u0107i za svaki ure\u0111aj koriste\u0107i profile.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Postavke Servera",
+ "LabelWeatherDisplayLocation": "Lokacija prikaza vremena:",
+ "LabelWeatherDisplayLocationHelp": "Po\u0161tanski broj \/ Grad, Dr\u017eava",
+ "LabelWeatherDisplayUnit": "Jedinica za prikaz temperature",
+ "OptionCelsius": "Celzij",
+ "OptionFahrenheit": "Farenhajt",
+ "HeaderRequireManualLogin": "Zahtjevaj ru\u010dni unos korisni\u010dkog imena za:",
+ "HeaderRequireManualLoginHelp": "Kada onemogu\u0107eni korisnici otvore prozor za prijavu sa vizualnim odabirom korisnika.",
+ "OptionOtherApps": "Druge aplikacije",
+ "OptionMobileApps": "Mobilne aplikacije",
+ "HeaderNotificationList": "Kliknite na obavijesti kako bi postavili opcije slanja.",
+ "NotificationOptionApplicationUpdateAvailable": "Dostupno a\u017euriranje aplikacije",
+ "NotificationOptionApplicationUpdateInstalled": "Instalirano a\u017euriranje aplikacije",
+ "NotificationOptionPluginUpdateInstalled": "Instalirano a\u017euriranje za dodatak",
+ "NotificationOptionPluginInstalled": "Dodatak instaliran",
+ "NotificationOptionPluginUninstalled": "Dodatak uklonjen",
+ "NotificationOptionVideoPlayback": "Reprodukcija videa zapo\u010deta",
+ "NotificationOptionAudioPlayback": "Reprodukcija glazbe zapo\u010deta",
+ "NotificationOptionGamePlayback": "Igrica pokrenuta",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Zakazan zadatak nije izvr\u0161en",
+ "NotificationOptionInstallationFailed": "Instalacija nije izvr\u0161ena",
+ "NotificationOptionNewLibraryContent": "Novi sadr\u017eaj dodan",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "Zadano je da se sve obavijesti dostave na upravlja\u010dku plo\u010du. Pretra\u017eite katalog dodataka kako bi instalirali dodatne opcije obavijesti.",
+ "NotificationOptionServerRestartRequired": "Potrebno ponovo pokretanje servera",
+ "LabelNotificationEnabled": "Omogu\u0107i ovu obavijest",
+ "LabelMonitorUsers": "Obrazac nadzora aktivnosti:",
+ "LabelSendNotificationToUsers": "Po\u0161aljite obavijesti na:",
+ "LabelUseNotificationServices": "Koristite sljede\u0107e servise:",
+ "CategoryUser": "Korisnik",
+ "CategorySystem": "Sistem",
+ "CategoryApplication": "Aplikacija",
+ "CategoryPlugin": "Dodatak",
+ "LabelMessageTitle": "Naslov poruke:",
+ "LabelAvailableTokens": "Dostupne varijable:",
+ "AdditionalNotificationServices": "Pretra\u017eite katalog dodataka kako bi instalirali dodatne servise za obavijesti.",
+ "OptionAllUsers": "Svi korisnici",
+ "OptionAdminUsers": "Administratori",
+ "OptionCustomUsers": "Prilago\u0111eno",
+ "ButtonArrowUp": "Gore",
+ "ButtonArrowDown": "Dolje",
+ "ButtonArrowLeft": "Ljevo",
+ "ButtonArrowRight": "Desno",
+ "ButtonBack": "Nazad",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Stranica gore",
+ "ButtonPageDown": "Stranica dolje",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Po\u010detna",
+ "ButtonSearch": "Tra\u017ei",
+ "ButtonSettings": "Postavke",
+ "ButtonTakeScreenshot": "Dohvati zaslon",
+ "ButtonLetterUp": "Slovo gore",
+ "ButtonLetterDown": "Slovo dolje",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Sad se izvodi",
+ "TabNavigation": "Navigacija",
+ "TabControls": "Kontrole",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scene",
+ "ButtonSubtitles": "Titlovi",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pauza",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Grupiraj filmove u kolekciju",
+ "LabelGroupMoviesIntoCollectionsHelp": "Kada se prikazuje lista filmova, filmovi koji pripadaju kolekciji biti \u0107e prikazani kao jedna stavka.",
+ "NotificationOptionPluginError": "Dodatak otkazao",
+ "ButtonVolumeUp": "Glasno\u0107a gore",
+ "ButtonVolumeDown": "Glasno\u0107a dolje",
+ "ButtonMute": "Bez zvuka",
+ "HeaderLatestMedia": "Lista medija",
+ "OptionSpecialFeatures": "Specijalne opcije",
+ "HeaderCollections": "Kolekcije",
+ "LabelProfileCodecsHelp": "Odvojeno sa to\u010dka-zrezom. Ovo mo\u017ee ostaviti prazno kao bi bilo postavljeno za sve codecs.",
+ "LabelProfileContainersHelp": "Odvojeno sa to\u010dka-zrezom. Ovo mo\u017ee ostaviti prazno kao bi bilo postavljeno za sve spremnike.",
+ "HeaderResponseProfile": "Profil odziva",
+ "LabelType": "Tip:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Spremnik:",
+ "LabelProfileVideoCodecs": "Video kodek:",
+ "LabelProfileAudioCodecs": "Audio kodek:",
+ "LabelProfileCodecs": "Kodeki:",
+ "HeaderDirectPlayProfile": "Profil za direktnu reprodukciju",
+ "HeaderTranscodingProfile": "Profil transkodiranja",
+ "HeaderCodecProfile": "Profil kodeka",
+ "HeaderCodecProfileHelp": "Profili kodeka definiraju ograni\u010denja kada ure\u0111aji izvode sadr\u017eaj u specifi\u010dnom kodeku. Ako se ograni\u010denja podudaraju tada \u0107e sadr\u017eaj biti transkodiran, iako je kodek konfiguriran za direktno izvo\u0111enje.",
+ "HeaderContainerProfile": "Profil spremnika",
+ "HeaderContainerProfileHelp": "Profil spremnika definira ograni\u010denja za ure\u0111aje kada izvode specifi\u010dne formate. Ako se ograni\u010denja podudaraju tada \u0107e sadr\u017eaj biti transkodiran, iako je format konfiguriran za direktno izvo\u0111enje.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Slika",
+ "LabelUserLibrary": "Korisni\u010dka biblioteka:",
+ "LabelUserLibraryHelp": "Odaberite koju korisni\u010dku biblioteku \u0107e te prikazati ure\u0111aju. Ostavite prazno ako \u017eelite preuzeti definirane postavke.",
+ "OptionPlainStorageFolders": "Prika\u017ei sve mape kako jednostavne mape za skladi\u0161tenje",
+ "OptionPlainStorageFoldersHelp": "Ako je omogu\u0107eno, sve mape se prezentiraju u DIDL-u kao \"objekt.spremnik.skladi\u0161naMapa\" umjesto vi\u0161e specijaliziranog tipa kao \"objekt.spremnik.osoba.glazbaIzvo\u0111a\u010d\".",
+ "OptionPlainVideoItems": "Prika\u017ei sav video kao jednostavne video stavke.",
+ "OptionPlainVideoItemsHelp": "Ako je omogu\u0107eno, sav video se prezentira u DIDL-u kao \"objekt.stavka.videoStavka\" umjesto vi\u0161e specijaliziranog tipa kao \"objekt.stavka.videoStavka.film\".",
+ "LabelSupportedMediaTypes": "Podr\u017eani tipovi medija:",
+ "TabIdentification": "Identifikacija",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direktna reprodukcija",
+ "TabContainers": "Spremnik",
+ "TabCodecs": "Kodek",
+ "TabResponses": "Odazivi",
+ "HeaderProfileInformation": "Informacija profila",
+ "LabelEmbedAlbumArtDidl": "Ugradi grafike albuma u Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Neki ure\u0111aji podr\u017eavaju ovu metodu za prikaz grafike albuma. Drugi bi mogli imati problema sa ovom opcijom uklju\u010denom.",
+ "LabelAlbumArtPN": "Grafika albuma PN:",
+ "LabelAlbumArtHelp": "PN se koristi za grafiku albuma sa dlna:profilID atributom na upnp:albumGrafikaURI. Neki klijenti zahtijevaju specifi\u010dnu vrijednost bez obzira na veli\u010dinu slike.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/it.json b/MediaBrowser.Server.Implementations/Localization/Server/it.json
index 219adc1b3d..c907b1e4e7 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/it.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/it.json
@@ -1,590 +1,4 @@
{
- "TabCollections": "Collezioni",
- "HeaderChannels": "Canali",
- "TabRecordings": "Registrazioni",
- "TabScheduled": "Pianificato",
- "TabSeries": "Serie TV",
- "TabFavorites": "Preferiti",
- "TabMyLibrary": "Mia Libreria",
- "ButtonCancelRecording": "Annulla la registrazione",
- "HeaderPrePostPadding": "Pre\/Post Registrazione",
- "LabelPrePaddingMinutes": "Pre registrazione minuti",
- "OptionPrePaddingRequired": "Attiva pre registrazione",
- "LabelPostPaddingMinutes": "Minuti post registrazione",
- "OptionPostPaddingRequired": "Attiva post registrazione",
- "HeaderWhatsOnTV": "Cosa c'\u00e8",
- "HeaderUpcomingTV": "In onda a breve",
- "TabStatus": "Stato",
- "TabSettings": "Impostazioni",
- "ButtonRefreshGuideData": "Aggiorna la guida",
- "ButtonRefresh": "Aggiorna",
- "ButtonAdvancedRefresh": "Aggiornamento (avanzato)",
- "OptionPriority": "Priorit\u00e0",
- "OptionRecordOnAllChannels": "Registra su tutti i canali",
- "OptionRecordAnytime": "Registra a qualsiasi ora",
- "OptionRecordOnlyNewEpisodes": "Registra solo i nuovi episodi",
- "HeaderDays": "Giorni",
- "HeaderActiveRecordings": "Registrazioni Attive",
- "HeaderLatestRecordings": "Ultime registrazioni",
- "HeaderAllRecordings": "Tutte le registrazioni",
- "ButtonPlay": "Riproduci",
- "ButtonEdit": "Modifica",
- "ButtonRecord": "Registra",
- "ButtonDelete": "Elimina",
- "ButtonRemove": "Rimuovi",
- "OptionRecordSeries": "Registra Serie",
- "HeaderDetails": "Dettagli",
- "TitleLiveTV": "Tv indiretta",
- "LabelNumberOfGuideDays": "Numeri giorni dati guida",
- "LabelNumberOfGuideDaysHelp": "Scaricando pi\u00f9 giorni si avr\u00e0 la possibilit\u00e0 di schedulare in anticipo pi\u00f9 programmi.'Auto': MB sceglier\u00e0 automaticamente in base al numero di canali.",
- "LabelActiveService": "Servizio attivo:",
- "LabelActiveServiceHelp": "Possono essere installati pi\u00f9 plugins Tv ma solo uno alla volta pu\u00f2 essere attivato",
- "OptionAutomatic": "Automatico",
- "LiveTvPluginRequired": "\u00e8 richiesto il servizio LIVE TV per continuare.",
- "LiveTvPluginRequiredHelp": "Installa un servizio disponibile, come Next Pvr or ServerWMC.",
- "LabelCustomizeOptionsPerMediaType": "Personalizza per il tipo di supporto:",
- "OptionDownloadThumbImage": "Foto",
- "OptionDownloadMenuImage": "Men\u00f9",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disco",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Indietro",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Locandina",
- "HeaderFetchImages": "Identifica Immagini:",
- "HeaderImageSettings": "Impostazioni Immagini",
- "TabOther": "Altro",
- "LabelMaxBackdropsPerItem": "Massimo numero di sfondi per oggetto.",
- "LabelMaxScreenshotsPerItem": "Massimo numero di foto per oggetto:",
- "LabelMinBackdropDownloadWidth": "Massima larghezza sfondo:",
- "LabelMinScreenshotDownloadWidth": "Minima larghezza foto:",
- "ButtonAddScheduledTaskTrigger": "Aggiungi operazione:",
- "HeaderAddScheduledTaskTrigger": "Aggiungi operazione:",
- "ButtonAdd": "Aggiungi",
- "LabelTriggerType": "Tipo Evento:",
- "OptionDaily": "Giornal.",
- "OptionWeekly": "Settimanale",
- "OptionOnInterval": "Su intervalla",
- "OptionOnAppStartup": "All'avvio",
- "OptionAfterSystemEvent": "Dopo un vento di sistema",
- "LabelDay": "Giorno:",
- "LabelTime": "Ora:",
- "LabelEvent": "Evento:",
- "OptionWakeFromSleep": "Risveglio :",
- "LabelEveryXMinutes": "Tutti:",
- "HeaderTvTuners": "Schede Tv",
- "HeaderGallery": "Galleria",
- "HeaderLatestGames": "Ultimi giochi",
- "HeaderRecentlyPlayedGames": "Ultimi giochi recenti",
- "TabGameSystems": "Giochi di sistema",
- "TitleMediaLibrary": "Libreria",
- "TabFolders": "Cartelle",
- "TabPathSubstitution": "Percorso da sostiuire",
- "LabelSeasonZeroDisplayName": "Stagione 0 Nome:",
- "LabelEnableRealtimeMonitor": "Abilita monitoraggio in tempo reale",
- "LabelEnableRealtimeMonitorHelp": "Le modifiche saranno applicate immediatamente, sui file system supportati.",
- "ButtonScanLibrary": "Scansione libreria",
- "HeaderNumberOfPlayers": "Giocatori:",
- "OptionAnyNumberOfPlayers": "Qualsiasi:",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Cartelle dei media",
- "HeaderThemeVideos": "Tema dei video",
- "HeaderThemeSongs": "Tema Canzoni",
- "HeaderScenes": "Scene",
- "HeaderAwardsAndReviews": "Premi e Recensioni",
- "HeaderSoundtracks": "Colonne sonore",
- "HeaderMusicVideos": "video musicali",
- "HeaderSpecialFeatures": "Caratteristiche speciali",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Parti addizionali",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "mancante",
- "LabelOffline": "Spento",
- "PathSubstitutionHelp": "il percorso 'sostituzioni' vengono utilizzati per mappare un percorso sul server per un percorso che i client sono in grado di accedere. Consentendo ai clienti l'accesso diretto ai media sul server possono essere in grado di giocare direttamente attraverso la rete ed evitare di utilizzare le risorse del server per lo streaming e transcodificare tra di loro.",
- "HeaderFrom": "Da",
- "HeaderTo": "A",
- "LabelFrom": "Da:",
- "LabelFromHelp": "Esempio: D\\Films (sul server)",
- "LabelTo": "A:",
- "LabelToHelp": "Esempio: \\ \\ MyServer \\ Films (Percorso a cui i client possono accedere)",
- "ButtonAddPathSubstitution": "Aggiungi sostituzione",
- "OptionSpecialEpisode": "Speciali",
- "OptionMissingEpisode": "Episodi mancanti",
- "OptionUnairedEpisode": "Episodi mai andati in onda",
- "OptionEpisodeSortName": "Ordina episodi per nome",
- "OptionSeriesSortName": "Nome Serie",
- "OptionTvdbRating": "Voto Tvdb",
- "HeaderTranscodingQualityPreference": "Preferenze qualit\u00e0 trascodifica:",
- "OptionAutomaticTranscodingHelp": "Il server decider\u00e0 qualit\u00e0 e velocit\u00e0",
- "OptionHighSpeedTranscodingHelp": "Bassa qualit\u00e0, ma pi\u00f9 velocit\u00e0 nella codifica",
- "OptionHighQualityTranscodingHelp": "Alta qualit\u00e0, ma pi\u00f9 lentezza nella codifica",
- "OptionMaxQualityTranscodingHelp": "Migliore qualit\u00e0 con la codifica pi\u00f9 lenta e elevato utilizzo della CPU",
- "OptionHighSpeedTranscoding": "Maggiore velocit\u00e0",
- "OptionHighQualityTranscoding": "Maggiore qualit\u00e0",
- "OptionMaxQualityTranscoding": "Massima Qualit\u00e0",
- "OptionEnableDebugTranscodingLogging": "Abilita la registrazione transcodifica di debug",
- "OptionEnableDebugTranscodingLoggingHelp": "Questo creer\u00e0 file di log molto grandi ed \u00e8 consigliato solo se necessario per la risoluzione dei problemi.",
- "OptionUpscaling": "Consenti ai clienti di richiedere il video scalato",
- "OptionUpscalingHelp": "In alcuni casi, questo si tradurr\u00e0 in una migliore qualit\u00e0 video, ma aumenter\u00e0 l'utilizzo della CPU.",
- "EditCollectionItemsHelp": "Aggiungi o rimuovi films,serie,albums,libri o giochi e se vuoi raggruppa in collezioni",
- "HeaderAddTitles": "Aggiungi Titolo",
- "LabelEnableDlnaPlayTo": "Abilita DLNA su",
- "LabelEnableDlnaPlayToHelp": "Media Browser pu\u00f2 ricercare dispositivi sulla tua rete e abilitare il controllo remoto degli stessi.",
- "LabelEnableDlnaDebugLogging": "Abilita il debug del DLNA",
- "LabelEnableDlnaDebugLoggingHelp": "Questo creer\u00e0 file di log di notevoli dimensioni e deve essere abilitato solo per risolvere eventuali problemi",
- "LabelEnableDlnaClientDiscoveryInterval": "Ricerca nuovi dispositivi:(Ogni x secondi)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la durata in secondi dell'intervallo tra la ricerca< SSDP",
- "HeaderCustomDlnaProfiles": "Profili personalizzati",
- "HeaderSystemDlnaProfiles": "Profili di sistema",
- "CustomDlnaProfilesHelp": "Crea un profilo personalizzato per un nuovo dispositivo o sovrascrivi quello di sistema",
- "SystemDlnaProfilesHelp": "I profili di sistema sono in solo lettura.crea un profilo personalizzato per lo stesso dispositivo.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "Percorsi di sistema",
- "LinkCommunity": "Comunit\u00e0",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Documentazione Api",
- "LabelFriendlyServerName": "Nome condiviso del server:",
- "LabelFriendlyServerNameHelp": "Questo nome \u00e8 usato per identificare il server sulla rete.Se lasciato vuoto verra usato il nome del pc",
- "LabelPreferredDisplayLanguage": "Lingua preferita",
- "LabelPreferredDisplayLanguageHelp": "La traduzione nella tua lingua non \u00e8 ancora completa.Scusa.",
- "LabelReadHowYouCanContribute": "Leggi come puoi contribuire",
- "HeaderNewCollection": "Nuova collezione",
- "HeaderAddToCollection": "Aggiungi alla Collezione",
- "ButtonSubmit": "Invia",
- "NewCollectionNameExample": "Esempio:Collezione Star wars",
- "OptionSearchForInternetMetadata": "Cerca su internet le immagini e i metadati",
- "ButtonCreate": "Crea",
- "LabelLocalHttpServerPortNumber": "Numero di porta locale:",
- "LabelLocalHttpServerPortNumberHelp": "Il numero di porta TCP del server http del browser media a cui dovrebbe legarsi.",
- "LabelPublicPort": "Numero di porta pubblica:",
- "LabelPublicPortHelp": "Il numero di porta pubblica che dovrebbe essere mappato alla porta locale.",
- "LabelWebSocketPortNumber": "Porta webSocket numero:",
- "LabelEnableAutomaticPortMap": "Abilita mappatura delle porte automatiche",
- "LabelEnableAutomaticPortMapHelp": "Tentativo di mappare automaticamente la porta pubblica alla porta locale tramite UPnP. Questo potrebbe non funzionare con alcuni modelli di router.",
- "LabelExternalDDNS": "DDNS Esterno:",
- "LabelExternalDDNSHelp": "Se tu ha un DNS dinamico inseriscilo qui.Media browser lo utilizzera per le connessioni remote.",
- "TabResume": "Riprendi",
- "TabWeather": "Tempo",
- "TitleAppSettings": "Impostazioni delle app",
- "LabelMinResumePercentage": "% minima per il riprendi",
- "LabelMaxResumePercentage": "% massima per il riprendi",
- "LabelMinResumeDuration": "Durata minima per il riprendi (secondi)",
- "LabelMinResumePercentageHelp": "I film Sono considerati non visti se fermati prima di questo tempo",
- "LabelMaxResumePercentageHelp": "I film sono considerati visti se fermati dopo questo tempo",
- "LabelMinResumeDurationHelp": "I film pi\u00f9 corti non saranno riprendibili",
- "TitleAutoOrganize": "Organizza Automaticamente",
- "TabActivityLog": "Attivit\u00e0 Eventi",
- "HeaderName": "Nome",
- "HeaderDate": "Data",
- "HeaderSource": "Sorgente",
- "HeaderDestination": "Destinazione",
- "HeaderProgram": "Programma",
- "HeaderClients": "Dispositivi",
- "LabelCompleted": "Completato",
- "LabelFailed": "Fallito",
- "LabelSkipped": "Saltato",
- "HeaderEpisodeOrganization": "Organizzazione Episodi",
- "LabelSeries": "Serie:",
- "LabelSeasonNumber": "Numero Stagione:",
- "LabelEpisodeNumber": "Numero Episodio :",
- "LabelEndingEpisodeNumber": "Ultimo Episodio Numero:",
- "LabelEndingEpisodeNumberHelp": "\u00e8 richiesto solo se ci sono pi\u00f9 file per espisodio",
- "HeaderSupportTheTeam": "Team di supporto di Media Browser",
- "LabelSupportAmount": "Ammontare (Dollari)",
- "HeaderSupportTheTeamHelp": "Aiutaci a continuare nello sviluppo di questo progetto tramite donazione. una porzione delle donazioni verranno impiegate per lo sviluppo di Plugins gratuiti.",
- "ButtonEnterSupporterKey": "Inserisci il numero di registrazione",
- "DonationNextStep": "Pe favore rientra ed inserisci la chiave di registrazione che hai ricevuto tramite mail.",
- "AutoOrganizeHelp": "Organizzazione automatica:Monitorizza le cartelle dei files scaricati e li spostera automaticamente nelle tue cartelle dei media.",
- "AutoOrganizeTvHelp": "L'organizzazione della TV aggiunger\u00e0 solo episodi nuovi. Non verranno create nuove cartelle delle serie.",
- "OptionEnableEpisodeOrganization": "Abilita l'organizzazione dei nuovi episodi",
- "LabelWatchFolder": "Monitorizza cartella:",
- "LabelWatchFolderHelp": "Il server cercher\u00e0 in questa cartella durante l'operazione pianificata relativa all 'Organizzazione dei nuovi file multimediali",
- "ButtonViewScheduledTasks": "Visualizza le operazioni pianificate",
- "LabelMinFileSizeForOrganize": "Dimensioni minime file (MB):",
- "LabelMinFileSizeForOrganizeHelp": "I file sotto questa dimensione verranno ignorati.",
- "LabelSeasonFolderPattern": "Modello della cartella Stagione:",
- "LabelSeasonZeroFolderName": "Modello della cartella Stagione ZERO:",
- "HeaderEpisodeFilePattern": "Modello del file Episodio:",
- "LabelEpisodePattern": "Modello Episodio:",
- "LabelMultiEpisodePattern": "Modello dei multi-file episodio:",
- "HeaderSupportedPatterns": "Modelli supportati",
- "HeaderTerm": "Termine",
- "HeaderPattern": "Modello",
- "HeaderResult": "Resultato",
- "LabelDeleteEmptyFolders": "Elimina le cartelle vuote dopo l'organizzazione automatica",
- "LabelDeleteEmptyFoldersHelp": "Attivare questa opzione per mantenere la directory di download pulita.",
- "LabelDeleteLeftOverFiles": "Elimina sopra i file con le seguenti estensioni:",
- "LabelDeleteLeftOverFilesHelp": "Separare con:. Per esempio:.. Nfo; txt",
- "OptionOverwriteExistingEpisodes": "Sovrascrivere episodi esistenti",
- "LabelTransferMethod": "metodo di trasferimento",
- "OptionCopy": "Copia",
- "OptionMove": "Sposta",
- "LabelTransferMethodHelp": "Copiare o spostare i file dalla cartella da monitorizzare",
- "HeaderLatestNews": "Ultime Novit\u00e0",
- "HeaderHelpImproveMediaBrowser": "Contribuisci a migliorare il Media Browser",
- "HeaderRunningTasks": "Operazione in corso",
- "HeaderActiveDevices": "Dispositivi Connessi",
- "HeaderPendingInstallations": "installazioni in coda",
- "HeaerServerInformation": "Informazioni del server",
- "ButtonRestartNow": "Riavvia Adesso",
- "ButtonRestart": "Riavvia",
- "ButtonShutdown": "Arresta Server",
- "ButtonUpdateNow": "Aggiorna Adesso",
- "PleaseUpdateManually": "Per favore Arresta il server ed aggiorna manualmente",
- "NewServerVersionAvailable": "una nuova versione di Media browser \u00e8 disponibile!!!",
- "ServerUpToDate": "Media Browser \u00e8 aggiornato.",
- "ErrorConnectingToMediaBrowserRepository": "Si \u00e8 verificato un errore durante la connessione al repository Media Browser remoto.",
- "LabelComponentsUpdated": "I seguenti componenti sono stati installati o aggiornati:",
- "MessagePleaseRestartServerToFinishUpdating": "Si prega di riavviare il server per completare l'applicazione degli aggiornamenti.",
- "LabelDownMixAudioScale": "Audio Boost Mix Scala :",
- "LabelDownMixAudioScaleHelp": "Audio Mix: Valore originale 1",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Vecchie Chiavi dl donatore",
- "LabelNewSupporterKey": "Nuova Chiave del donatore:",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Indirizzo mail",
- "LabelCurrentEmailAddressHelp": "L'indirizzo email attuale a cui la nuova chiave \u00e8 stata inviata.",
- "HeaderForgotKey": "Chiave dimenticata",
- "LabelEmailAddress": "Indirizzo email",
- "LabelSupporterEmailAddress": "La mail verr\u00e0 utilizzata per acquistare la chiave",
- "ButtonRetrieveKey": "Ottieni chiave",
- "LabelSupporterKey": "Chiave ( incollala dalla mail ricevuta)",
- "LabelSupporterKeyHelp": "Inserisci la chiave per avere nuovi benefit che la comunit\u00e0 di Media Browser ha sviluppato per te",
- "MessageInvalidKey": "Chiave MB3 mancante o invalida.",
- "ErrorMessageInvalidKey": "Per qualsiasi contenuto premium devi essere registrato. \u00e8 necessario anche essere un browser Supporter multimediale. Si prega di donare e sostenere il continuo sviluppo del prodotto di base. Grazie.",
- "HeaderDisplaySettings": "Configurazione Monitor",
- "TabPlayTo": "Riproduci su",
- "LabelEnableDlnaServer": "Abilita server Dlna",
- "LabelEnableDlnaServerHelp": "Abilita i dispositivi UPnP",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Attivare questa opzione se il server non viene rilevato in modo affidabile da altri dispositivi UPnP in rete.",
- "LabelBlastMessageInterval": "Intervallo messaggi di (secondi)",
- "LabelBlastMessageIntervalHelp": "Determina la durata in secondi tra i messaggi in vita del server.",
- "LabelDefaultUser": "Utente di Default:",
- "LabelDefaultUserHelp": "Determina quale libreria utente deve essere visualizzato sui dispositivi collegati. Questo pu\u00f2 essere disattivata tramite un profilo di dispositivo.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Canali",
- "HeaderServerSettings": "Impostazioni server",
- "LabelWeatherDisplayLocation": "Localit\u00e0 previsione",
- "LabelWeatherDisplayLocationHelp": "Citt\u00e0,Stato",
- "LabelWeatherDisplayUnit": "Unita di Misura",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Richiedi l'inserimento manuale utente per:",
- "HeaderRequireManualLoginHelp": "Quando i client disabilitati possono presentare una schermata di login con una selezione visuale di utenti.",
- "OptionOtherApps": "Altre apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Fare clic su una notifica per configurare \u00e8 l'invio di opzioni.",
- "NotificationOptionApplicationUpdateAvailable": "Aggiornamento dell'applicazione disponibile",
- "NotificationOptionApplicationUpdateInstalled": "Aggiornamento dell'applicazione installata",
- "NotificationOptionPluginUpdateInstalled": "Aggiornamento del plugin installato",
- "NotificationOptionPluginInstalled": "plugin installato",
- "NotificationOptionPluginUninstalled": "Plugin disinstallato",
- "NotificationOptionVideoPlayback": "La riproduzione video \u00e8 iniziato",
- "NotificationOptionAudioPlayback": "Riproduzione audio iniziato",
- "NotificationOptionGamePlayback": "La riproduzione di gioco \u00e8 parita",
- "NotificationOptionVideoPlaybackStopped": "Video Fermato",
- "NotificationOptionAudioPlaybackStopped": "Audio Fermato",
- "NotificationOptionGamePlaybackStopped": "Gioco Fermato",
- "NotificationOptionTaskFailed": "Fallimento operazione pianificata",
- "NotificationOptionInstallationFailed": "errore di installazione",
- "NotificationOptionNewLibraryContent": "Nuovo contenuto aggiunto",
- "NotificationOptionNewLibraryContentMultiple": "Nuovi contenuti aggiunti",
- "SendNotificationHelp": "Per impostazione predefinita, le notifiche vengono consegnate al cruscotto della Posta in arrivo . Sfoglia il catalogo plugin da installare opzioni di notifica aggiuntive.",
- "NotificationOptionServerRestartRequired": "Riavvio del server necessaria",
- "LabelNotificationEnabled": "Abilita questa notifica",
- "LabelMonitorUsers": "Monitorare l'attivit\u00e0 da:",
- "LabelSendNotificationToUsers": "Spedisci notifiche a:",
- "LabelUseNotificationServices": "Utilizzare i seguenti servizi:",
- "CategoryUser": "Utente",
- "CategorySystem": "Sistema",
- "CategoryApplication": "Applicazione",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Titolo messaggio:",
- "LabelAvailableTokens": "Gettoni disponibili:",
- "AdditionalNotificationServices": "Sfoglia il catalogo plugin per installare i servizi di notifica aggiuntivi.",
- "OptionAllUsers": "Tutti gli utenti",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Su",
- "ButtonArrowDown": "Gi\u00f9",
- "ButtonArrowLeft": "Sinistra",
- "ButtonArrowRight": "Destra",
- "ButtonBack": "Indietro",
- "ButtonInfo": "Info",
- "ButtonOsd": "Su Schermo",
- "ButtonPageUp": "Pagina Su",
- "ButtonPageDown": "Pagina Gi\u00f9",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Cerca",
- "ButtonSettings": "Impostazioni",
- "ButtonTakeScreenshot": "Cattura schermata",
- "ButtonLetterUp": "Lettera Su",
- "ButtonLetterDown": "Lettera Gi\u00f9",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "e",
- "TabNowPlaying": "In esecuzione",
- "TabNavigation": "Navigazione",
- "TabControls": "Controlli",
- "ButtonFullscreen": "Tutto Schermo",
- "ButtonScenes": "Scene",
- "ButtonSubtitles": "Sottotitoli",
- "ButtonAudioTracks": "Tracce audio",
- "ButtonPreviousTrack": "Traccia Precedente",
- "ButtonNextTrack": "Prossima Traccia",
- "ButtonStop": "Stop",
- "ButtonPause": "Pausa",
- "ButtonNext": "Prossimo",
- "ButtonPrevious": "Precedente",
- "LabelGroupMoviesIntoCollections": "Raggruppa i film nelle collection",
- "LabelGroupMoviesIntoCollectionsHelp": "Quando si visualizzano le liste di film,i film appartenenti ad una collezione saranno visualizzati come un elemento raggruppato.",
- "NotificationOptionPluginError": "Plugin fallito",
- "ButtonVolumeUp": "Aumenta Volume",
- "ButtonVolumeDown": "Diminuisci volume",
- "ButtonMute": "Muto",
- "HeaderLatestMedia": "Ultimi Media",
- "OptionSpecialFeatures": "caratteristiche Speciali",
- "HeaderCollections": "Collezioni",
- "LabelProfileCodecsHelp": "Separati da virgola. Questo pu\u00f2 essere lasciato vuoto da applicare a tutti i codec.",
- "LabelProfileContainersHelp": "Separati da virgola. Questo pu\u00f2 essere lasciato vuoto da applicare a tutti i contenitori.",
- "HeaderResponseProfile": "Risposta Profilo",
- "LabelType": "Tipo:",
- "LabelPersonRole": "Ruolo:",
- "LabelPersonRoleHelp": "Ruolo \u00e8 generalmente applicabile solo agli attori.",
- "LabelProfileContainer": "Contenitore:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play profilo",
- "HeaderTranscodingProfile": "transcodifica profilo",
- "HeaderCodecProfile": "Codec Profilo",
- "HeaderCodecProfileHelp": "Profili Codec indicano i limiti di un dispositivo durante la riproduzione di codec specifici. Se una limitazione si applica poi saranno trascodificati media, anche se il codec \u00e8 configurato per riproduzione diretta.",
- "HeaderContainerProfile": "Profilo Contenitore",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "Libreria utente:",
- "LabelUserLibraryHelp": "Selezionare quale libreria utente da visualizzare sul dispositivo. Lasciare vuoto per ereditare l'impostazione predefinita.",
- "OptionPlainStorageFolders": "Visualizzare tutte le cartelle come cartelle di archiviazione pianura",
- "OptionPlainStorageFoldersHelp": "Se abilitato, tutte le cartelle sono rappresentati in didl come \"object.container.storageFolder\" invece di tipo pi\u00f9 specifico, come \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "Se attivato, tutti i video sono rappresentati in didl come \"object.item.videoItem\" invece di tipo pi\u00f9 specifico, come \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Tipi di media supportati:",
- "TabIdentification": "identificazione",
- "HeaderIdentification": "Identificazione",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "contenitori",
- "TabCodecs": "Codecs",
- "TabResponses": "Risposte",
- "HeaderProfileInformation": "Informazioni sul profilo",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Alcuni dispositivi preferiscono questo metodo per ottenere le copertine degli album. Altri possono non riuscire a giocare con questa opzione abilitata.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN utilizzato per le copertine degli album, all'interno del DLNA: attributo di ProfileId su UPnP: albumArtURI. Alcuni clienti richiedono un valore specifico, indipendentemente dalla dimensione dell'immagine.",
- "LabelAlbumArtMaxWidth": "Album art Larghezza max:",
- "LabelAlbumArtMaxWidthHelp": "Risoluzione max di album esposta tramite UPnP: albumArtURI",
- "LabelAlbumArtMaxHeight": "Art Album Altezza max:",
- "LabelAlbumArtMaxHeightHelp": "Risoluzione max di album esposta tramite UPnP: albumArtURI",
- "LabelIconMaxWidth": "Larghezza max Icon:",
- "LabelIconMaxWidthHelp": "Risoluzione max delle icone esposto tramite UPnP: icona.",
- "LabelIconMaxHeight": "Altezza Icon max:",
- "LabelIconMaxHeightHelp": "Risoluzione max delle icone esposto tramite UPnP: icona.",
- "LabelIdentificationFieldHelp": "Una stringa o regex espressione maiuscole e minuscole.",
- "HeaderProfileServerSettingsHelp": "Controllano questi valori come Media Browser si presenter\u00e0 al dispositivo.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specificare un bitrate massimo in ambienti larghezza di banda limitata, o se il dispositivo impone il suo limite proprio.",
- "LabelMaxStreamingBitrate": "Massimo Bitrate streaming",
- "LabelMaxStreamingBitrateHelp": "Specifica il bitrate massimo per lo streaming",
- "LabelMaxStaticBitrate": "Massimo sinc. Bitrate",
- "LabelMaxStaticBitrateHelp": "Specifica il bitrate massimo quando sincronizzi ad alta qualit\u00e0",
- "LabelMusicStaticBitrate": "Musica sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specifica il max Bitrate quando sincronizzi la musica",
- "LabelMusicStreamingTranscodingBitrate": "Musica trascodifica bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specifica il max Bitrate per lo streaming musica",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignorare le richieste di intervallo di byte di trascodifica",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Se abilitata, queste richieste saranno onorati, ma ignorano l'intestazione intervallo di byte.",
- "LabelFriendlyName": "Nome Condiviso",
- "LabelManufacturer": "fabbricante",
- "LabelManufacturerUrl": "fabbricante Url",
- "LabelModelName": "Modello Nome",
- "LabelModelNumber": "Modello Numero",
- "LabelModelDescription": "Modello Descrizione",
- "LabelModelUrl": "Modello Url",
- "LabelSerialNumber": "Numero di serie",
- "LabelDeviceDescription": "Descrizione dispositivo",
- "HeaderIdentificationCriteriaHelp": "Inserire almeno un criterio di identificazione.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Aggiungere i profili di transcodifica per indicare quali formati da utilizzare quando \u00e8 richiesta la transcodifica.",
- "HeaderResponseProfileHelp": "Profili di risposta forniscono un modo per personalizzare le informazioni inviate al dispositivo durante la riproduzione di alcuni tipi di media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determina il contenuto dell'elemento aggregationFlags nel urn: schemas-sonycom: namespace av.",
- "LabelTranscodingContainer": "contenitore:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Attiva modalit\u00e0 M2TS",
- "OptionEnableM2tsModeHelp": "Attivare la modalit\u00e0 m2ts durante la codifica di mpegts.",
- "OptionEstimateContentLength": "Stimare la lunghezza contenuto quando transcodifica",
- "OptionReportByteRangeSeekingWhenTranscoding": "Segnala che il server supporta la ricerca di byte quando transcodifica",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Questo \u00e8 necessario per alcuni dispositivi che il tempo non cercano molto bene.",
- "HeaderSubtitleDownloadingHelp": "Quando Media Browser esegue la scansione dei file video \u00e8 possibile cercare i sottotitoli mancanti, e scaricarli utilizzando un provider sottotitolo come OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Scarica sottotitoli per:",
- "MessageNoChapterProviders": "Installare un plugin fornitore capitolo come ChapterDb per attivare le opzioni capitolo aggiuntivo.",
- "LabelSkipIfGraphicalSubsPresent": "Salta se il video contiene gi\u00e0 i sottotitoli grafici",
- "LabelSkipIfGraphicalSubsPresentHelp": "Mantenere le versioni del testo di sottotitoli si tradurr\u00e0 in consegna pi\u00f9 efficiente ai clienti di telefonia mobile.",
- "TabSubtitles": "sottotitoli",
- "TabChapters": "capitoli",
- "HeaderDownloadChaptersFor": "Scarica i nomi dei capitoli per:",
- "LabelOpenSubtitlesUsername": "Sottotitoli utente:",
- "LabelOpenSubtitlesPassword": "Sottotitoli password:",
- "HeaderChapterDownloadingHelp": "Quando Media Browser esegue la scansione dei file video \u00e8 possibile scaricare i nomi dei capitoli amichevoli da internet utilizzando i plugin capitolo come ChapterDb",
- "LabelPlayDefaultAudioTrack": "Riprodurre la traccia audio di default indipendentemente dalla lingua",
- "LabelSubtitlePlaybackMode": "Modalit\u00e0 Sottotitolo:",
- "LabelDownloadLanguages": "Scarica lingue:",
- "ButtonRegister": "registro",
- "LabelSkipIfAudioTrackPresent": "Ignora se la traccia audio di default corrisponde alla lingua di download",
- "LabelSkipIfAudioTrackPresentHelp": "Deselezionare questa opzione per assicurare che tutti i video hanno i sottotitoli, a prescindere dalla lingua audio.",
- "HeaderSendMessage": "Invia un messaggio",
- "ButtonSend": "Invia",
- "LabelMessageText": "Testo del messaggio:",
- "MessageNoAvailablePlugins": "Nessun plugin disponibili.",
- "LabelDisplayPluginsFor": "Mostra plugin per:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Nome Episodio",
- "LabelSeriesNamePlain": "Nome Serie",
- "ValueSeriesNamePeriod": "Nome Serie",
- "ValueSeriesNameUnderscore": "Nome Serie",
- "ValueEpisodeNamePeriod": "Nome Episodio",
- "ValueEpisodeNameUnderscore": "Nome Episodio",
- "LabelSeasonNumberPlain": "Stagione numero",
- "LabelEpisodeNumberPlain": "Episodio numero",
- "LabelEndingEpisodeNumberPlain": "Numero ultimo episodio",
- "HeaderTypeText": "Inserisci il testo",
- "LabelTypeText": "Testo",
- "HeaderSearchForSubtitles": "Ricerca per sottotitoli",
- "MessageNoSubtitleSearchResultsFound": "Nessun elemento trovato",
- "TabDisplay": "Schermo",
- "TabLanguages": "Lingue",
- "TabWebClient": "Dispositivi Web",
- "LabelEnableThemeSongs": "Abilita tema canzoni",
- "LabelEnableBackdrops": "Abilita gli sfondi",
- "LabelEnableThemeSongsHelp": "Se abiltato le canzoni a tema saranno riprodotte mentre visualizzi la tua libreria",
- "LabelEnableBackdropsHelp": "Se abilitato gli sfondi verranno riprodotti mentre visualizzi la tua libreria",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Configurazione per questo dispositivo",
- "OptionAuto": "Automatico",
- "OptionYes": "Si",
- "OptionNo": "No",
- "LabelHomePageSection1": "Sezione 1 pagina iniziale:",
- "LabelHomePageSection2": "Sezione 2 pagina iniziale:",
- "LabelHomePageSection3": "Sezione 3 pagina iniziale:",
- "LabelHomePageSection4": "Sezione 4 pagina iniziale:",
- "OptionMyViewsButtons": "Mie Viste",
- "OptionMyViews": "Mie Viste",
- "OptionMyViewsSmall": "Mie Viste",
- "OptionResumablemedia": "Riprendi",
- "OptionLatestMedia": "Ultimo media",
- "OptionLatestChannelMedia": "Ultime voci del canale",
- "HeaderLatestChannelItems": "Ultime Canale Articoli",
- "OptionNone": "Nessuno",
- "HeaderLiveTv": "Diretta TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferenze",
- "MessageLoadingChannels": "Sto caricando il contenuto del canale",
- "MessageLoadingContent": "Caricamento contenuto....",
- "ButtonMarkRead": "Segna come letto",
- "OptionDefaultSort": "Predefinito",
- "OptionCommunityMostWatchedSort": "Pi\u00f9 visti",
- "TabNextUp": "Da vedere",
- "MessageNoMovieSuggestionsAvailable": "Nessun suggerimento di film sono attualmente disponibili. Iniziare a guardare e valutare i vostri film, e poi tornare per visualizzare le tue segnalazioni.",
- "MessageNoCollectionsAvailable": "Collezioni permettono di godere di raggruppamenti personalizzati di film, serie, album, libri e giochi. Fare clic sul pulsante Nuovo per avviare la creazione di collezioni.",
- "MessageNoPlaylistsAvailable": "Playlist ti permettere di mettere in coda gli elementi da riprodurre.Usa il tasto destro o tap e tieni premuto quindi seleziona elemento da aggiungere",
- "MessageNoPlaylistItemsAvailable": "Questa playlist al momento \u00e8 vuota",
- "HeaderWelcomeToMediaBrowserWebClient": "Benvenuti nel Media Browser Web client",
- "ButtonDismiss": "Dismetti",
- "ButtonTakeTheTour": "Fai il tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferenziale qualit\u00e0 del flusso internet:",
- "LabelChannelStreamQualityHelp": "In un ambiente a bassa larghezza di banda, limitando la qualit\u00e0 pu\u00f2 contribuire a garantire un'esperienza di Smooth Streaming.",
- "OptionBestAvailableStreamQuality": "Migliore disponibile",
- "LabelEnableChannelContentDownloadingFor": "contenuto del canale in grado di scaricare per:",
- "LabelEnableChannelContentDownloadingForHelp": "Alcuni sostengono canali di download di contenuti prima visione. Attivare questa in enviornments bassa larghezza di banda per scaricare i contenuti del canale durante le ore. Il contenuto viene scaricato come parte del download pianificata canale.",
- "LabelChannelDownloadPath": "Contenuti Canale scaricare il percorso:",
- "LabelChannelDownloadPathHelp": "Specificare un percorso di download personalizzato se lo desideri. Lasciare vuoto per scaricare in una cartella dati di programma interno.",
- "LabelChannelDownloadAge": "Elimina contenuto dopo: (giorni)",
- "LabelChannelDownloadAgeHelp": "Contenuti scaricati pi\u00f9 di questa et\u00e0 sar\u00e0 cancellato. Rimarr\u00e0 giocabile via internet in streaming.",
- "ChannelSettingsFormHelp": "Installare canali come trailer e Vimeo nel catalogo plugin.",
- "LabelSelectCollection": "Seleziona Collezione:",
- "ButtonOptions": "Opzioni",
- "ViewTypeMovies": "Film",
- "ViewTypeTvShows": "Tv",
- "ViewTypeGames": "Giochi",
- "ViewTypeMusic": "Musica",
- "ViewTypeBoxSets": "Collezioni",
- "ViewTypeChannels": "Canali",
- "ViewTypeLiveTV": "Tv diretta",
- "ViewTypeLiveTvNowPlaying": "Ora in onda",
- "ViewTypeLatestGames": "Ultimi Giorchi",
- "ViewTypeRecentlyPlayedGames": "Guardato di recente",
- "ViewTypeGameFavorites": "Preferiti",
- "ViewTypeGameSystems": "Configurazione gioco",
- "ViewTypeGameGenres": "Generi",
- "ViewTypeTvResume": "Riprendi",
- "ViewTypeTvNextUp": "Prossimi",
- "ViewTypeTvLatest": "Ultimi",
- "ViewTypeTvShowSeries": "Serie",
- "ViewTypeTvGenres": "Generi",
- "ViewTypeTvFavoriteSeries": "Serie Preferite",
- "ViewTypeTvFavoriteEpisodes": "Episodi Preferiti",
- "ViewTypeMovieResume": "Riprendi",
- "ViewTypeMovieLatest": "Ultimi",
- "ViewTypeMovieMovies": "Film",
- "ViewTypeMovieCollections": "Collezioni",
- "ViewTypeMovieFavorites": "Preferiti",
- "ViewTypeMovieGenres": "Generi",
- "ViewTypeMusicLatest": "Ultimi",
- "ViewTypeMusicAlbums": "Album",
- "ViewTypeMusicAlbumArtists": "Album Artisti",
- "HeaderOtherDisplaySettings": "Impostazioni Video",
- "ViewTypeMusicSongs": "Canzoni",
- "ViewTypeMusicFavorites": "Preferiti",
- "ViewTypeMusicFavoriteAlbums": "Album preferiti",
- "ViewTypeMusicFavoriteArtists": "Artisti preferiti",
- "ViewTypeMusicFavoriteSongs": "Canzoni Preferite",
- "HeaderMyViews": "Mie viste",
- "LabelSelectFolderGroups": "Automaticamente i contenuti del gruppo dalle seguenti cartelle nella vista come film, musica e TV:",
- "LabelSelectFolderGroupsHelp": "Le cartelle che siano deselezionate verranno visualizzati da soli nel loro punto di vista.",
- "OptionDisplayAdultContent": "Visualizzazioni contenuti per adulti",
- "OptionLibraryFolders": "Cartelle dei media",
- "TitleRemoteControl": "Telecomando",
- "OptionLatestTvRecordings": "Ultime registrazioni",
- "LabelProtocolInfo": "Info.protocollo:",
- "LabelProtocolInfoHelp": "Il valore che verr\u00e0 utilizzato quando si risponde a GetProtocolInfo richieste dal dispositivo.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser include il supporto nativo per i metadati Kodi Nfo e immagini. Per attivare o disattivare i metadati Kodi, utilizzare la scheda Avanzate per configurare le opzioni per i tipi di media.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Attivare questa opzione per mantenere i dati di orologi sincronizzati tra il Media Browser e Kodi.",
- "LabelKodiMetadataDateFormat": "Data di uscita Formato:",
- "LabelKodiMetadataDateFormatHelp": "Tutte le date all'interno del nfo verranno letti e scritti utilizzando questo formato.",
- "LabelKodiMetadataSaveImagePaths": "Salva percorsi delle immagini all'interno dei file NFO",
"LabelKodiMetadataSaveImagePathsHelp": "Questo \u00e8 consigliato se si dispone di nomi di file immagine che non sono conformi alle linee guida Kodi.",
"LabelKodiMetadataEnablePathSubstitution": "Abilita sostituzione di percorso",
"LabelKodiMetadataEnablePathSubstitutionHelp": "Consente percorso sostituzione dei percorsi delle immagini utilizzando le impostazioni di sostituzione percorso del server.",
@@ -950,6 +364,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Esci",
"LabelVisitCommunity": "Visita Comunit\u00e0",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +667,591 @@
"ButtonManualLogin": "Accesso Manuale",
"PasswordLocalhostMessage": "Le password non sono richieste quando l'accesso e fatto da questo pc.",
"TabGuide": "Guida",
- "TabChannels": "Canali"
+ "TabChannels": "Canali",
+ "TabCollections": "Collezioni",
+ "HeaderChannels": "Canali",
+ "TabRecordings": "Registrazioni",
+ "TabScheduled": "Pianificato",
+ "TabSeries": "Serie TV",
+ "TabFavorites": "Preferiti",
+ "TabMyLibrary": "Mia Libreria",
+ "ButtonCancelRecording": "Annulla la registrazione",
+ "HeaderPrePostPadding": "Pre\/Post Registrazione",
+ "LabelPrePaddingMinutes": "Pre registrazione minuti",
+ "OptionPrePaddingRequired": "Attiva pre registrazione",
+ "LabelPostPaddingMinutes": "Minuti post registrazione",
+ "OptionPostPaddingRequired": "Attiva post registrazione",
+ "HeaderWhatsOnTV": "Cosa c'\u00e8",
+ "HeaderUpcomingTV": "In onda a breve",
+ "TabStatus": "Stato",
+ "TabSettings": "Impostazioni",
+ "ButtonRefreshGuideData": "Aggiorna la guida",
+ "ButtonRefresh": "Aggiorna",
+ "ButtonAdvancedRefresh": "Aggiornamento (avanzato)",
+ "OptionPriority": "Priorit\u00e0",
+ "OptionRecordOnAllChannels": "Registra su tutti i canali",
+ "OptionRecordAnytime": "Registra a qualsiasi ora",
+ "OptionRecordOnlyNewEpisodes": "Registra solo i nuovi episodi",
+ "HeaderDays": "Giorni",
+ "HeaderActiveRecordings": "Registrazioni Attive",
+ "HeaderLatestRecordings": "Ultime registrazioni",
+ "HeaderAllRecordings": "Tutte le registrazioni",
+ "ButtonPlay": "Riproduci",
+ "ButtonEdit": "Modifica",
+ "ButtonRecord": "Registra",
+ "ButtonDelete": "Elimina",
+ "ButtonRemove": "Rimuovi",
+ "OptionRecordSeries": "Registra Serie",
+ "HeaderDetails": "Dettagli",
+ "TitleLiveTV": "Tv indiretta",
+ "LabelNumberOfGuideDays": "Numeri giorni dati guida",
+ "LabelNumberOfGuideDaysHelp": "Scaricando pi\u00f9 giorni si avr\u00e0 la possibilit\u00e0 di schedulare in anticipo pi\u00f9 programmi.'Auto': MB sceglier\u00e0 automaticamente in base al numero di canali.",
+ "LabelActiveService": "Servizio attivo:",
+ "LabelActiveServiceHelp": "Possono essere installati pi\u00f9 plugins Tv ma solo uno alla volta pu\u00f2 essere attivato",
+ "OptionAutomatic": "Automatico",
+ "LiveTvPluginRequired": "\u00e8 richiesto il servizio LIVE TV per continuare.",
+ "LiveTvPluginRequiredHelp": "Installa un servizio disponibile, come Next Pvr or ServerWMC.",
+ "LabelCustomizeOptionsPerMediaType": "Personalizza per il tipo di supporto:",
+ "OptionDownloadThumbImage": "Foto",
+ "OptionDownloadMenuImage": "Men\u00f9",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disco",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Indietro",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Locandina",
+ "HeaderFetchImages": "Identifica Immagini:",
+ "HeaderImageSettings": "Impostazioni Immagini",
+ "TabOther": "Altro",
+ "LabelMaxBackdropsPerItem": "Massimo numero di sfondi per oggetto.",
+ "LabelMaxScreenshotsPerItem": "Massimo numero di foto per oggetto:",
+ "LabelMinBackdropDownloadWidth": "Massima larghezza sfondo:",
+ "LabelMinScreenshotDownloadWidth": "Minima larghezza foto:",
+ "ButtonAddScheduledTaskTrigger": "Aggiungi operazione:",
+ "HeaderAddScheduledTaskTrigger": "Aggiungi operazione:",
+ "ButtonAdd": "Aggiungi",
+ "LabelTriggerType": "Tipo Evento:",
+ "OptionDaily": "Giornal.",
+ "OptionWeekly": "Settimanale",
+ "OptionOnInterval": "Su intervalla",
+ "OptionOnAppStartup": "All'avvio",
+ "OptionAfterSystemEvent": "Dopo un vento di sistema",
+ "LabelDay": "Giorno:",
+ "LabelTime": "Ora:",
+ "LabelEvent": "Evento:",
+ "OptionWakeFromSleep": "Risveglio :",
+ "LabelEveryXMinutes": "Tutti:",
+ "HeaderTvTuners": "Schede Tv",
+ "HeaderGallery": "Galleria",
+ "HeaderLatestGames": "Ultimi giochi",
+ "HeaderRecentlyPlayedGames": "Ultimi giochi recenti",
+ "TabGameSystems": "Giochi di sistema",
+ "TitleMediaLibrary": "Libreria",
+ "TabFolders": "Cartelle",
+ "TabPathSubstitution": "Percorso da sostiuire",
+ "LabelSeasonZeroDisplayName": "Stagione 0 Nome:",
+ "LabelEnableRealtimeMonitor": "Abilita monitoraggio in tempo reale",
+ "LabelEnableRealtimeMonitorHelp": "Le modifiche saranno applicate immediatamente, sui file system supportati.",
+ "ButtonScanLibrary": "Scansione libreria",
+ "HeaderNumberOfPlayers": "Giocatori:",
+ "OptionAnyNumberOfPlayers": "Qualsiasi:",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Cartelle dei media",
+ "HeaderThemeVideos": "Tema dei video",
+ "HeaderThemeSongs": "Tema Canzoni",
+ "HeaderScenes": "Scene",
+ "HeaderAwardsAndReviews": "Premi e Recensioni",
+ "HeaderSoundtracks": "Colonne sonore",
+ "HeaderMusicVideos": "video musicali",
+ "HeaderSpecialFeatures": "Caratteristiche speciali",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Parti addizionali",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "mancante",
+ "LabelOffline": "Spento",
+ "PathSubstitutionHelp": "il percorso 'sostituzioni' vengono utilizzati per mappare un percorso sul server per un percorso che i client sono in grado di accedere. Consentendo ai clienti l'accesso diretto ai media sul server possono essere in grado di giocare direttamente attraverso la rete ed evitare di utilizzare le risorse del server per lo streaming e transcodificare tra di loro.",
+ "HeaderFrom": "Da",
+ "HeaderTo": "A",
+ "LabelFrom": "Da:",
+ "LabelFromHelp": "Esempio: D\\Films (sul server)",
+ "LabelTo": "A:",
+ "LabelToHelp": "Esempio: \\ \\ MyServer \\ Films (Percorso a cui i client possono accedere)",
+ "ButtonAddPathSubstitution": "Aggiungi sostituzione",
+ "OptionSpecialEpisode": "Speciali",
+ "OptionMissingEpisode": "Episodi mancanti",
+ "OptionUnairedEpisode": "Episodi mai andati in onda",
+ "OptionEpisodeSortName": "Ordina episodi per nome",
+ "OptionSeriesSortName": "Nome Serie",
+ "OptionTvdbRating": "Voto Tvdb",
+ "HeaderTranscodingQualityPreference": "Preferenze qualit\u00e0 trascodifica:",
+ "OptionAutomaticTranscodingHelp": "Il server decider\u00e0 qualit\u00e0 e velocit\u00e0",
+ "OptionHighSpeedTranscodingHelp": "Bassa qualit\u00e0, ma pi\u00f9 velocit\u00e0 nella codifica",
+ "OptionHighQualityTranscodingHelp": "Alta qualit\u00e0, ma pi\u00f9 lentezza nella codifica",
+ "OptionMaxQualityTranscodingHelp": "Migliore qualit\u00e0 con la codifica pi\u00f9 lenta e elevato utilizzo della CPU",
+ "OptionHighSpeedTranscoding": "Maggiore velocit\u00e0",
+ "OptionHighQualityTranscoding": "Maggiore qualit\u00e0",
+ "OptionMaxQualityTranscoding": "Massima Qualit\u00e0",
+ "OptionEnableDebugTranscodingLogging": "Abilita la registrazione transcodifica di debug",
+ "OptionEnableDebugTranscodingLoggingHelp": "Questo creer\u00e0 file di log molto grandi ed \u00e8 consigliato solo se necessario per la risoluzione dei problemi.",
+ "OptionUpscaling": "Consenti ai clienti di richiedere il video scalato",
+ "OptionUpscalingHelp": "In alcuni casi, questo si tradurr\u00e0 in una migliore qualit\u00e0 video, ma aumenter\u00e0 l'utilizzo della CPU.",
+ "EditCollectionItemsHelp": "Aggiungi o rimuovi films,serie,albums,libri o giochi e se vuoi raggruppa in collezioni",
+ "HeaderAddTitles": "Aggiungi Titolo",
+ "LabelEnableDlnaPlayTo": "Abilita DLNA su",
+ "LabelEnableDlnaPlayToHelp": "Media Browser pu\u00f2 ricercare dispositivi sulla tua rete e abilitare il controllo remoto degli stessi.",
+ "LabelEnableDlnaDebugLogging": "Abilita il debug del DLNA",
+ "LabelEnableDlnaDebugLoggingHelp": "Questo creer\u00e0 file di log di notevoli dimensioni e deve essere abilitato solo per risolvere eventuali problemi",
+ "LabelEnableDlnaClientDiscoveryInterval": "Ricerca nuovi dispositivi:(Ogni x secondi)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina la durata in secondi dell'intervallo tra la ricerca< SSDP",
+ "HeaderCustomDlnaProfiles": "Profili personalizzati",
+ "HeaderSystemDlnaProfiles": "Profili di sistema",
+ "CustomDlnaProfilesHelp": "Crea un profilo personalizzato per un nuovo dispositivo o sovrascrivi quello di sistema",
+ "SystemDlnaProfilesHelp": "I profili di sistema sono in solo lettura.crea un profilo personalizzato per lo stesso dispositivo.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "Percorsi di sistema",
+ "LinkCommunity": "Comunit\u00e0",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Documentazione Api",
+ "LabelFriendlyServerName": "Nome condiviso del server:",
+ "LabelFriendlyServerNameHelp": "Questo nome \u00e8 usato per identificare il server sulla rete.Se lasciato vuoto verra usato il nome del pc",
+ "LabelPreferredDisplayLanguage": "Lingua preferita",
+ "LabelPreferredDisplayLanguageHelp": "La traduzione nella tua lingua non \u00e8 ancora completa.Scusa.",
+ "LabelReadHowYouCanContribute": "Leggi come puoi contribuire",
+ "HeaderNewCollection": "Nuova collezione",
+ "HeaderAddToCollection": "Aggiungi alla Collezione",
+ "ButtonSubmit": "Invia",
+ "NewCollectionNameExample": "Esempio:Collezione Star wars",
+ "OptionSearchForInternetMetadata": "Cerca su internet le immagini e i metadati",
+ "ButtonCreate": "Crea",
+ "LabelLocalHttpServerPortNumber": "Numero di porta locale:",
+ "LabelLocalHttpServerPortNumberHelp": "Il numero di porta TCP del server http del browser media a cui dovrebbe legarsi.",
+ "LabelPublicPort": "Numero di porta pubblica:",
+ "LabelPublicPortHelp": "Il numero di porta pubblica che dovrebbe essere mappato alla porta locale.",
+ "LabelWebSocketPortNumber": "Porta webSocket numero:",
+ "LabelEnableAutomaticPortMap": "Abilita mappatura delle porte automatiche",
+ "LabelEnableAutomaticPortMapHelp": "Tentativo di mappare automaticamente la porta pubblica alla porta locale tramite UPnP. Questo potrebbe non funzionare con alcuni modelli di router.",
+ "LabelExternalDDNS": "DDNS Esterno:",
+ "LabelExternalDDNSHelp": "Se tu ha un DNS dinamico inseriscilo qui.Media browser lo utilizzera per le connessioni remote.",
+ "TabResume": "Riprendi",
+ "TabWeather": "Tempo",
+ "TitleAppSettings": "Impostazioni delle app",
+ "LabelMinResumePercentage": "% minima per il riprendi",
+ "LabelMaxResumePercentage": "% massima per il riprendi",
+ "LabelMinResumeDuration": "Durata minima per il riprendi (secondi)",
+ "LabelMinResumePercentageHelp": "I film Sono considerati non visti se fermati prima di questo tempo",
+ "LabelMaxResumePercentageHelp": "I film sono considerati visti se fermati dopo questo tempo",
+ "LabelMinResumeDurationHelp": "I film pi\u00f9 corti non saranno riprendibili",
+ "TitleAutoOrganize": "Organizza Automaticamente",
+ "TabActivityLog": "Attivit\u00e0 Eventi",
+ "HeaderName": "Nome",
+ "HeaderDate": "Data",
+ "HeaderSource": "Sorgente",
+ "HeaderDestination": "Destinazione",
+ "HeaderProgram": "Programma",
+ "HeaderClients": "Dispositivi",
+ "LabelCompleted": "Completato",
+ "LabelFailed": "Fallito",
+ "LabelSkipped": "Saltato",
+ "HeaderEpisodeOrganization": "Organizzazione Episodi",
+ "LabelSeries": "Serie:",
+ "LabelSeasonNumber": "Numero Stagione:",
+ "LabelEpisodeNumber": "Numero Episodio :",
+ "LabelEndingEpisodeNumber": "Ultimo Episodio Numero:",
+ "LabelEndingEpisodeNumberHelp": "\u00e8 richiesto solo se ci sono pi\u00f9 file per espisodio",
+ "HeaderSupportTheTeam": "Team di supporto di Media Browser",
+ "LabelSupportAmount": "Ammontare (Dollari)",
+ "HeaderSupportTheTeamHelp": "Aiutaci a continuare nello sviluppo di questo progetto tramite donazione. una porzione delle donazioni verranno impiegate per lo sviluppo di Plugins gratuiti.",
+ "ButtonEnterSupporterKey": "Inserisci il numero di registrazione",
+ "DonationNextStep": "Pe favore rientra ed inserisci la chiave di registrazione che hai ricevuto tramite mail.",
+ "AutoOrganizeHelp": "Organizzazione automatica:Monitorizza le cartelle dei files scaricati e li spostera automaticamente nelle tue cartelle dei media.",
+ "AutoOrganizeTvHelp": "L'organizzazione della TV aggiunger\u00e0 solo episodi nuovi. Non verranno create nuove cartelle delle serie.",
+ "OptionEnableEpisodeOrganization": "Abilita l'organizzazione dei nuovi episodi",
+ "LabelWatchFolder": "Monitorizza cartella:",
+ "LabelWatchFolderHelp": "Il server cercher\u00e0 in questa cartella durante l'operazione pianificata relativa all 'Organizzazione dei nuovi file multimediali",
+ "ButtonViewScheduledTasks": "Visualizza le operazioni pianificate",
+ "LabelMinFileSizeForOrganize": "Dimensioni minime file (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "I file sotto questa dimensione verranno ignorati.",
+ "LabelSeasonFolderPattern": "Modello della cartella Stagione:",
+ "LabelSeasonZeroFolderName": "Modello della cartella Stagione ZERO:",
+ "HeaderEpisodeFilePattern": "Modello del file Episodio:",
+ "LabelEpisodePattern": "Modello Episodio:",
+ "LabelMultiEpisodePattern": "Modello dei multi-file episodio:",
+ "HeaderSupportedPatterns": "Modelli supportati",
+ "HeaderTerm": "Termine",
+ "HeaderPattern": "Modello",
+ "HeaderResult": "Resultato",
+ "LabelDeleteEmptyFolders": "Elimina le cartelle vuote dopo l'organizzazione automatica",
+ "LabelDeleteEmptyFoldersHelp": "Attivare questa opzione per mantenere la directory di download pulita.",
+ "LabelDeleteLeftOverFiles": "Elimina sopra i file con le seguenti estensioni:",
+ "LabelDeleteLeftOverFilesHelp": "Separare con:. Per esempio:.. Nfo; txt",
+ "OptionOverwriteExistingEpisodes": "Sovrascrivere episodi esistenti",
+ "LabelTransferMethod": "metodo di trasferimento",
+ "OptionCopy": "Copia",
+ "OptionMove": "Sposta",
+ "LabelTransferMethodHelp": "Copiare o spostare i file dalla cartella da monitorizzare",
+ "HeaderLatestNews": "Ultime Novit\u00e0",
+ "HeaderHelpImproveMediaBrowser": "Contribuisci a migliorare il Media Browser",
+ "HeaderRunningTasks": "Operazione in corso",
+ "HeaderActiveDevices": "Dispositivi Connessi",
+ "HeaderPendingInstallations": "installazioni in coda",
+ "HeaerServerInformation": "Informazioni del server",
+ "ButtonRestartNow": "Riavvia Adesso",
+ "ButtonRestart": "Riavvia",
+ "ButtonShutdown": "Arresta Server",
+ "ButtonUpdateNow": "Aggiorna Adesso",
+ "PleaseUpdateManually": "Per favore Arresta il server ed aggiorna manualmente",
+ "NewServerVersionAvailable": "una nuova versione di Media browser \u00e8 disponibile!!!",
+ "ServerUpToDate": "Media Browser \u00e8 aggiornato.",
+ "ErrorConnectingToMediaBrowserRepository": "Si \u00e8 verificato un errore durante la connessione al repository Media Browser remoto.",
+ "LabelComponentsUpdated": "I seguenti componenti sono stati installati o aggiornati:",
+ "MessagePleaseRestartServerToFinishUpdating": "Si prega di riavviare il server per completare l'applicazione degli aggiornamenti.",
+ "LabelDownMixAudioScale": "Audio Boost Mix Scala :",
+ "LabelDownMixAudioScaleHelp": "Audio Mix: Valore originale 1",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Vecchie Chiavi dl donatore",
+ "LabelNewSupporterKey": "Nuova Chiave del donatore:",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Indirizzo mail",
+ "LabelCurrentEmailAddressHelp": "L'indirizzo email attuale a cui la nuova chiave \u00e8 stata inviata.",
+ "HeaderForgotKey": "Chiave dimenticata",
+ "LabelEmailAddress": "Indirizzo email",
+ "LabelSupporterEmailAddress": "La mail verr\u00e0 utilizzata per acquistare la chiave",
+ "ButtonRetrieveKey": "Ottieni chiave",
+ "LabelSupporterKey": "Chiave ( incollala dalla mail ricevuta)",
+ "LabelSupporterKeyHelp": "Inserisci la chiave per avere nuovi benefit che la comunit\u00e0 di Media Browser ha sviluppato per te",
+ "MessageInvalidKey": "Chiave MB3 mancante o invalida.",
+ "ErrorMessageInvalidKey": "Per qualsiasi contenuto premium devi essere registrato. \u00e8 necessario anche essere un browser Supporter multimediale. Si prega di donare e sostenere il continuo sviluppo del prodotto di base. Grazie.",
+ "HeaderDisplaySettings": "Configurazione Monitor",
+ "TabPlayTo": "Riproduci su",
+ "LabelEnableDlnaServer": "Abilita server Dlna",
+ "LabelEnableDlnaServerHelp": "Abilita i dispositivi UPnP",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Attivare questa opzione se il server non viene rilevato in modo affidabile da altri dispositivi UPnP in rete.",
+ "LabelBlastMessageInterval": "Intervallo messaggi di (secondi)",
+ "LabelBlastMessageIntervalHelp": "Determina la durata in secondi tra i messaggi in vita del server.",
+ "LabelDefaultUser": "Utente di Default:",
+ "LabelDefaultUserHelp": "Determina quale libreria utente deve essere visualizzato sui dispositivi collegati. Questo pu\u00f2 essere disattivata tramite un profilo di dispositivo.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Canali",
+ "HeaderServerSettings": "Impostazioni server",
+ "LabelWeatherDisplayLocation": "Localit\u00e0 previsione",
+ "LabelWeatherDisplayLocationHelp": "Citt\u00e0,Stato",
+ "LabelWeatherDisplayUnit": "Unita di Misura",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Richiedi l'inserimento manuale utente per:",
+ "HeaderRequireManualLoginHelp": "Quando i client disabilitati possono presentare una schermata di login con una selezione visuale di utenti.",
+ "OptionOtherApps": "Altre apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Fare clic su una notifica per configurare \u00e8 l'invio di opzioni.",
+ "NotificationOptionApplicationUpdateAvailable": "Aggiornamento dell'applicazione disponibile",
+ "NotificationOptionApplicationUpdateInstalled": "Aggiornamento dell'applicazione installata",
+ "NotificationOptionPluginUpdateInstalled": "Aggiornamento del plugin installato",
+ "NotificationOptionPluginInstalled": "plugin installato",
+ "NotificationOptionPluginUninstalled": "Plugin disinstallato",
+ "NotificationOptionVideoPlayback": "La riproduzione video \u00e8 iniziato",
+ "NotificationOptionAudioPlayback": "Riproduzione audio iniziato",
+ "NotificationOptionGamePlayback": "La riproduzione di gioco \u00e8 parita",
+ "NotificationOptionVideoPlaybackStopped": "Video Fermato",
+ "NotificationOptionAudioPlaybackStopped": "Audio Fermato",
+ "NotificationOptionGamePlaybackStopped": "Gioco Fermato",
+ "NotificationOptionTaskFailed": "Fallimento operazione pianificata",
+ "NotificationOptionInstallationFailed": "errore di installazione",
+ "NotificationOptionNewLibraryContent": "Nuovo contenuto aggiunto",
+ "NotificationOptionNewLibraryContentMultiple": "Nuovi contenuti aggiunti",
+ "SendNotificationHelp": "Per impostazione predefinita, le notifiche vengono consegnate al cruscotto della Posta in arrivo . Sfoglia il catalogo plugin da installare opzioni di notifica aggiuntive.",
+ "NotificationOptionServerRestartRequired": "Riavvio del server necessaria",
+ "LabelNotificationEnabled": "Abilita questa notifica",
+ "LabelMonitorUsers": "Monitorare l'attivit\u00e0 da:",
+ "LabelSendNotificationToUsers": "Spedisci notifiche a:",
+ "LabelUseNotificationServices": "Utilizzare i seguenti servizi:",
+ "CategoryUser": "Utente",
+ "CategorySystem": "Sistema",
+ "CategoryApplication": "Applicazione",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Titolo messaggio:",
+ "LabelAvailableTokens": "Gettoni disponibili:",
+ "AdditionalNotificationServices": "Sfoglia il catalogo plugin per installare i servizi di notifica aggiuntivi.",
+ "OptionAllUsers": "Tutti gli utenti",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Su",
+ "ButtonArrowDown": "Gi\u00f9",
+ "ButtonArrowLeft": "Sinistra",
+ "ButtonArrowRight": "Destra",
+ "ButtonBack": "Indietro",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "Su Schermo",
+ "ButtonPageUp": "Pagina Su",
+ "ButtonPageDown": "Pagina Gi\u00f9",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Cerca",
+ "ButtonSettings": "Impostazioni",
+ "ButtonTakeScreenshot": "Cattura schermata",
+ "ButtonLetterUp": "Lettera Su",
+ "ButtonLetterDown": "Lettera Gi\u00f9",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "e",
+ "TabNowPlaying": "In esecuzione",
+ "TabNavigation": "Navigazione",
+ "TabControls": "Controlli",
+ "ButtonFullscreen": "Tutto Schermo",
+ "ButtonScenes": "Scene",
+ "ButtonSubtitles": "Sottotitoli",
+ "ButtonAudioTracks": "Tracce audio",
+ "ButtonPreviousTrack": "Traccia Precedente",
+ "ButtonNextTrack": "Prossima Traccia",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pausa",
+ "ButtonNext": "Prossimo",
+ "ButtonPrevious": "Precedente",
+ "LabelGroupMoviesIntoCollections": "Raggruppa i film nelle collection",
+ "LabelGroupMoviesIntoCollectionsHelp": "Quando si visualizzano le liste di film,i film appartenenti ad una collezione saranno visualizzati come un elemento raggruppato.",
+ "NotificationOptionPluginError": "Plugin fallito",
+ "ButtonVolumeUp": "Aumenta Volume",
+ "ButtonVolumeDown": "Diminuisci volume",
+ "ButtonMute": "Muto",
+ "HeaderLatestMedia": "Ultimi Media",
+ "OptionSpecialFeatures": "caratteristiche Speciali",
+ "HeaderCollections": "Collezioni",
+ "LabelProfileCodecsHelp": "Separati da virgola. Questo pu\u00f2 essere lasciato vuoto da applicare a tutti i codec.",
+ "LabelProfileContainersHelp": "Separati da virgola. Questo pu\u00f2 essere lasciato vuoto da applicare a tutti i contenitori.",
+ "HeaderResponseProfile": "Risposta Profilo",
+ "LabelType": "Tipo:",
+ "LabelPersonRole": "Ruolo:",
+ "LabelPersonRoleHelp": "Ruolo \u00e8 generalmente applicabile solo agli attori.",
+ "LabelProfileContainer": "Contenitore:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play profilo",
+ "HeaderTranscodingProfile": "transcodifica profilo",
+ "HeaderCodecProfile": "Codec Profilo",
+ "HeaderCodecProfileHelp": "Profili Codec indicano i limiti di un dispositivo durante la riproduzione di codec specifici. Se una limitazione si applica poi saranno trascodificati media, anche se il codec \u00e8 configurato per riproduzione diretta.",
+ "HeaderContainerProfile": "Profilo Contenitore",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "Libreria utente:",
+ "LabelUserLibraryHelp": "Selezionare quale libreria utente da visualizzare sul dispositivo. Lasciare vuoto per ereditare l'impostazione predefinita.",
+ "OptionPlainStorageFolders": "Visualizzare tutte le cartelle come cartelle di archiviazione pianura",
+ "OptionPlainStorageFoldersHelp": "Se abilitato, tutte le cartelle sono rappresentati in didl come \"object.container.storageFolder\" invece di tipo pi\u00f9 specifico, come \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "Se attivato, tutti i video sono rappresentati in didl come \"object.item.videoItem\" invece di tipo pi\u00f9 specifico, come \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Tipi di media supportati:",
+ "TabIdentification": "identificazione",
+ "HeaderIdentification": "Identificazione",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "contenitori",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Risposte",
+ "HeaderProfileInformation": "Informazioni sul profilo",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Alcuni dispositivi preferiscono questo metodo per ottenere le copertine degli album. Altri possono non riuscire a giocare con questa opzione abilitata.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN utilizzato per le copertine degli album, all'interno del DLNA: attributo di ProfileId su UPnP: albumArtURI. Alcuni clienti richiedono un valore specifico, indipendentemente dalla dimensione dell'immagine.",
+ "LabelAlbumArtMaxWidth": "Album art Larghezza max:",
+ "LabelAlbumArtMaxWidthHelp": "Risoluzione max di album esposta tramite UPnP: albumArtURI",
+ "LabelAlbumArtMaxHeight": "Art Album Altezza max:",
+ "LabelAlbumArtMaxHeightHelp": "Risoluzione max di album esposta tramite UPnP: albumArtURI",
+ "LabelIconMaxWidth": "Larghezza max Icon:",
+ "LabelIconMaxWidthHelp": "Risoluzione max delle icone esposto tramite UPnP: icona.",
+ "LabelIconMaxHeight": "Altezza Icon max:",
+ "LabelIconMaxHeightHelp": "Risoluzione max delle icone esposto tramite UPnP: icona.",
+ "LabelIdentificationFieldHelp": "Una stringa o regex espressione maiuscole e minuscole.",
+ "HeaderProfileServerSettingsHelp": "Controllano questi valori come Media Browser si presenter\u00e0 al dispositivo.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specificare un bitrate massimo in ambienti larghezza di banda limitata, o se il dispositivo impone il suo limite proprio.",
+ "LabelMaxStreamingBitrate": "Massimo Bitrate streaming",
+ "LabelMaxStreamingBitrateHelp": "Specifica il bitrate massimo per lo streaming",
+ "LabelMaxStaticBitrate": "Massimo sinc. Bitrate",
+ "LabelMaxStaticBitrateHelp": "Specifica il bitrate massimo quando sincronizzi ad alta qualit\u00e0",
+ "LabelMusicStaticBitrate": "Musica sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specifica il max Bitrate quando sincronizzi la musica",
+ "LabelMusicStreamingTranscodingBitrate": "Musica trascodifica bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specifica il max Bitrate per lo streaming musica",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignorare le richieste di intervallo di byte di trascodifica",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Se abilitata, queste richieste saranno onorati, ma ignorano l'intestazione intervallo di byte.",
+ "LabelFriendlyName": "Nome Condiviso",
+ "LabelManufacturer": "fabbricante",
+ "LabelManufacturerUrl": "fabbricante Url",
+ "LabelModelName": "Modello Nome",
+ "LabelModelNumber": "Modello Numero",
+ "LabelModelDescription": "Modello Descrizione",
+ "LabelModelUrl": "Modello Url",
+ "LabelSerialNumber": "Numero di serie",
+ "LabelDeviceDescription": "Descrizione dispositivo",
+ "HeaderIdentificationCriteriaHelp": "Inserire almeno un criterio di identificazione.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Aggiungere i profili di transcodifica per indicare quali formati da utilizzare quando \u00e8 richiesta la transcodifica.",
+ "HeaderResponseProfileHelp": "Profili di risposta forniscono un modo per personalizzare le informazioni inviate al dispositivo durante la riproduzione di alcuni tipi di media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determina il contenuto dell'elemento aggregationFlags nel urn: schemas-sonycom: namespace av.",
+ "LabelTranscodingContainer": "contenitore:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Attiva modalit\u00e0 M2TS",
+ "OptionEnableM2tsModeHelp": "Attivare la modalit\u00e0 m2ts durante la codifica di mpegts.",
+ "OptionEstimateContentLength": "Stimare la lunghezza contenuto quando transcodifica",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Segnala che il server supporta la ricerca di byte quando transcodifica",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Questo \u00e8 necessario per alcuni dispositivi che il tempo non cercano molto bene.",
+ "HeaderSubtitleDownloadingHelp": "Quando Media Browser esegue la scansione dei file video \u00e8 possibile cercare i sottotitoli mancanti, e scaricarli utilizzando un provider sottotitolo come OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Scarica sottotitoli per:",
+ "MessageNoChapterProviders": "Installare un plugin fornitore capitolo come ChapterDb per attivare le opzioni capitolo aggiuntivo.",
+ "LabelSkipIfGraphicalSubsPresent": "Salta se il video contiene gi\u00e0 i sottotitoli grafici",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Mantenere le versioni del testo di sottotitoli si tradurr\u00e0 in consegna pi\u00f9 efficiente ai clienti di telefonia mobile.",
+ "TabSubtitles": "sottotitoli",
+ "TabChapters": "capitoli",
+ "HeaderDownloadChaptersFor": "Scarica i nomi dei capitoli per:",
+ "LabelOpenSubtitlesUsername": "Sottotitoli utente:",
+ "LabelOpenSubtitlesPassword": "Sottotitoli password:",
+ "HeaderChapterDownloadingHelp": "Quando Media Browser esegue la scansione dei file video \u00e8 possibile scaricare i nomi dei capitoli amichevoli da internet utilizzando i plugin capitolo come ChapterDb",
+ "LabelPlayDefaultAudioTrack": "Riprodurre la traccia audio di default indipendentemente dalla lingua",
+ "LabelSubtitlePlaybackMode": "Modalit\u00e0 Sottotitolo:",
+ "LabelDownloadLanguages": "Scarica lingue:",
+ "ButtonRegister": "registro",
+ "LabelSkipIfAudioTrackPresent": "Ignora se la traccia audio di default corrisponde alla lingua di download",
+ "LabelSkipIfAudioTrackPresentHelp": "Deselezionare questa opzione per assicurare che tutti i video hanno i sottotitoli, a prescindere dalla lingua audio.",
+ "HeaderSendMessage": "Invia un messaggio",
+ "ButtonSend": "Invia",
+ "LabelMessageText": "Testo del messaggio:",
+ "MessageNoAvailablePlugins": "Nessun plugin disponibili.",
+ "LabelDisplayPluginsFor": "Mostra plugin per:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Nome Episodio",
+ "LabelSeriesNamePlain": "Nome Serie",
+ "ValueSeriesNamePeriod": "Nome Serie",
+ "ValueSeriesNameUnderscore": "Nome Serie",
+ "ValueEpisodeNamePeriod": "Nome Episodio",
+ "ValueEpisodeNameUnderscore": "Nome Episodio",
+ "LabelSeasonNumberPlain": "Stagione numero",
+ "LabelEpisodeNumberPlain": "Episodio numero",
+ "LabelEndingEpisodeNumberPlain": "Numero ultimo episodio",
+ "HeaderTypeText": "Inserisci il testo",
+ "LabelTypeText": "Testo",
+ "HeaderSearchForSubtitles": "Ricerca per sottotitoli",
+ "MessageNoSubtitleSearchResultsFound": "Nessun elemento trovato",
+ "TabDisplay": "Schermo",
+ "TabLanguages": "Lingue",
+ "TabWebClient": "Dispositivi Web",
+ "LabelEnableThemeSongs": "Abilita tema canzoni",
+ "LabelEnableBackdrops": "Abilita gli sfondi",
+ "LabelEnableThemeSongsHelp": "Se abiltato le canzoni a tema saranno riprodotte mentre visualizzi la tua libreria",
+ "LabelEnableBackdropsHelp": "Se abilitato gli sfondi verranno riprodotti mentre visualizzi la tua libreria",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Configurazione per questo dispositivo",
+ "OptionAuto": "Automatico",
+ "OptionYes": "Si",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Sezione 1 pagina iniziale:",
+ "LabelHomePageSection2": "Sezione 2 pagina iniziale:",
+ "LabelHomePageSection3": "Sezione 3 pagina iniziale:",
+ "LabelHomePageSection4": "Sezione 4 pagina iniziale:",
+ "OptionMyViewsButtons": "Mie Viste",
+ "OptionMyViews": "Mie Viste",
+ "OptionMyViewsSmall": "Mie Viste",
+ "OptionResumablemedia": "Riprendi",
+ "OptionLatestMedia": "Ultimo media",
+ "OptionLatestChannelMedia": "Ultime voci del canale",
+ "HeaderLatestChannelItems": "Ultime Canale Articoli",
+ "OptionNone": "Nessuno",
+ "HeaderLiveTv": "Diretta TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferenze",
+ "MessageLoadingChannels": "Sto caricando il contenuto del canale",
+ "MessageLoadingContent": "Caricamento contenuto....",
+ "ButtonMarkRead": "Segna come letto",
+ "OptionDefaultSort": "Predefinito",
+ "OptionCommunityMostWatchedSort": "Pi\u00f9 visti",
+ "TabNextUp": "Da vedere",
+ "MessageNoMovieSuggestionsAvailable": "Nessun suggerimento di film sono attualmente disponibili. Iniziare a guardare e valutare i vostri film, e poi tornare per visualizzare le tue segnalazioni.",
+ "MessageNoCollectionsAvailable": "Collezioni permettono di godere di raggruppamenti personalizzati di film, serie, album, libri e giochi. Fare clic sul pulsante Nuovo per avviare la creazione di collezioni.",
+ "MessageNoPlaylistsAvailable": "Playlist ti permettere di mettere in coda gli elementi da riprodurre.Usa il tasto destro o tap e tieni premuto quindi seleziona elemento da aggiungere",
+ "MessageNoPlaylistItemsAvailable": "Questa playlist al momento \u00e8 vuota",
+ "HeaderWelcomeToMediaBrowserWebClient": "Benvenuti nel Media Browser Web client",
+ "ButtonDismiss": "Dismetti",
+ "ButtonTakeTheTour": "Fai il tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferenziale qualit\u00e0 del flusso internet:",
+ "LabelChannelStreamQualityHelp": "In un ambiente a bassa larghezza di banda, limitando la qualit\u00e0 pu\u00f2 contribuire a garantire un'esperienza di Smooth Streaming.",
+ "OptionBestAvailableStreamQuality": "Migliore disponibile",
+ "LabelEnableChannelContentDownloadingFor": "contenuto del canale in grado di scaricare per:",
+ "LabelEnableChannelContentDownloadingForHelp": "Alcuni sostengono canali di download di contenuti prima visione. Attivare questa in enviornments bassa larghezza di banda per scaricare i contenuti del canale durante le ore. Il contenuto viene scaricato come parte del download pianificata canale.",
+ "LabelChannelDownloadPath": "Contenuti Canale scaricare il percorso:",
+ "LabelChannelDownloadPathHelp": "Specificare un percorso di download personalizzato se lo desideri. Lasciare vuoto per scaricare in una cartella dati di programma interno.",
+ "LabelChannelDownloadAge": "Elimina contenuto dopo: (giorni)",
+ "LabelChannelDownloadAgeHelp": "Contenuti scaricati pi\u00f9 di questa et\u00e0 sar\u00e0 cancellato. Rimarr\u00e0 giocabile via internet in streaming.",
+ "ChannelSettingsFormHelp": "Installare canali come trailer e Vimeo nel catalogo plugin.",
+ "LabelSelectCollection": "Seleziona Collezione:",
+ "ButtonOptions": "Opzioni",
+ "ViewTypeMovies": "Film",
+ "ViewTypeTvShows": "Tv",
+ "ViewTypeGames": "Giochi",
+ "ViewTypeMusic": "Musica",
+ "ViewTypeBoxSets": "Collezioni",
+ "ViewTypeChannels": "Canali",
+ "ViewTypeLiveTV": "Tv diretta",
+ "ViewTypeLiveTvNowPlaying": "Ora in onda",
+ "ViewTypeLatestGames": "Ultimi Giorchi",
+ "ViewTypeRecentlyPlayedGames": "Guardato di recente",
+ "ViewTypeGameFavorites": "Preferiti",
+ "ViewTypeGameSystems": "Configurazione gioco",
+ "ViewTypeGameGenres": "Generi",
+ "ViewTypeTvResume": "Riprendi",
+ "ViewTypeTvNextUp": "Prossimi",
+ "ViewTypeTvLatest": "Ultimi",
+ "ViewTypeTvShowSeries": "Serie",
+ "ViewTypeTvGenres": "Generi",
+ "ViewTypeTvFavoriteSeries": "Serie Preferite",
+ "ViewTypeTvFavoriteEpisodes": "Episodi Preferiti",
+ "ViewTypeMovieResume": "Riprendi",
+ "ViewTypeMovieLatest": "Ultimi",
+ "ViewTypeMovieMovies": "Film",
+ "ViewTypeMovieCollections": "Collezioni",
+ "ViewTypeMovieFavorites": "Preferiti",
+ "ViewTypeMovieGenres": "Generi",
+ "ViewTypeMusicLatest": "Ultimi",
+ "ViewTypeMusicAlbums": "Album",
+ "ViewTypeMusicAlbumArtists": "Album Artisti",
+ "HeaderOtherDisplaySettings": "Impostazioni Video",
+ "ViewTypeMusicSongs": "Canzoni",
+ "ViewTypeMusicFavorites": "Preferiti",
+ "ViewTypeMusicFavoriteAlbums": "Album preferiti",
+ "ViewTypeMusicFavoriteArtists": "Artisti preferiti",
+ "ViewTypeMusicFavoriteSongs": "Canzoni Preferite",
+ "HeaderMyViews": "Mie viste",
+ "LabelSelectFolderGroups": "Automaticamente i contenuti del gruppo dalle seguenti cartelle nella vista come film, musica e TV:",
+ "LabelSelectFolderGroupsHelp": "Le cartelle che siano deselezionate verranno visualizzati da soli nel loro punto di vista.",
+ "OptionDisplayAdultContent": "Visualizzazioni contenuti per adulti",
+ "OptionLibraryFolders": "Cartelle dei media",
+ "TitleRemoteControl": "Telecomando",
+ "OptionLatestTvRecordings": "Ultime registrazioni",
+ "LabelProtocolInfo": "Info.protocollo:",
+ "LabelProtocolInfoHelp": "Il valore che verr\u00e0 utilizzato quando si risponde a GetProtocolInfo richieste dal dispositivo.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser include il supporto nativo per i metadati Kodi Nfo e immagini. Per attivare o disattivare i metadati Kodi, utilizzare la scheda Avanzate per configurare le opzioni per i tipi di media.",
+ "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Attivare questa opzione per mantenere i dati di orologi sincronizzati tra il Media Browser e Kodi.",
+ "LabelKodiMetadataDateFormat": "Data di uscita Formato:",
+ "LabelKodiMetadataDateFormatHelp": "Tutte le date all'interno del nfo verranno letti e scritti utilizzando questo formato.",
+ "LabelKodiMetadataSaveImagePaths": "Salva percorsi delle immagini all'interno dei file NFO"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/kk.json b/MediaBrowser.Server.Implementations/Localization/Server/kk.json
index cf5b26b2a7..48d79fb560 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/kk.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/kk.json
@@ -1,604 +1,4 @@
{
- "HeaderFetchImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0456\u0440\u0456\u043a\u0442\u0435\u0443:",
- "HeaderImageSettings": "\u0421\u0443\u0440\u0435\u0442 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
- "TabOther": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440",
- "LabelMaxBackdropsPerItem": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0430\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u0435\u04a3 \u043a\u04e9\u043f \u0441\u0430\u043d\u044b:",
- "LabelMaxScreenshotsPerItem": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0435\u04a3 \u043a\u04e9\u043f \u0441\u043a\u0440\u0438\u043d\u0448\u043e\u0442 \u0441\u0430\u043d\u044b:",
- "LabelMinBackdropDownloadWidth": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0456\u04a3 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0435\u04a3 \u0430\u0437 \u0435\u043d\u0456:",
- "LabelMinScreenshotDownloadWidth": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u0437 \u0441\u043a\u0440\u0438\u043d\u0448\u043e\u0442 \u0435\u043d\u0456:",
- "ButtonAddScheduledTaskTrigger": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u04af\u0441\u0442\u0435\u0443",
- "HeaderAddScheduledTaskTrigger": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u04af\u0441\u0442\u0435\u0443",
- "ButtonAdd": "\u04ae\u0441\u0442\u0435\u0443",
- "LabelTriggerType": "\u0422\u0440\u0438\u0433\u0433\u0435\u0440 \u0442\u04af\u0440\u0456:",
- "OptionDaily": "\u041a\u04af\u043d \u0441\u0430\u0439\u044b\u043d",
- "OptionWeekly": "\u0410\u043f\u0442\u0430 \u0441\u0430\u0439\u044b\u043d",
- "OptionOnInterval": "\u0410\u0440\u0430\u043b\u044b\u049b\u0442\u0430",
- "OptionOnAppStartup": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430",
- "OptionAfterSystemEvent": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043e\u049b\u0438\u0493\u0430\u0434\u0430\u043d \u043a\u0435\u0439\u0456\u043d",
- "LabelDay": "\u041a\u04af\u043d:",
- "LabelTime": "\u0423\u0430\u049b\u044b\u0442:",
- "LabelEvent": "\u041e\u049b\u0438\u0493\u0430:",
- "OptionWakeFromSleep": "\u04b0\u0439\u049b\u044b\u0434\u0430\u043d \u043e\u044f\u0442\u0443\u0434\u0430",
- "LabelEveryXMinutes": "\u04d8\u0440:",
- "HeaderTvTuners": "\u0422\u044e\u043d\u0435\u0440\u043b\u0435\u0440",
- "HeaderGallery": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b",
- "HeaderLatestGames": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u043e\u0439\u044b\u043d\u0434\u0430\u0440",
- "HeaderRecentlyPlayedGames": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u043e\u0439\u044b\u043d\u0434\u0430\u0440",
- "TabGameSystems": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456",
- "TitleMediaLibrary": "\u0422\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430",
- "TabFolders": "\u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440",
- "TabPathSubstitution": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443",
- "LabelSeasonZeroDisplayName": "\u041c\u0430\u0443\u0441\u044b\u043c 0 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0430\u0442\u044b:",
- "LabelEnableRealtimeMonitor": "\u041d\u0430\u049b\u0442\u044b \u0443\u0430\u049b\u044b\u0442\u0442\u0430\u0493\u044b \u0431\u0430\u049b\u044b\u043b\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443",
- "LabelEnableRealtimeMonitorHelp": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b \u0444\u0430\u0439\u043b\u0434\u044b\u049b \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456\u043d\u0434\u0435 \u04e9\u0437\u0433\u0435\u0440\u0456\u0441\u0442\u0435\u0440 \u0434\u0435\u0440\u0435\u0443 \u04e9\u04a3\u0434\u0435\u043b\u0435\u0434\u0456.",
- "ButtonScanLibrary": "\u0422\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443",
- "HeaderNumberOfPlayers": "\u041e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440:",
- "OptionAnyNumberOfPlayers": "\u04d8\u0440\u049b\u0430\u0439\u0441\u044b",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "\u0422\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b",
- "HeaderThemeVideos": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440",
- "HeaderThemeSongs": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440",
- "HeaderScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
- "HeaderAwardsAndReviews": "\u041c\u0430\u0440\u0430\u043f\u0430\u0442\u0442\u0430\u0440 \u043c\u0435\u043d \u043f\u0456\u043a\u0456\u0440\u0441\u0430\u0440\u0430\u043f\u0442\u0430\u0440",
- "HeaderSoundtracks": "\u0424\u0438\u043b\u044c\u043c\u0434\u0456\u04a3 \u043c\u0443\u0437\u044b\u043a\u0430\u0441\u044b",
- "HeaderMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440",
- "HeaderSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440",
- "HeaderCastCrew": "\u0422\u04af\u0441\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u049b\u0430\u043d\u0434\u0430\u0440",
- "HeaderAdditionalParts": "\u0416\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440",
- "ButtonSplitVersionsApart": "\u041d\u04af\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0439\u0442\u0430 \u0431\u04e9\u043b\u0443",
- "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440",
- "LabelMissing": "\u0416\u043e\u049b",
- "LabelOffline": "\u0414\u0435\u0440\u0431\u0435\u0441",
- "PathSubstitutionHelp": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u043b\u0430\u0440\u044b\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u0433\u0456 \u0436\u043e\u043b\u0434\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0430 \u0430\u043b\u0430\u0442\u044b\u043d \u0436\u043e\u043b\u043c\u0435\u043d \u0441\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u0433\u0456 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u04af\u0448\u0456\u043d \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043b\u0433\u0435\u043d\u0434\u0435, \u0431\u04b1\u043b\u0430\u0440 \u0442\u0430\u0441\u0443\u0448\u044b\u043d\u044b \u0436\u0435\u043b\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u04d9\u043d\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0440\u0435\u0441\u0443\u0440\u0441\u0442\u0430\u0440\u044b\u043d \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u04d9\u043d\u0435 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430\u043d \u0436\u0430\u043b\u0442\u0430\u0440\u0430\u0434\u044b.",
- "HeaderFrom": "\u049a\u0430\u0439\u0434\u0430\u043d",
- "HeaderTo": "\u049a\u0430\u0439\u0434\u0430",
- "LabelFrom": "\u049a\u0430\u0439\u0434\u0430\u043d:",
- "LabelFromHelp": "\u041c\u044b\u0441\u0430\u043b: D:\\Movies (\u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435)",
- "LabelTo": "\u049a\u0430\u0439\u0434\u0430:",
- "LabelToHelp": "\u041c\u044b\u0441\u0430\u043b: \\\\MyServer\\Movies (\u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0430 \u0430\u043b\u0430\u0442\u044b\u043d \u0436\u043e\u043b)",
- "ButtonAddPathSubstitution": "\u0410\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u04af\u0441\u0442\u0435\u0443",
- "OptionSpecialEpisode": "\u0410\u0440\u043d\u0430\u0439\u044b\u043b\u0430\u0440",
- "OptionMissingEpisode": "\u0416\u043e\u049b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440",
- "OptionUnairedEpisode": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440",
- "OptionEpisodeSortName": "\u042d\u043f\u0438\u0437\u043e\u0434\u0442\u044b\u04a3 \u0441\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b",
- "OptionSeriesSortName": "\u0421\u0435\u0440\u0438\u0430\u043b \u0430\u0442\u044b",
- "OptionTvdbRating": "Tvdb \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b",
- "HeaderTranscodingQualityPreference": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u0441\u0430\u043f\u0430\u0441\u044b\u043d\u044b\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:",
- "OptionAutomaticTranscodingHelp": "\u0421\u0430\u043f\u0430 \u043c\u0435\u043d \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b\u0442\u044b \u0441\u0435\u0440\u0432\u0435\u0440 \u0448\u0435\u0448\u0435\u0434\u0456",
- "OptionHighSpeedTranscodingHelp": "\u0422\u04e9\u043c\u0435\u043d\u0434\u0435\u0443 \u0441\u0430\u043f\u0430, \u0431\u0456\u0440\u0430\u049b \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u0430\u0443 \u043a\u043e\u0434\u0442\u0430\u0443",
- "OptionHighQualityTranscodingHelp": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0441\u0430\u043f\u0430, \u0431\u0456\u0440\u0430\u049b \u0436\u0430\u0439\u0431\u0430\u0493\u044b\u0441\u0442\u0430\u0443 \u043a\u043e\u0434\u0442\u0430\u0443",
- "OptionMaxQualityTranscodingHelp": "\u0416\u0430\u049b\u0441\u044b \u0441\u0430\u043f\u0430 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0443 \u043a\u043e\u0434\u0442\u0430\u0443\u043c\u0435\u043d \u0436\u04d9\u043d\u0435 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0434\u044b \u0436\u043e\u0493\u0430\u0440\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443",
- "OptionHighSpeedTranscoding": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b",
- "OptionHighQualityTranscoding": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0441\u0430\u043f\u0430",
- "OptionMaxQualityTranscoding": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0430\u043f\u0430",
- "OptionEnableDebugTranscodingLogging": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u0430 \u043a\u04af\u0439\u043a\u0435\u043b\u0442\u0456\u0440\u0443 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440\u044b\u043d \u0436\u04b1\u0440\u043d\u0430\u043b\u0434\u0430 \u049b\u043e\u0441\u0443",
- "OptionEnableDebugTranscodingLoggingHelp": "\u04e8\u0442\u0435 \u0430\u0443\u049b\u044b\u043c\u0434\u044b \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0436\u0430\u0441\u0430\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0430\u049b\u0430\u0443\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0436\u043e\u044e \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u04b1\u0441\u044b\u043d\u044b\u043b\u0430\u0434\u044b.",
- "OptionUpscaling": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b \u043a\u04e9\u0442\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u0431\u0435\u0439\u043d\u0435\u043d\u0456 \u0441\u04b1\u0440\u0430\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456",
- "OptionUpscalingHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0436\u0430\u0493\u0434\u0430\u0439\u043b\u0430\u0440\u0434\u0430 \u0431\u04b1\u043d\u044b\u04a3 \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435 \u0441\u0430\u043f\u0430\u0441\u044b \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u044b\u043b\u0430\u0434\u044b, \u0431\u0456\u0440\u0430\u049b \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u0441\u044b \u0430\u0440\u0442\u044b\u0439\u0434\u044b.",
- "EditCollectionItemsHelp": "\u0411\u04b1\u043b \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0430 \u049b\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u04d9\u0440\u049b\u0430\u0439\u0441\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456, \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440\u0434\u044b, \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u0434\u044b, \u043a\u0456\u0442\u0430\u043f\u0442\u0430\u0440\u0434\u044b \u043d\u0435 \u043e\u0439\u044b\u043d\u0434\u0430\u0440\u0434\u044b \u04af\u0441\u0442\u0435\u04a3\u0456\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0430\u043b\u0430\u0441\u0442\u0430\u04a3\u044b\u0437.",
- "HeaderAddTitles": "\u0422\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440\u0434\u044b \u04af\u0441\u0442\u0435\u0443",
- "LabelEnableDlnaPlayTo": "DLNA \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0441\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443\u0434\u044b \u049b\u043e\u0441\u0443",
- "LabelEnableDlnaPlayToHelp": "Media Browser \u0436\u0435\u043b\u0456\u0434\u0435\u0433\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u0431\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u04d9\u043d\u0435 \u0431\u04b1\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043d \u04b1\u0441\u044b\u043d\u0430\u0434\u044b.",
- "LabelEnableDlnaDebugLogging": "DLNA \u043a\u04af\u0439\u043a\u0435\u043b\u0442\u0456\u0440\u0443 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440\u044b\u043d \u0436\u04b1\u0440\u043d\u0430\u043b\u0434\u0430 \u049b\u043e\u0441\u0443",
- "LabelEnableDlnaDebugLoggingHelp": "\u04e8\u0442\u0435 \u0430\u0443\u049b\u044b\u043c\u0434\u044b \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0436\u0430\u0441\u0430\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0430\u049b\u0430\u0443\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0436\u043e\u044e \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.",
- "LabelEnableDlnaClientDiscoveryInterval": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u0443\u044b\u043f \u0430\u0448\u0443 \u0430\u0440\u0430\u043b\u044b\u0493\u044b, \u0441:",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u0433\u0456\u043d \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u0434\u044b\u04a3 \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u04b1\u0437\u0430\u049b\u0442\u044b\u0493\u044b\u043d \u0441\u0435\u043a\u0443\u043d\u0434\u0442\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
- "HeaderCustomDlnaProfiles": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440",
- "HeaderSystemDlnaProfiles": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440",
- "CustomDlnaProfilesHelp": "\u0416\u0430\u04a3\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u043c\u0430\u049b\u0441\u0430\u0442\u044b \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0456 \u0436\u0430\u0441\u0430\u0443 \u043d\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0430\u043d\u044b\u049b\u0442\u0430\u0443.",
- "SystemDlnaProfilesHelp": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440 \u0442\u0435\u043a \u043e\u049b\u0443 \u04af\u0448\u0456\u043d. \u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0456\u04a3 \u04e9\u0437\u0433\u0435\u0440\u0456\u0441\u0442\u0435\u0440\u0456 \u0436\u0430\u04a3\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0433\u0435 \u0436\u0430\u0437\u044b\u043b\u0430\u0434\u044b.",
- "TitleDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b",
- "TabHome": "\u0411\u0430\u0441\u0442\u044b",
- "TabInfo": "\u0410\u049b\u043f\u0430\u0440\u0430\u0442",
- "HeaderLinks": "\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043b\u0435\u0440",
- "HeaderSystemPaths": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u0436\u043e\u043b\u0434\u0430\u0440",
- "LinkCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b",
- "LinkGithub": "Github \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0439\u0456",
- "LinkApiDocumentation": "API \u049b\u04b1\u0436\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b",
- "LabelFriendlyServerName": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043e\u04a3\u0430\u0439 \u0430\u0442\u044b:",
- "LabelFriendlyServerNameHelp": "\u0411\u04b1\u043b \u0430\u0442\u0430\u0443 \u043e\u0441\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0415\u0433\u0435\u0440 \u04e9\u0440\u0456\u0441 \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0441\u0430, \u043a\u043e\u043c\u043f\u044c\u044e\u0442\u0435\u0440 \u0430\u0442\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.",
- "LabelPreferredDisplayLanguage": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456",
- "LabelPreferredDisplayLanguageHelp": "Media Browser \u0442\u04d9\u0440\u0436\u0456\u043c\u0435\u043b\u0435\u0443\u0456 \u0434\u0430\u043c\u044b\u0442\u043f\u0430\u043b\u044b \u0436\u043e\u0431\u0430 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b, \u0436\u04d9\u043d\u0435 \u0431\u04b1\u043b \u04d9\u043b\u0456 \u0434\u0435 \u0430\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d \u0435\u043c\u0435\u0441.",
- "LabelReadHowYouCanContribute": "\u049a\u0430\u043b\u0430\u0439 \u0456\u0441\u043a\u0435\u0440\u043b\u0435\u0441\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u04a3\u0456\u0437 \u0442\u0443\u0440\u0430\u043b\u044b \u043e\u049b\u044b\u04a3\u044b\u0437.",
- "HeaderNewCollection": "\u0416\u0430\u04a3\u0430 \u0436\u0438\u044b\u043d\u0442\u044b\u049b",
- "HeaderAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u049b\u043e\u0441\u0443",
- "ButtonSubmit": "\u0416\u0456\u0431\u0435\u0440\u0443",
- "NewCollectionNameExample": "\u041c\u044b\u0441\u0430\u043b: \u0416\u04b1\u043b\u0434\u044b\u0437 \u0441\u043e\u0493\u044b\u0441\u0442\u0430\u0440\u044b (\u0436\u0438\u044b\u043d\u0442\u044b\u049b)",
- "OptionSearchForInternetMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435 \u043c\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0456 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u0456\u0437\u0434\u0435\u0443",
- "ButtonCreate": "\u0416\u0430\u0441\u0430\u0443",
- "LabelLocalHttpServerPortNumber": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:",
- "LabelLocalHttpServerPortNumberHelp": "Media Browser HTTP \u0441\u0435\u0440\u0432\u0435\u0440\u0456 \u0431\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441\u0442\u0456 TCP \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.",
- "LabelPublicPort": "\u0416\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:",
- "LabelPublicPortHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u043e\u0440\u0442\u049b\u0430 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441\u0442\u0456 \u0436\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.",
- "LabelWebSocketPortNumber": "\u0412\u0435\u0431-\u0441\u043e\u043a\u0435\u0442 \u043f\u043e\u0440\u0442\u044b\u043d\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456:",
- "LabelEnableAutomaticPortMap": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043f\u043e\u0440\u0442 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443",
- "LabelEnableAutomaticPortMapHelp": "\u0416\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442\u0442\u044b \u0436\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u043e\u0440\u0442\u049b\u0430 UPnP \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u0443 \u04d9\u0440\u0435\u043a\u0435\u0442\u0456. \u0411\u04b1\u043b \u043a\u0435\u0439\u0431\u0456\u0440 \u0436\u043e\u043b \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u044b\u0448 \u04b1\u043b\u0433\u0456\u043b\u0435\u0440\u0456\u043c\u0435\u043d \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u043c\u0435\u0439\u0442\u0456\u043d\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.",
- "LabelExternalDDNS": "\u0421\u044b\u0440\u0442\u049b\u044b DDNS:",
- "LabelExternalDDNSHelp": "\u0415\u0433\u0435\u0440 dynamic DNS \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043d\u044b \u043c\u04b1\u043d\u0434\u0430 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. Media Browser \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b \u0431\u04b1\u043d\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0430\u0434\u044b.",
- "TabResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
- "TabWeather": "\u0410\u0443\u0430 \u0440\u0430\u0439\u044b",
- "TitleAppSettings": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
- "LabelMinResumePercentage": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u0437 \u043f\u0430\u0439\u044b\u0437\u044b:",
- "LabelMaxResumePercentage": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u043a\u04e9\u043f \u043f\u0430\u0439\u044b\u0437\u044b:",
- "LabelMinResumeDuration": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u0437 \u04b1\u0437\u0430\u049b\u0442\u044b\u0493\u044b (\u0441\u0435\u043a\u0443\u043d\u0434):",
- "LabelMinResumePercentageHelp": "\u0411\u04b1\u043b \u043a\u0435\u0437\u0434\u0435\u043d \u0431\u04b1\u0440\u044b\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0441\u0430 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u043e\u043b\u0436\u0430\u043b\u0434\u044b",
- "LabelMaxResumePercentageHelp": "\u0411\u04b1\u043b \u043a\u0435\u0437\u0434\u0435\u043d \u043a\u0435\u0439\u0456\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0441\u0430 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u0442\u043e\u043b\u044b\u049b \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u043e\u043b\u0436\u0430\u043b\u0434\u044b",
- "LabelMinResumeDurationHelp": "\u0411\u04b1\u0434\u0430\u043d \u049b\u044b\u0441\u049b\u0430 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b",
- "TitleAutoOrganize": "\u0410\u0432\u0442\u043e\u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443",
- "TabActivityLog": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440 \u0436\u04b1\u0440\u043d\u0430\u043b\u044b",
- "HeaderName": "\u0410\u0442\u044b",
- "HeaderDate": "\u041a\u04af\u043d\u0456",
- "HeaderSource": "\u041a\u04e9\u0437\u0456",
- "HeaderDestination": "\u0422\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u0443",
- "HeaderProgram": "\u0411\u0435\u0440\u0456\u043b\u0456\u043c",
- "HeaderClients": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440",
- "LabelCompleted": "\u0410\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d",
- "LabelFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437",
- "LabelSkipped": "\u04e8\u0442\u043a\u0456\u0437\u0456\u043b\u0433\u0435\u043d",
- "HeaderEpisodeOrganization": "\u042d\u043f\u0438\u0437\u043e\u0434\u0442\u044b \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443",
- "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b:",
- "LabelSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:",
- "LabelEpisodeNumber": "\u042d\u043f\u0438\u0437\u043e\u0434 \u043d\u04e9\u043c\u0456\u0440\u0456:",
- "LabelEndingEpisodeNumber": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456:",
- "LabelEndingEpisodeNumberHelp": "\u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0456\u0440\u043d\u0435\u0448\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0431\u0430\u0440 \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u04af\u0448\u0456\u043d",
- "HeaderSupportTheTeam": "Media Browser \u0442\u043e\u0431\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u0443",
- "LabelSupportAmount": "\u0421\u043e\u043c\u0430\u0441\u044b (USD)",
- "HeaderSupportTheTeamHelp": "\u0411\u04b1\u043b \u0436\u043e\u0431\u0430 \u04d9\u0437\u0456\u0440\u043b\u0435\u0443\u0456 \u0436\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0443 \u04af\u0448\u0456\u043d \u04af\u043b\u0435\u0441 \u049b\u043e\u0441\u044b\u043f \u043a\u04e9\u043c\u0435\u043a \u0431\u0435\u0440\u0456\u04a3\u0456\u0437. \u0411\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u044b\u04a3 \u04d9\u043b\u0434\u0435\u049b\u0430\u043d\u0448\u0430 \u0431\u04e9\u043b\u0456\u0433\u0456\u043d \u0442\u04d9\u0443\u0435\u043b\u0434\u0456\u043c\u0456\u0437 \u0431\u0430\u0441\u049b\u0430 \u0430\u0448\u044b\u049b \u049b\u04b1\u0440\u0430\u043b\u0434\u0430\u0440\u044b \u04af\u0448\u0456\u043d \u0456\u0441\u043a\u0435\u0440\u043b\u0435\u0441\u0435\u043c\u0456\u0437.",
- "ButtonEnterSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0443",
- "DonationNextStep": "\u0410\u044f\u049b\u0442\u0430\u043b\u044b\u0441\u044b\u043c\u0435\u043d, \u043a\u0435\u0440\u0456 \u049b\u0430\u0439\u0442\u044b\u04a3\u044b\u0437 \u0436\u0430\u043d\u0435 \u042d-\u043f\u043e\u0448\u0442\u0430 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u043b\u044b\u043d\u0493\u0430\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.",
- "AutoOrganizeHelp": "\u0410\u0432\u0442\u043e\u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d\u0434\u0430\u0493\u044b \u0436\u0430\u04a3\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0431\u0430\u049b\u044b\u043b\u0430\u0439\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u04b1\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d\u0430 \u0436\u044b\u043b\u0436\u044b\u0442\u0430\u0434\u044b.",
- "AutoOrganizeTvHelp": "\u0422\u0414 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0430\u0440 \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440\u0493\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0435\u0434\u0456.",
- "OptionEnableEpisodeOrganization": "\u0416\u0430\u04a3\u0430 \u044d\u043f\u0438\u0437\u043e\u0434 \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443",
- "LabelWatchFolder": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430:",
- "LabelWatchFolderHelp": "\"\u0416\u0430\u04a3\u0430 \u0442\u0430\u0441\u0443\u0448\u044b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\" \u0434\u0435\u0433\u0435\u043d \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0493\u0430\u043d \u043a\u0435\u0437\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0431\u04b1\u043b \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0441\u0430\u0443\u0430\u043b\u0434\u0430\u043f \u0442\u04b1\u0440\u0430\u0434\u044b.",
- "ButtonViewScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0440\u0430\u0443",
- "LabelMinFileSizeForOrganize": "\u0415\u04a3 \u0430\u0437 \u0444\u0430\u0439\u043b \u04e9\u043b\u0448\u0435\u043c\u0456 (\u041c\u0411):",
- "LabelMinFileSizeForOrganizeHelp": "\u0411\u04b1\u043b \u04e9\u043b\u0448\u0435\u043c\u0434\u0435\u043d \u043a\u0435\u043c \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0435\u043b\u0435\u043d\u0431\u0435\u0439\u0434\u0456.",
- "LabelSeasonFolderPattern": "\u041c\u0430\u0443\u0441\u044b\u043c \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456:",
- "LabelSeasonZeroFolderName": "\u041c\u0430\u0443\u0441\u044b\u043c 0 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u0430\u0442\u044b:",
- "HeaderEpisodeFilePattern": "\u042d\u043f\u0438\u0437\u043e\u0434 \u0444\u0430\u0439\u043b\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456",
- "LabelEpisodePattern": "\u042d\u043f\u0438\u0437\u043e\u0434 \u04af\u043b\u0433\u0456\u0441\u0456:",
- "LabelMultiEpisodePattern": "\u0411\u0456\u0440\u043d\u0435\u0448\u0435 \u044d\u043f\u0438\u0437\u043e\u0434 \u04af\u043b\u0433\u0456\u0441\u0456:",
- "HeaderSupportedPatterns": "\u049a\u043e\u043b\u0434\u0430\u043d\u044b\u0441\u0442\u0430\u0493\u044b \u04af\u043b\u0433\u0456\u043b\u0435\u0440",
- "HeaderTerm": "\u0421\u04e9\u0439\u043b\u0435\u043c\u0448\u0435",
- "HeaderPattern": "\u04ae\u043b\u0433\u0456",
- "HeaderResult": "\u041d\u04d9\u0442\u0438\u0436\u0435",
- "LabelDeleteEmptyFolders": "\u04b0\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u0430\u043d \u043a\u0435\u0439\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u043e\u044e",
- "LabelDeleteEmptyFoldersHelp": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u0442\u0430\u0437\u0430 \u04b1\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.",
- "LabelDeleteLeftOverFiles": "\u041a\u0435\u043b\u0435\u0441\u0456 \u043a\u0435\u04a3\u0435\u0439\u0442\u0456\u043c\u0434\u0435\u0440\u0456 \u0431\u0430\u0440 \u049b\u0430\u043b\u0493\u0430\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0436\u043e\u044e:",
- "LabelDeleteLeftOverFilesHelp": "\u041c\u044b\u043d\u0430\u043d\u044b (;) \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u043f \u0430\u043b\u044b\u04a3\u044b\u0437. \u041c\u044b\u0441\u0430\u043b\u044b: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "\u0411\u0430\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440\u0434\u044b \u049b\u0430\u0439\u0442\u0430 \u0436\u0430\u0437\u0443",
- "LabelTransferMethod": "\u0422\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04d9\u0434\u0456\u0441\u0456",
- "OptionCopy": "\u041a\u04e9\u0448\u0456\u0440\u0443",
- "OptionMove": "\u0416\u044b\u043b\u0436\u044b\u0442\u0443",
- "LabelTransferMethodHelp": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430\u0434\u0430\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u043a\u04e9\u0448\u0456\u0440\u0443 \u043d\u0435 \u0436\u044b\u043b\u0436\u044b\u0442\u0443",
- "HeaderLatestNews": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440",
- "HeaderHelpImproveMediaBrowser": "Media Browser \u04e9\u043d\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0436\u0435\u0442\u0456\u043b\u0434\u0456\u0440\u0443\u0433\u0435 \u043a\u04e9\u043c\u0435\u043a",
- "HeaderRunningTasks": "\u041e\u0440\u044b\u043d\u0434\u0430\u043b\u044b\u043f \u0436\u0430\u0442\u049b\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440",
- "HeaderActiveDevices": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440",
- "HeaderPendingInstallations": "\u0411\u04e9\u0433\u0435\u043b\u0456\u0441 \u043e\u0440\u043d\u0430\u0442\u044b\u043c\u0434\u0430\u0440",
- "HeaerServerInformation": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0456",
- "ButtonRestartNow": "\u049a\u0430\u0437\u0456\u0440 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443",
- "ButtonRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443",
- "ButtonShutdown": "\u0416\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443",
- "ButtonUpdateNow": "\u049a\u0430\u0437\u0456\u0440 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443",
- "PleaseUpdateManually": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u0430\u044f\u049b\u0442\u0430\u04a3\u044b\u0437 \u0434\u0430 \u049b\u043e\u043b\u043c\u0435\u043d \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u04a3\u044b\u0437.",
- "NewServerVersionAvailable": "Media Browser Server \u0436\u0430\u04a3\u0430 \u043d\u04b1\u0441\u049b\u0430\u0441\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456!",
- "ServerUpToDate": "Media Browser Server \u043a\u04af\u0439\u0456: \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d",
- "ErrorConnectingToMediaBrowserRepository": "\u0410\u043b\u044b\u0441\u0442\u0430\u0493\u044b Media Browser \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0456\u043d\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u0434\u0430 \u049b\u0430\u0442\u0435 \u0431\u043e\u043b\u0434\u044b.",
- "LabelComponentsUpdated": "\u041a\u0435\u043b\u0435\u0441\u0456 \u049b\u04b1\u0440\u0430\u043c\u0434\u0430\u0441\u0442\u0430\u0440 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b \u043d\u0435 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b:",
- "MessagePleaseRestartServerToFinishUpdating": "\u0416\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440\u0434\u044b\u04a3 \u049b\u043e\u043b\u0434\u0430\u043d\u0443\u044b\u043d \u0430\u044f\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u04a3\u044b\u0437",
- "LabelDownMixAudioScale": "\u041a\u0435\u043c\u0456\u0442\u0456\u043b\u0456\u043f \u043c\u0438\u043a\u0448\u0435\u0440\u043b\u0435\u043d\u0433\u0435\u043d\u0434\u0435 \u0434\u044b\u0431\u044b\u0441 \u04e9\u0442\u0435\u043c\u0456:",
- "LabelDownMixAudioScaleHelp": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u043a\u0435\u043c\u0456\u0442\u0456\u043b\u0456\u043f \u043c\u0438\u043a\u0448\u0435\u0440\u043b\u0435\u043d\u0433\u0435\u043d\u0434\u0435 \u04e9\u0442\u0435\u043c\u0434\u0435\u0443. \u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u0434\u0435\u04a3\u0433\u0435\u0439 \u043c\u04d9\u043d\u0456\u043d \u04e9\u0437\u0433\u0435\u0440\u0442\u043f\u0435\u0443 \u04af\u0448\u0456\u043d 1 \u0441\u0430\u043d\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437..",
- "ButtonLinkKeys": "\u041a\u0456\u043b\u0442\u0442\u0435\u0440\u0434\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443",
- "LabelOldSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0435\u0441\u043a\u0456 \u043a\u0456\u043b\u0442\u0456",
- "LabelNewSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0436\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442\u0456",
- "HeaderMultipleKeyLinking": "\u0416\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442\u043a\u0435 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443",
- "MultipleKeyLinkingHelp": "\u0415\u0433\u0435\u0440 \u0436\u0430\u04a3\u0430 \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u043d\u0441\u0430, \u0435\u0441\u043a\u0456 \u043a\u0456\u043b\u0442 \u0442\u0456\u0440\u043a\u0435\u043c\u0435\u043b\u0435\u0440\u0456\u043d \u0436\u0430\u04a3\u0430\u0441\u044b\u043d\u0430 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043b \u043f\u0456\u0448\u0456\u043d\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.",
- "LabelCurrentEmailAddress": "\u042d-\u043f\u043e\u0448\u0442\u0430\u043d\u044b\u04a3 \u0430\u0493\u044b\u043c\u0434\u044b\u049b \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b",
- "LabelCurrentEmailAddressHelp": "\u0416\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u0430\u0493\u044b\u043c\u0434\u044b\u049b \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b.",
- "HeaderForgotKey": "\u041a\u0456\u043b\u0442 \u04b1\u043c\u044b\u0442 \u0431\u043e\u043b\u0434\u044b",
- "LabelEmailAddress": "\u042d-\u043f\u043e\u0448\u0442\u0430\u043d\u044b\u04a3 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b",
- "LabelSupporterEmailAddress": "\u041a\u0456\u043b\u0442\u0442\u0456 \u0441\u0430\u0442\u044b\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0493\u0430\u043d \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b.",
- "ButtonRetrieveKey": "\u041a\u0456\u043b\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430 \u0430\u043b\u0443",
- "LabelSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 (\u042d-\u043f\u043e\u0448\u0442\u0430\u0434\u0430\u043d \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u04a3\u0456\u0437)",
- "LabelSupporterKeyHelp": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b Media Browser \u0430\u0440\u043d\u0430\u043f \u0436\u0430\u0441\u0430\u049b\u0442\u0430\u0493\u0430\u043d \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u0430\u043d \u0434\u04d9\u0443\u0440\u0435\u043d \u0441\u04af\u0440\u0443\u0434\u0456 \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.",
- "MessageInvalidKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 \u0436\u043e\u049b \u043d\u0435\u043c\u0435\u0441\u0435 \u0434\u04b1\u0440\u044b\u0441 \u0435\u043c\u0435\u0441",
- "ErrorMessageInvalidKey": "\u049a\u0430\u0439 \u0435\u0440\u0435\u043a\u0448\u0435 \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u043e\u043b\u0441\u0430 \u0436\u0430\u0437\u044b\u043b\u0443 \u04af\u0448\u0456\u043d, \u0441\u0456\u0437 \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b Media Browser \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u0441\u044b \u0431\u043e\u043b\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442. \u04d8\u0437\u0456\u0440\u043b\u0435\u0443\u0456 \u0436\u0430\u043b\u0493\u0430\u0441\u0443\u0434\u0430\u0493\u044b \u043d\u0435\u0433\u0456\u0437\u0433\u0456 \u04e9\u043d\u0456\u043c \u04af\u0448\u0456\u043d \u04af\u043b\u0435\u0441 \u049b\u043e\u0441\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437.",
- "HeaderDisplaySettings": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
- "TabPlayTo": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443",
- "LabelEnableDlnaServer": "DLNA \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443",
- "LabelEnableDlnaServerHelp": "\u0416\u0435\u043b\u0456\u0434\u0435\u0433\u0456 UPnP \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0493\u0430 Media Browser \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0448\u043e\u043b\u0443 \u043c\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443.",
- "LabelEnableBlastAliveMessages": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u044b\u043d \u043b\u0430\u043f \u0435\u0442\u0443",
- "LabelEnableBlastAliveMessagesHelp": "\u0415\u0433\u0435\u0440 \u0436\u0435\u043b\u0456\u0434\u0435\u0433\u0456 \u0431\u0430\u0441\u049b\u0430 UPnP \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u043c\u0435\u043d \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u044b\u049b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0441\u0430 \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.",
- "LabelBlastMessageInterval": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440 \u0430\u0440\u0430\u043b\u044b\u0493\u044b, \u0441",
- "LabelBlastMessageIntervalHelp": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u0433\u0456\u043d \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u0434\u044b\u04a3 \u0430\u0440\u0430 \u04b1\u0437\u0430\u049b\u0442\u044b\u0493\u044b\u043d \u0441\u0435\u043a\u0443\u043d\u0434\u0442\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
- "LabelDefaultUser": "\u04d8\u0434\u0435\u043f\u043a\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b:",
- "LabelDefaultUserHelp": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u049b\u0430\u0439 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b\u04a3 \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0441\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0443\u0456 \u0442\u0438\u0456\u0441\u0442\u0456\u043b\u0456\u0433\u0456\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b. \u041f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0493\u0430\u043d\u0434\u0430 \u0431\u04b1\u043b \u04d9\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0442\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
- "TitleDlna": "DLNA",
- "TitleChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440",
- "HeaderServerSettings": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
- "LabelWeatherDisplayLocation": "\u0410\u0443\u0430 \u0440\u0430\u0439\u044b \u0435\u043b\u0434\u0456\u043c\u0435\u043a\u0435\u043d\u0456:",
- "LabelWeatherDisplayLocationHelp": "\u0410\u049a\u0428 \u043f\u043e\u0448\u0442\u0430\u043b\u044b\u049b \u043a\u043e\u0434\u044b \/ \u049a\u0430\u043b\u0430, \u0428\u0442\u0430\u0442, \u0415\u043b \/ \u049a\u0430\u043b\u0430, \u0415\u043b",
- "LabelWeatherDisplayUnit": "\u0422\u0435\u043c\u043f\u0435\u0440\u0430\u0442\u0443\u0440\u0430 \u04e9\u043b\u0448\u0435\u043c \u0431\u0456\u0440\u043b\u0456\u0433\u0456:",
- "OptionCelsius": "\u0426\u0435\u043b\u044c\u0441\u0438\u0439 \u0431\u043e\u0439\u044b\u043d\u0448\u0430",
- "OptionFahrenheit": "\u0424\u0430\u0440\u0435\u043d\u0433\u0435\u0439\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430",
- "HeaderRequireManualLogin": "\u041c\u044b\u043d\u0430\u0493\u0430\u043d \u049b\u043e\u043b\u043c\u0435\u043d \u043a\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0443:",
- "HeaderRequireManualLoginHelp": "\u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u043f\u0430\u0439\u0434\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u043a\u04e9\u0440\u043d\u0435\u043a\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443\u044b \u0431\u0430\u0440 \u043a\u0456\u0440\u0443 \u044d\u043a\u0440\u0430\u043d\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.",
- "OptionOtherApps": "\u0411\u0430\u0441\u049b\u0430 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440",
- "OptionMobileApps": "\u04b0\u0442\u049b\u044b\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440",
- "HeaderNotificationList": "\u0416\u0456\u0431\u0435\u0440\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u043d\u04b1\u049b\u044b\u04a3\u044b\u0437.",
- "NotificationOptionApplicationUpdateAvailable": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456",
- "NotificationOptionApplicationUpdateInstalled": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b",
- "NotificationOptionPluginUpdateInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b",
- "NotificationOptionPluginInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b",
- "NotificationOptionPluginUninstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b",
- "NotificationOptionVideoPlayback": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b",
- "NotificationOptionAudioPlayback": "\u0414\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b",
- "NotificationOptionGamePlayback": "\u041e\u0439\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b",
- "NotificationOptionVideoPlaybackStopped": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b",
- "NotificationOptionAudioPlaybackStopped": "\u0414\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b",
- "NotificationOptionGamePlaybackStopped": "\u041e\u0439\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b",
- "NotificationOptionTaskFailed": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456",
- "NotificationOptionInstallationFailed": "\u041e\u0440\u043d\u0430\u0442\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456",
- "NotificationOptionNewLibraryContent": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d",
- "NotificationOptionNewLibraryContentMultiple": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u049b\u043e\u0441\u044b\u043b\u0434\u044b (\u043a\u04e9\u043f\u0442\u0435\u0433\u0435\u043d)",
- "SendNotificationHelp": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440 \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u04d9\u0434\u0435\u043f\u043a\u0456 \u043a\u0456\u0440\u0456\u0441 \u0436\u04d9\u0448\u0456\u0433\u0456\u043d\u0435 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u043b\u0435\u0434\u0456. \u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443 \u049b\u04b1\u0440\u0430\u043b\u0434\u0430\u0440\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.",
- "NotificationOptionServerRestartRequired": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u049b\u0430\u0436\u0435\u0442",
- "LabelNotificationEnabled": "\u0411\u04b1\u043b \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u043e\u0441\u0443",
- "LabelMonitorUsers": "\u041c\u044b\u043d\u0430\u043d\u044b\u04a3 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0431\u0430\u049b\u044b\u043b\u0430\u0443:",
- "LabelSendNotificationToUsers": "\u041c\u044b\u043d\u0430\u0493\u0430\u043d \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u0436\u0456\u0431\u0435\u0440\u0443:",
- "LabelUseNotificationServices": "\u041a\u0435\u043b\u0435\u0441\u0456 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443:",
- "CategoryUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b",
- "CategorySystem": "\u0416\u04af\u0439\u0435",
- "CategoryApplication": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430",
- "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d",
- "LabelMessageTitle": "\u0425\u0430\u0431\u0430\u0440\u0434\u044b\u04a3 \u0431\u0430\u0441\u0442\u0430\u049b\u044b\u0440\u044b\u0431\u044b",
- "LabelAvailableTokens": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0442\u0430\u04a3\u0431\u0430\u043b\u0430\u0443\u044b\u0448\u0442\u0430\u0440:",
- "AdditionalNotificationServices": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.",
- "OptionAllUsers": "\u0411\u0430\u0440\u043b\u044b\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440",
- "OptionAdminUsers": "\u04d8\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440",
- "OptionCustomUsers": "\u0422\u0435\u04a3\u0448\u0435\u0443\u043b\u0456",
- "ButtonArrowUp": "\u0416\u043e\u0493\u0430\u0440\u044b\u0493\u0430",
- "ButtonArrowDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0435",
- "ButtonArrowLeft": "\u0421\u043e\u043b \u0436\u0430\u049b\u049b\u0430",
- "ButtonArrowRight": "\u041e\u04a3 \u0436\u0430\u049b\u049b\u0430",
- "ButtonBack": "\u0410\u0440\u0442\u049b\u0430",
- "ButtonInfo": "\u0410\u049b\u043f\u0430\u0440\u0430\u0442",
- "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b\u049b \u043c\u04d9\u0437\u0456\u0440",
- "ButtonPageUp": "\u0416\u043e\u0493\u0430\u0440\u0493\u044b \u0431\u0435\u0442\u043a\u0435",
- "ButtonPageDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0456 \u0431\u0435\u0442\u043a\u0435",
- "PageAbbreviation": "\u0411\u0415\u0422",
- "ButtonHome": "\u0411\u0430\u0441\u0442\u044b",
- "ButtonSearch": "\u0406\u0437\u0434\u0435\u0443",
- "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440",
- "ButtonTakeScreenshot": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b \u0442\u04af\u0441\u0456\u0440\u0443",
- "ButtonLetterUp": "\u04d8\u0440\u0456\u043f\u043a\u0435 \u0436\u043e\u0493\u0430\u0440\u0493\u044b\u043b\u0430\u0442\u0443",
- "ButtonLetterDown": "\u04d8\u0440\u0456\u043f\u043a\u0435 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0442\u0443",
- "PageButtonAbbreviation": "\u0411\u0415\u0422",
- "LetterButtonAbbreviation": "\u04d8\u0420\u041f",
- "TabNowPlaying": "\u049a\u0430\u0437\u0456\u0440 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0443\u0434\u0430",
- "TabNavigation": "\u0428\u0430\u0440\u043b\u0430\u0443",
- "TabControls": "\u0411\u0430\u0441\u049b\u0430\u0440\u0443 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456",
- "ButtonFullscreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d",
- "ButtonScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
- "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440",
- "ButtonAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b",
- "ButtonPreviousTrack": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b \u0436\u043e\u043b\u0448\u044b\u049b",
- "ButtonNextTrack": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0436\u043e\u043b\u0448\u044b\u049b",
- "ButtonStop": "\u0422\u043e\u049b\u0442\u0430\u0442\u0443",
- "ButtonPause": "\u04ae\u0437\u0456\u043b\u0456\u0441",
- "ButtonNext": "\u041a\u0435\u043b\u0435\u0441\u0456",
- "ButtonPrevious": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b",
- "LabelGroupMoviesIntoCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443",
- "LabelGroupMoviesIntoCollectionsHelp": "\u0424\u0438\u043b\u044c\u043c \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0433\u0435\u043d \u043a\u0435\u0437\u0434\u0435 \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u043a\u0456\u0440\u0435\u0442\u0456\u043d \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u0442\u043e\u043f\u0442\u0430\u043b\u0493\u0430\u043d \u0431\u0456\u0440\u044b\u04a3\u0493\u0430\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u043e\u043b\u044b\u043f \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0434\u0456.",
- "NotificationOptionPluginError": "\u041f\u043b\u0430\u0433\u0438\u043d \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456",
- "ButtonVolumeUp": "\u04ae\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0442\u0443",
- "ButtonVolumeDown": "\u04ae\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0442\u0443",
- "ButtonMute": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u04e9\u0448\u0456\u0440\u0443",
- "HeaderLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440",
- "OptionSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440",
- "HeaderCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440",
- "LabelProfileCodecsHelp": "\u04ae\u0442\u0456\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d. \u0411\u0430\u0440\u043b\u044b\u049b \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043b \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d.",
- "LabelProfileContainersHelp": "\u04ae\u0442\u0456\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d. \u0411\u0430\u0440\u043b\u044b\u049b \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043b\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043b \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d.",
- "HeaderResponseProfile": "\u04ae\u043d \u049b\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
- "LabelType": "\u0422\u04af\u0440\u0456:",
- "LabelPersonRole": "\u0420\u04e9\u043b\u0456:",
- "LabelPersonRoleHelp": "\u0420\u04e9\u043b, \u0436\u0430\u043b\u043f\u044b \u0430\u043b\u0493\u0430\u043d\u0434\u0430, \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0430\u043a\u0442\u0435\u0440\u043b\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u0430\u0439\u043b\u044b.",
- "LabelProfileContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
- "LabelProfileVideoCodecs": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440:",
- "LabelProfileAudioCodecs": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440:",
- "LabelProfileCodecs": "\u041a\u043e\u0434\u0435\u043a\u0442\u0435\u0440:",
- "HeaderDirectPlayProfile": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
- "HeaderTranscodingProfile": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
- "HeaderCodecProfile": "\u041a\u043e\u0434\u0435\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
- "HeaderCodecProfileHelp": "\u041a\u043e\u0434\u0435\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u043d\u0430\u049b\u0442\u044b \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 \u0448\u0435\u043a\u0442\u0435\u0443\u043b\u0435\u0440\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0434\u0456. \u0415\u0433\u0435\u0440 \u0448\u0435\u043a\u0442\u0435\u0443 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0441\u0430, \u0441\u043e\u043d\u0434\u0430 \u043a\u043e\u0434\u0435\u043a \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0441\u0435\u0434\u0435 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u043b\u044b\u043d\u0430\u0434\u044b.",
- "HeaderContainerProfile": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
- "HeaderContainerProfileHelp": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u043d\u0430\u049b\u0442\u044b \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 \u0448\u0435\u043a\u0442\u0435\u0443\u043b\u0435\u0440\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0434\u0456. \u0415\u0433\u0435\u0440 \u0448\u0435\u043a\u0442\u0435\u0443 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0441\u0430, \u0441\u043e\u043d\u0434\u0430 \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0441\u0435\u0434\u0435 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u043b\u044b\u043d\u0430\u0434\u044b.",
- "OptionProfileVideo": "\u0411\u0435\u0439\u043d\u0435",
- "OptionProfileAudio": "\u0414\u044b\u0431\u044b\u0441",
- "OptionProfileVideoAudio": "\u0411\u0435\u0439\u043d\u0435 \u0414\u044b\u0431\u044b\u0441",
- "OptionProfilePhoto": "\u0424\u043e\u0442\u043e",
- "LabelUserLibrary": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0441\u044b",
- "LabelUserLibraryHelp": "\u0416\u0430\u0431\u0434\u044b\u049b\u0442\u0430 \u049b\u0430\u0439 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0441\u044b\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437. \u04d8\u0434\u0435\u043f\u043a\u0456 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440 \u043c\u04b1\u0440\u0430\u0441\u044b\u043d\u0430 \u0438\u0435\u043b\u0435\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.",
- "OptionPlainStorageFolders": "\u0411\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u0430\u0439 \u0441\u0430\u049b\u0442\u0430\u0443 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
- "OptionPlainStorageFoldersHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 DIDL \u0456\u0448\u0456\u043d\u0434\u0435 \"object.container.person.musicArtist\" \u0441\u0438\u044f\u049b\u0442\u044b \u043d\u0430\u049b\u0442\u044b\u043b\u0430\u0443 \u0442\u04af\u0440\u0456\u043d\u0456\u04a3 \u043e\u0440\u043d\u044b\u043d\u0430 \"object.container.storageFolder\" \u0431\u043e\u043b\u044b\u043f \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
- "OptionPlainVideoItems": "\u0411\u0430\u0440\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u0439 \u0431\u0435\u0439\u043d\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
- "OptionPlainVideoItemsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 DIDL \u0456\u0448\u0456\u043d\u0434\u0435 \"object.item.videoItem.movie\" \u0441\u0438\u044f\u049b\u0442\u044b \u043d\u0430\u049b\u0442\u044b\u043b\u0430\u0443 \u0442\u04af\u0440\u0456\u043d\u0456\u04a3 \u043e\u0440\u043d\u044b\u043d\u0430 \"object.item.videoItem\" \u0431\u043e\u043b\u044b\u043f \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
- "LabelSupportedMediaTypes": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u04af\u0440\u043b\u0435\u0440\u0456:",
- "TabIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443",
- "HeaderIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443",
- "TabDirectPlay": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443",
- "TabContainers": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043b\u0435\u0440",
- "TabCodecs": "\u041a\u043e\u0434\u0435\u043a\u0442\u0435\u0440",
- "TabResponses": "\u04ae\u043d \u049b\u0430\u0442\u0443\u043b\u0430\u0440",
- "HeaderProfileInformation": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u044b",
- "LabelEmbedAlbumArtDidl": "Didl \u0456\u0448\u0456\u043d\u0435 \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0435\u043d\u0434\u0456\u0440\u0443",
- "LabelEmbedAlbumArtDidlHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u0430\u0440\u0493\u0430 \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043e\u0441\u044b \u04d9\u0434\u0456\u0441 \u049b\u0430\u0436\u0435\u0442. \u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440 \u04af\u0448\u0456\u043d, \u043e\u0441\u044b \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043e\u0439\u043d\u0430\u0442\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437 \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
- "LabelAlbumArtPN": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456 PN:",
- "LabelAlbumArtHelp": "PN \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456 \u04af\u0448\u0456\u043d upnp:albumArtURI \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 dlna:profileID \u0442\u04e9\u043b\u0441\u0438\u043f\u0430\u0442\u044b\u043c\u0435\u043d \u0431\u0456\u0440\u0433\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u041a\u0435\u0439\u0431\u0456\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0456\u04a3 \u04e9\u043b\u0448\u0435\u043c\u0456\u043d\u0435 \u0430\u04a3\u0493\u0430\u0440\u0443\u0441\u044b\u0437 \u043d\u0430\u049b\u0442\u044b \u043c\u04d9\u043d \u049b\u0430\u0436\u0435\u0442.",
- "LabelAlbumArtMaxWidth": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0435\u043d\u0456:",
- "LabelAlbumArtMaxWidthHelp": "upnp:albumArtURI \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
- "LabelAlbumArtMaxHeight": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0431\u0438\u0456\u0433\u0456:",
- "LabelAlbumArtMaxHeightHelp": "upnp:albumArtURI \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
- "LabelIconMaxWidth": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0435\u043d\u0456:",
- "LabelIconMaxWidthHelp": "upnp:icon \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u043b\u0435\u0440\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
- "LabelIconMaxHeight": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0431\u0438\u0456\u0433\u0456:",
- "LabelIconMaxHeightHelp": "upnp:icon \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u043b\u0435\u0440\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
- "LabelIdentificationFieldHelp": "\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0435\u0441\u043a\u0435\u0440\u043c\u0435\u0439\u0442\u0456\u043d \u0456\u0448\u043a\u0456 \u0436\u043e\u043b \u043d\u0435\u043c\u0435\u0441\u0435 \u04b1\u0434\u0430\u0439\u044b \u04e9\u0440\u043d\u0435\u043a.",
- "HeaderProfileServerSettingsHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d\u0434\u0435\u0440 Media Browser \u049b\u0430\u043b\u0430\u0439 \u04e9\u0437\u0456\u043d \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u0430 \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d\u0456\u04a3 \u0431\u0430\u0441\u049b\u0430\u0440\u0430\u0434\u044b.",
- "LabelMaxBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d:",
- "LabelMaxBitrateHelp": "\u04e8\u0442\u043a\u0456\u0437\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456 \u0448\u0435\u043a\u0442\u0435\u043b\u0433\u0435\u043d \u043e\u0440\u0442\u0430\u043b\u0430\u0440\u0434\u0430\u0493\u044b \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u043d, \u043d\u0435\u043c\u0435\u0441\u0435 \u0436\u0430\u0431\u0434\u044b\u049b\u049b\u0430 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0441\u0430 - \u04e9\u0437 \u0448\u0435\u0433\u0456\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.",
- "LabelMaxStreamingBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
- "LabelMaxStreamingBitrateHelp": "\u0410\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.",
- "LabelMaxStaticBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
- "LabelMaxStaticBitrateHelp": "\u0416\u043e\u0493\u0430\u0440\u044b \u0441\u0430\u043f\u0430\u043c\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.",
- "LabelMusicStaticBitrate": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
- "LabelMusicStaticBitrateHelp": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0443",
- "LabelMusicStreamingTranscodingBitrate": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
- "LabelMusicStreamingTranscodingBitrateHelp": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437",
- "OptionIgnoreTranscodeByteRangeRequests": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u0431\u0430\u0439\u0442 \u0430\u0443\u049b\u044b\u043c\u044b \u0441\u04b1\u0440\u0430\u043d\u044b\u0441\u0442\u0430\u0440\u044b\u043d \u0435\u043b\u0435\u043c\u0435\u0443",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043e\u0441\u044b \u0441\u04b1\u0440\u0430\u043d\u044b\u0441\u0442\u0430\u0440\u043c\u0435\u043d \u0441\u0430\u043d\u0430\u0441\u0443 \u0431\u043e\u043b\u0430\u0434\u044b, \u0431\u0456\u0440\u0430\u049b \u0431\u0430\u0439\u0442 \u0430\u0443\u049b\u044b\u043c\u044b\u043d\u044b\u04a3 \u0431\u0430\u0441 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u0441\u0456 \u0435\u043b\u0435\u043f \u0435\u0441\u043a\u0435\u0440\u0456\u043b\u043c\u0435\u0439\u0434\u0456.",
- "LabelFriendlyName": "\u0422\u04af\u0441\u0456\u043d\u0456\u043a\u0442\u0456 \u0430\u0442\u044b",
- "LabelManufacturer": "\u04e8\u043d\u0434\u0456\u0440\u0443\u0448\u0456",
- "LabelManufacturerUrl": "\u04e8\u043d\u0434\u0456\u0440\u0443\u0448\u0456 url",
- "LabelModelName": "\u041c\u043e\u0434\u0435\u043b\u044c \u0430\u0442\u044b",
- "LabelModelNumber": "\u041c\u043e\u0434\u0435\u043b\u044c \u043d\u04e9\u043c\u0456\u0440\u0456",
- "LabelModelDescription": "\u041c\u043e\u0434\u0435\u043b\u044c \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b",
- "LabelModelUrl": "\u041c\u043e\u0434\u0435\u043b\u044c url",
- "LabelSerialNumber": "\u0421\u0435\u0440\u0438\u044f\u043b\u044b\u049b \u043d\u04e9\u043c\u0456\u0440\u0456",
- "LabelDeviceDescription": "\u0416\u0430\u0431\u0434\u044b\u049b \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b",
- "HeaderIdentificationCriteriaHelp": "\u0415\u04a3 \u043a\u0435\u043c\u0456\u043d\u0434\u0435 \u0430\u043d\u044b\u049b\u0442\u0430\u0443\u0434\u044b\u04a3 \u0431\u0456\u0440 \u0448\u0430\u0440\u0442\u044b\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.",
- "HeaderDirectPlayProfileHelp": "\u0416\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 \u049b\u0430\u043d\u0434\u0430\u0439 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u04d9\u0434\u0435\u043f\u043a\u0456 \u04e9\u04a3\u0434\u0435\u0442\u0435\u0442\u0456\u043d \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04b1\u0448\u0456\u043d \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u049b\u043e\u0441\u0443.",
- "HeaderTranscodingProfileHelp": "\u049a\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d\u0434\u0430 \u049b\u0430\u043d\u0434\u0430\u0439 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u043c\u0456\u043d\u0434\u0435\u0442\u0456\u043b\u0456\u0433\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04b1\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u049b\u043e\u0441\u0443.",
- "HeaderResponseProfileHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u04af\u043d \u049b\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0436\u0430\u0431\u0434\u044b\u049b\u049b\u0430 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0435\u0442\u0456\u043d \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b \u0431\u0435\u0440\u0435\u0434\u0456.",
- "LabelXDlnaCap": "X-Dlna \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b:",
- "LabelXDlnaCapHelp": "urn:schemas-dlna-org:device-1-0 \u0430\u0442\u0430\u0443\u043b\u0430\u0440 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u0433\u0456\u043d\u0434\u0435\u0433\u0456 X_DLNACAP \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
- "LabelXDlnaDoc": "X-Dlna \u0442\u04d9\u0441\u0456\u043c\u0456:",
- "LabelXDlnaDocHelp": "urn:schemas-dlna-org:device-1-0 \u0430\u0442\u0430\u0443\u043b\u0430\u0440 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u0433\u0456\u043d\u0434\u0435\u0433\u0456 X_DLNADOC \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
- "LabelSonyAggregationFlags": "Sony \u0431\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u0443 \u0436\u0430\u043b\u0430\u0443\u0448\u0430\u043b\u0430\u0440\u044b:",
- "LabelSonyAggregationFlagsHelp": "urn:schemas-sonycom:av \u0430\u0442\u0430\u0443\u043b\u0430\u0440 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u0433\u0456\u043d\u0434\u0435\u0433\u0456 aggregationFlags \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
- "LabelTranscodingContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
- "LabelTranscodingVideoCodec": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043a\u043e\u0434\u0435\u043a:",
- "LabelTranscodingVideoProfile": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b:",
- "LabelTranscodingAudioCodec": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u043a\u043e\u0434\u0435\u043a:",
- "OptionEnableM2tsMode": "M2ts \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443",
- "OptionEnableM2tsModeHelp": "Mpegts \u04af\u0448\u0456\u043d \u043a\u043e\u0434\u0442\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 m2ts \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443.",
- "OptionEstimateContentLength": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u043c\u0430\u0437\u043c\u04b1\u043d \u04b1\u0437\u044b\u043d\u0434\u044b\u0493\u044b\u043d \u0431\u0430\u0493\u0430\u043b\u0430\u0443",
- "OptionReportByteRangeSeekingWhenTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0431\u0430\u0439\u0442 \u0456\u0440\u0456\u043a\u0442\u0435\u0443\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u0441\u0430 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0443",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u0411\u04b1\u043b \u0443\u0430\u049b\u044b\u0442 \u0456\u0440\u0456\u043a\u0442\u0435\u0443\u0456 \u043e\u043d\u0448\u0430 \u0435\u043c\u0435\u0441 \u043a\u0435\u0439\u0431\u0456\u0440 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u0430\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442.",
- "HeaderSubtitleDownloadingHelp": "Media Browser \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0433\u0435\u043d\u0434\u0435 \u0431\u04b1\u043b \u0436\u043e\u049b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0456\u0437\u0434\u0435\u0443 \u0436\u04d9\u043d\u0435 OpenSubtitles.org \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
- "HeaderDownloadSubtitlesFor": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u043c\u044b\u043d\u0430\u0493\u0430\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443:",
- "MessageNoChapterProviders": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0441\u0430\u0445\u043d\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d ChapterDb \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440 \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0456 \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.",
- "LabelSkipIfGraphicalSubsPresent": "\u0415\u0433\u0435\u0440 \u0431\u0435\u0439\u043d\u0435\u0434\u0435 \u0441\u044b\u0437\u0431\u0430\u043b\u044b\u049b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0431\u043e\u043b\u0441\u0430 \u04e9\u0442\u043a\u0456\u0437\u0456\u043f \u0436\u0456\u0431\u0435\u0440\u0443",
- "LabelSkipIfGraphicalSubsPresentHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456\u04a3 \u043c\u04d9\u0442\u0456\u043d\u0434\u0456\u043a \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u044b\u043d \u049b\u0430\u043b\u0434\u044b\u0440\u0441\u0430 \u04b1\u0442\u049b\u044b\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0442\u0438\u0456\u043c\u0434\u0456 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u043b\u0435\u0434\u0456.",
- "TabSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440",
- "TabChapters": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
- "HeaderDownloadChaptersFor": "\u041c\u044b\u043d\u0430\u0493\u0430\u043d \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440 \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443:",
- "LabelOpenSubtitlesUsername": "Open Subtitles \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b:",
- "LabelOpenSubtitlesPassword": "Open Subtitles \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456:",
- "HeaderChapterDownloadingHelp": "Media Browser \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0433\u0435\u043d\u0434\u0435 \u0431\u04b1\u043b ChapterDb \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0442\u04af\u0441\u0456\u043d\u0456\u043a\u0442\u0456 \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
- "LabelPlayDefaultAudioTrack": "\u0422\u0456\u043b\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u0441\u044b\u0437 \u04d9\u0434\u0435\u043f\u043a\u0456 \u0434\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u0493\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443",
- "LabelSubtitlePlaybackMode": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456:",
- "LabelDownloadLanguages": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u0456\u043b\u0434\u0435\u0440:",
- "ButtonRegister": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443",
- "LabelSkipIfAudioTrackPresent": "\u0415\u0433\u0435\u0440 \u04d9\u0434\u0435\u043f\u043a\u0456 \u0434\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u0493\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u0456\u043b\u0433\u0435 \u0441\u04d9\u0439\u043a\u0435\u0441 \u043a\u0435\u043b\u0441\u0435 \u04e9\u0442\u043a\u0456\u0437\u0456\u043f \u0436\u0456\u0431\u0435\u0440\u0443",
- "LabelSkipIfAudioTrackPresentHelp": "\u0411\u0430\u0440\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0435 \u0434\u044b\u0431\u044b\u0441 \u0442\u0456\u043b\u0456\u043d\u0435 \u049b\u0430\u0442\u044b\u0441\u0441\u044b\u0437 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0431\u043e\u043b\u0443\u044b \u04af\u0448\u0456\u043d \u049b\u04b1\u0441\u0431\u0435\u043b\u0433\u0456\u043d\u0456 \u0430\u043b\u044b\u04a3\u044b\u0437.",
- "HeaderSendMessage": "\u0425\u0430\u0431\u0430\u0440 \u0436\u0456\u0431\u0435\u0440\u0443",
- "ButtonSend": "\u0416\u0456\u0431\u0435\u0440\u0443",
- "LabelMessageText": "\u0425\u0430\u0431\u0430\u0440 \u043c\u04d9\u0442\u0456\u043d\u0456",
- "MessageNoAvailablePlugins": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0436\u043e\u049b",
- "LabelDisplayPluginsFor": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0434\u0456 \u043c\u044b\u043d\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "\u042d\u043f\u0438\u0437\u043e\u0434 \u0430\u0442\u0430\u0443\u044b",
- "LabelSeriesNamePlain": "\u0421\u0435\u0440\u0438\u0430\u043b \u0430\u0442\u0430\u0443\u044b",
- "ValueSeriesNamePeriod": "\u0421\u0435\u0440\u0438\u0430\u043b.\u0430\u0442\u044b",
- "ValueSeriesNameUnderscore": "\u0421\u0435\u0440\u0438\u0430\u043b_\u0430\u0442\u044b",
- "ValueEpisodeNamePeriod": "\u042d\u043f\u0438\u0437\u043e\u0434.\u0430\u0442\u044b",
- "ValueEpisodeNameUnderscore": "\u042d\u043f\u0438\u0437\u043e\u0434_\u0430\u0442\u044b",
- "LabelSeasonNumberPlain": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456",
- "LabelEpisodeNumberPlain": "\u042d\u043f\u0438\u0437\u043e\u043b \u043d\u04e9\u043c\u0456\u0440\u0456",
- "LabelEndingEpisodeNumberPlain": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456",
- "HeaderTypeText": "\u041c\u04d9\u0442\u0456\u043d\u0434\u0456 \u0435\u043d\u0433\u0456\u0437\u0443",
- "LabelTypeText": "\u041c\u04d9\u0442\u0456\u043d",
- "HeaderSearchForSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0456\u0437\u0434\u0435\u0443",
- "MessageNoSubtitleSearchResultsFound": "\u0406\u0437\u0434\u0435\u0433\u0435\u043d\u0434\u0435 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.",
- "TabDisplay": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
- "TabLanguages": "\u0422\u0456\u043b\u0434\u0435\u0440",
- "TabWebClient": "\u0432\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442",
- "LabelEnableThemeSongs": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443",
- "LabelEnableBackdrops": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443",
- "LabelEnableThemeSongsHelp": "\u0415\u0433\u0435\u0440 \u049b\u043e\u0441\u044b\u043b\u0441\u0430, \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u044b\u0493\u0430\u043d\u0434\u0430 \u0442\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440 \u04e9\u04a3\u0434\u0435 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0430\u0434\u044b.",
- "LabelEnableBackdropsHelp": "\u0415\u0433\u0435\u0440 \u049b\u043e\u0441\u044b\u043b\u0441\u0430, \u0430\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u044b\u0493\u0430\u043d\u0434\u0430 \u043a\u0435\u0439\u0431\u0456\u0440 \u0431\u0435\u0442\u0442\u0435\u0440\u0434\u0435 \u04e9\u04a3\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
- "HeaderHomePage": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442",
- "HeaderSettingsForThisDevice": "\u041e\u0441\u044b \u0436\u0430\u0431\u0434\u044b\u049b\u049b\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440",
- "OptionAuto": "\u0410\u0432\u0442\u043e",
- "OptionYes": "\u0418\u04d9",
- "OptionNo": "\u0416\u043e\u049b",
- "LabelHomePageSection1": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 1-\u0431\u04e9\u043b\u0456\u043c:",
- "LabelHomePageSection2": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 2-\u0431\u04e9\u043b\u0456\u043c:",
- "LabelHomePageSection3": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 3-\u0431\u04e9\u043b\u0456\u043c:",
- "LabelHomePageSection4": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 4-\u0431\u04e9\u043b\u0456\u043c:",
- "OptionMyViewsButtons": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c (\u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440)",
- "OptionMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c",
- "OptionMyViewsSmall": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c (\u044b\u049b\u0448\u0430\u043c)",
- "OptionResumablemedia": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
- "OptionLatestMedia": "\u0415\u04a3 \u0441\u043e\u04a3\u0493\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u043b\u0430\u0440",
- "OptionLatestChannelMedia": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456",
- "HeaderLatestChannelItems": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456",
- "OptionNone": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439",
- "HeaderLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414",
- "HeaderReports": "\u0415\u0441\u0435\u043f\u0442\u0435\u0440",
- "HeaderMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0448\u044b",
- "HeaderPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440",
- "MessageLoadingChannels": "\u0410\u0440\u043d\u0430\u043d\u044b\u04a3 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443\u0434\u0435...",
- "MessageLoadingContent": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u04af\u043a\u0442\u0435\u043b\u0443\u0434\u0435...",
- "ButtonMarkRead": "\u041e\u049b\u044b\u043b\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u0443",
- "OptionDefaultSort": "\u04d8\u0434\u0435\u043f\u043a\u0456",
- "OptionCommunityMostWatchedSort": "\u0415\u04a3 \u043a\u04e9\u043f \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d\u0434\u0430\u0440",
- "TabNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435\u0433\u0456\u043b\u0435\u0440",
- "MessageNoMovieSuggestionsAvailable": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0444\u0438\u043b\u044c\u043c \u04b1\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440\u044b \u0430\u0493\u044b\u043c\u0434\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043c\u0435\u0441. \u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u0430\u0440\u0430\u0443\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u044b \u0431\u0430\u0441\u0442\u0430\u04a3\u044b\u0437, \u0441\u043e\u043d\u0434\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u04b1\u0441\u044b\u043d\u044b\u0442\u0430\u0440\u044b\u04a3\u044b\u0437\u0434\u044b \u043a\u04e9\u0440\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u043a\u0435\u043b\u0456\u04a3\u0456\u0437.",
- "MessageNoCollectionsAvailable": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456, \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440\u0434\u044b, \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u0434\u044b, \u043a\u0456\u0442\u0430\u043f\u0442\u0430\u0440\u0434\u044b \u0436\u04d9\u043d\u0435 \u043e\u0439\u044b\u043d\u0434\u0430\u0440\u0434\u044b \u0436\u0435\u043a\u0435\u043b\u0435\u043d\u0433\u0435\u043d \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a \u0431\u0435\u0440\u0435\u0434\u0456. \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0436\u0430\u0441\u0430\u0439 \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \"\u0416\u0430\u0441\u0430\u0443\" \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437.",
- "MessageNoPlaylistsAvailable": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456 \u0431\u0456\u0440 \u043a\u0435\u0437\u0434\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0442\u0456\u0437\u0456\u043c\u0456\u043d \u0436\u0430\u0441\u0430\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0433\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443 \u04af\u0448\u0456\u043d, \u0442\u0456\u043d\u0442\u0443\u0456\u0440\u0434\u0456\u04a3 \u043e\u04a3 \u0436\u0430\u049b \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u04af\u0440\u0442\u0456\u043f \u0436\u04d9\u043d\u0435 \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437, \u0441\u043e\u043d\u0434\u0430 \u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435 \u04af\u0441\u0442\u0435\u0443 \u0434\u0435\u0433\u0435\u043d\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.",
- "MessageNoPlaylistItemsAvailable": "\u041e\u0441\u044b \u043e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c \u0430\u0493\u044b\u043c\u0434\u0430\u0493\u044b \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0431\u043e\u0441.",
- "HeaderWelcomeToMediaBrowserWebClient": "Media Browser \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0456\u043d\u0435 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!",
- "ButtonDismiss": "\u0416\u0430\u0441\u044b\u0440\u0443",
- "ButtonTakeTheTour": "\u0410\u0440\u0430\u043b\u0430\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437",
- "ButtonEditOtherUserPreferences": "\u041e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b\u04a3 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b\u043d, \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456\u043d \u0436\u04d9\u043d\u0435 \u0436\u0435\u043a\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u04e9\u04a3\u0434\u0435\u0443.",
- "LabelChannelStreamQuality": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:",
- "LabelChannelStreamQualityHelp": "\u04e8\u0442\u043a\u0456\u0437\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456 \u0442\u04e9\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u0434\u0430, \u0441\u0430\u043f\u0430\u0441\u044b\u043d \u0448\u0435\u043a\u0442\u0435\u0443\u0456 \u0436\u0430\u0442\u044b\u049b\u0442\u0430\u0443 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04d9\u0441\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443\u0456\u043d\u0435 \u043a\u04e9\u043c\u0435\u043a\u0442\u0435\u0441\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.",
- "OptionBestAvailableStreamQuality": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u04a3 \u0436\u0430\u049b\u0441\u044b",
- "LabelEnableChannelContentDownloadingFor": "\u0411\u04b1\u043b \u04af\u0448\u0456\u043d \u0430\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u0441\u0443:",
- "LabelEnableChannelContentDownloadingForHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0430\u0440\u043d\u0430\u043b\u0430\u0440 \u049b\u0430\u0440\u0430\u0443\u0434\u044b\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043c\u0430\u0437\u043c\u04af\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u043b\u0434\u0430\u0439\u0434\u044b. \u04e8\u0442\u043a\u0456\u0437\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456 \u0442\u04e9\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u043b\u0430\u0440\u0434\u0430 \u0430\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04b1\u043c\u044b\u0441\u0442\u0430\u043d \u0431\u043e\u0441 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437. \u041c\u0430\u0437\u043c\u04af\u043d \u0430\u0440\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u0441\u044b \u0431\u04e9\u043b\u0456\u0433\u0456 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0435\u0434\u0456.",
- "LabelChannelDownloadPath": "\u0410\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0436\u043e\u043b\u044b:",
- "LabelChannelDownloadPathHelp": "\u041a\u0435\u0440\u0435\u043a \u0431\u043e\u043b\u0441\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0436\u043e\u043b\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437. \u0411\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u0456\u0448\u043a\u0456 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.",
- "LabelChannelDownloadAge": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u043e\u0439\u044b\u043b\u0443\u044b \u043a\u0435\u043b\u0435\u0441\u0456\u0434\u0435\u043d \u043a\u0435\u0439\u0456\u043d, \u043a\u04af\u043d:",
- "LabelChannelDownloadAgeHelp": "\u0411\u04b1\u0434\u0430\u043d \u0431\u04b1\u0440\u044b\u043d\u0493\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04af\u043d \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b. \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04d9\u0434\u0456\u0441\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u043e\u0439\u043d\u0430\u0442\u0443 \u0456\u0441\u0442\u0435 \u049b\u0430\u043b\u0430\u0434\u044b.",
- "ChannelSettingsFormHelp": "\u041f\u043b\u0430\u0433\u0438\u043d \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0456\u043d\u0434\u0435\u0433\u0456 Trailers \u0436\u04d9\u043d\u0435 Vimeo \u0441\u0438\u044f\u049b\u0442\u044b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.",
- "LabelSelectCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:",
- "ButtonOptions": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440",
- "ViewTypeMovies": "\u041a\u0438\u043d\u043e",
- "ViewTypeTvShows": "\u0422\u0414",
- "ViewTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440",
- "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430",
- "ViewTypeBoxSets": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440",
- "ViewTypeChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440",
- "ViewTypeLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414",
- "ViewTypeLiveTvNowPlaying": "\u042d\u0444\u0438\u0440\u0434\u0435",
- "ViewTypeLatestGames": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043e\u0439\u044b\u043d\u0434\u0430\u0440",
- "ViewTypeRecentlyPlayedGames": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430\u0440",
- "ViewTypeGameFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440",
- "ViewTypeGameSystems": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456",
- "ViewTypeGameGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440",
- "ViewTypeTvResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
- "ViewTypeTvNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435\u0433\u0456\u043b\u0435\u0440",
- "ViewTypeTvLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456",
- "ViewTypeTvShowSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440",
- "ViewTypeTvGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440",
- "ViewTypeTvFavoriteSeries": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440",
- "ViewTypeTvFavoriteEpisodes": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440",
- "ViewTypeMovieResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
- "ViewTypeMovieLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456",
- "ViewTypeMovieMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440",
- "ViewTypeMovieCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440",
- "ViewTypeMovieFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440",
- "ViewTypeMovieGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440",
- "ViewTypeMusicLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456",
- "ViewTypeMusicAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440",
- "ViewTypeMusicAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b",
- "HeaderOtherDisplaySettings": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
- "ViewTypeMusicSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440",
- "ViewTypeMusicFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440",
- "ViewTypeMusicFavoriteAlbums": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440",
- "ViewTypeMusicFavoriteArtists": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440",
- "ViewTypeMusicFavoriteSongs": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440",
- "HeaderMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c",
- "LabelSelectFolderGroups": "\u041a\u0435\u043b\u0435\u0441\u0456 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u0430\u0493\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430 \u0436\u04d9\u043d\u0435 \u0422\u0414 \u0441\u0438\u044f\u049b\u0442\u044b \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0433\u0435 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443:",
- "LabelSelectFolderGroupsHelp": "\u0411\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0431\u0435\u0433\u0435\u043d \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u04e9\u0437 \u0431\u0435\u0442\u0456\u043c\u0435\u043d \u04e9\u0437\u0456\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
- "OptionDisplayAdultContent": "\u0415\u0440\u0435\u0441\u0435\u043a \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443",
- "OptionLibraryFolders": "\u0422\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b",
- "TitleRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443",
- "OptionLatestTvRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440",
- "LabelProtocolInfo": "\u041f\u0440\u043e\u0442\u043e\u049b\u043e\u043b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u044b:",
- "LabelProtocolInfoHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 GetProtocolInfo \u0441\u04b1\u0440\u0430\u043d\u044b\u0441\u0442\u0430\u0440\u044b\u043d\u0430 \u0436\u0430\u0443\u0430\u043f \u0431\u0435\u0440\u0433\u0435\u043d\u0434\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b Xbmc NFO \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u0436\u04d9\u043d\u0435 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u043a\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u043c\u0435 \u049b\u043e\u043b\u0434\u0430\u0443\u044b\u043d \u049b\u0430\u043c\u0442\u0438\u0434\u044b. Xbmc \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443 \u043d\u0435\u043c\u0435\u0441\u0435 \u04e9\u0448\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u049b\u043e\u0439\u044b\u043d\u0434\u044b\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u0442\u0430\u0441\u0443\u0448\u044b \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.",
- "LabelKodiMetadataUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b\u04a3 \u049b\u0430\u0440\u0430\u0443 \u043a\u04af\u0439\u0456\u043d NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u04af\u0448\u0456\u043d \u043c\u044b\u043d\u0430\u0493\u0430\u043d \u049b\u043e\u0441\u0443:",
- "LabelKodiMetadataUserHelp": "\u041a\u04e9\u0440\u0456\u043b\u0433\u0435\u043d \u043a\u04af\u0439\u0434\u0456 Media Browser \u0436\u04d9\u043d\u0435 Kodi \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u04af\u0439\u043b\u0435\u0441\u0442\u0456\u0440\u0456\u043f \u0442\u04b1\u0440\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.",
- "LabelKodiMetadataDateFormat": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456\u043d\u0456\u04a3 \u043f\u0456\u0448\u0456\u043c\u0456:",
- "LabelKodiMetadataDateFormatHelp": "\u041e\u0441\u044b \u043f\u0456\u0448\u0456\u043c\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f nfo \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 \u0431\u0430\u0440\u043b\u044b\u049b \u043a\u04af\u043d\u0434\u0435\u0440\u0456 \u043e\u049b\u044b\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0436\u0430\u0437\u044b\u043b\u0430\u0434\u044b.",
- "LabelKodiMetadataSaveImagePaths": "\u0421\u0443\u0440\u0435\u0442 \u0436\u043e\u043b\u0434\u0430\u0440\u044b\u043d NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d\u0434\u0430 \u0441\u0430\u049b\u0442\u0430\u0443",
- "LabelKodiMetadataSaveImagePathsHelp": "\u0415\u0433\u0435\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 Kodi \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u044b\u049b \u04b1\u0441\u0442\u0430\u043d\u044b\u043c\u0434\u0430\u0440\u044b\u043d\u0430 \u0441\u0430\u0439 \u043a\u0435\u043b\u043c\u0435\u0433\u0435\u043d \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043b \u04b1\u0441\u044b\u043d\u044b\u043b\u0430\u0434\u044b.",
- "LabelKodiMetadataEnablePathSubstitution": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u043e\u0441\u0443",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0436\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u0436\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0430\u0434\u044b.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u0430\u0440\u0430\u0443.",
- "LabelGroupChannelsIntoViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c\u0434\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043a\u0435\u043b\u0435\u0441\u0456 \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443:",
- "LabelGroupChannelsIntoViewsHelp": "\u0415\u0433\u0435\u0440 \u049b\u043e\u0441\u044b\u043b\u0441\u0430, \u043e\u0441\u044b \u0430\u0440\u043d\u0430\u043b\u0430\u0440 \u0431\u0430\u0441\u049b\u0430 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u043c\u0435\u043d \u049b\u0430\u0442\u0430\u0440 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456. \u0415\u0433\u0435\u0440 \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0441\u0430, \u043e\u043b\u0430\u0440 \u0431\u04e9\u043b\u0435\u043a \u0410\u0440\u043d\u0430\u043b\u0430\u0440 \u043a\u04e9\u0440\u0456\u043d\u0456\u0441\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
- "LabelDisplayCollectionsView": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u0436\u0438\u043d\u0430\u049b\u0442\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0430\u0441\u043f\u0435\u043a\u0442\u0456\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
- "LabelKodiMetadataEnableExtraThumbs": "\u04d8\u0434\u0435\u043f\u043a\u0456 extrafanart \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d extrathumbs \u0456\u0448\u0456\u043d\u0435 \u043a\u04e9\u0448\u0456\u0440\u0443",
- "LabelKodiMetadataEnableExtraThumbsHelp": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u0433\u0435\u043d \u043a\u0435\u0437\u0434\u0435, \u043e\u043b\u0430\u0440 Kodi \u049b\u0430\u0431\u044b\u0493\u044b\u043c\u0435\u043d \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0438\u044b\u0441\u044b\u043c\u0434\u044b\u0493\u044b \u04af\u0448\u0456\u043d extrafanart \u0436\u04d9\u043d\u0435 extrathumbs \u0435\u043a\u0435\u0443\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u043b\u0430\u0434\u044b.",
- "TabServices": "\u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440",
- "TabLogs": "\u0416\u04b1\u0440\u043d\u0430\u043b\u0434\u0430\u0440",
- "HeaderServerLogFiles": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b:",
- "TabBranding": "\u0411\u0440\u0435\u043d\u0434\u0438\u043d\u0433",
- "HeaderBrandingHelp": "\u0422\u043e\u0431\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u043d\u0435 \u04b1\u0439\u044b\u043c\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u043c\u04b1\u049b\u0442\u0430\u0436\u0434\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430 \u04af\u0439\u043b\u0435\u0441\u0456\u043c\u0434\u0456 Media Browser \u0431\u0435\u0437\u0435\u043d\u0434\u0456\u0440\u0443\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u0443.",
- "LabelLoginDisclaimer": "\u041a\u0456\u0440\u0433\u0435\u043d\u0434\u0435\u0433\u0456 \u0435\u0441\u043a\u0435\u0440\u0442\u0443:",
- "LabelLoginDisclaimerHelp": "\u0411\u04b1\u043b \u043a\u0456\u0440\u0443 \u0431\u0435\u0442\u0456\u043d\u0456\u04a3 \u0442\u04e9\u043c\u0435\u043d\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
- "LabelAutomaticallyDonate": "\u041e\u0441\u044b \u0441\u043e\u043c\u0430\u043d\u044b \u04d9\u0440 \u0430\u0439 \u0441\u0430\u0439\u044b\u043d \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0441\u044b\u0439\u043b\u0430\u0443",
- "LabelAutomaticallyDonateHelp": "PayPal \u0435\u0441\u0435\u043f \u0448\u043e\u0442\u044b\u04a3\u044b\u0437 \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0434\u043e\u0493\u0430\u0440\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u04a3\u0456\u0437 \u0431\u0430\u0440.",
- "OptionList": "\u0422\u0456\u0437\u0456\u043c",
- "TabDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b",
- "TitleServer": "\u0421\u0435\u0440\u0432\u0435\u0440",
- "LabelCache": "\u041a\u0435\u0448:",
- "LabelLogs": "\u0416\u04b1\u0440\u043d\u0430\u043b\u0434\u0430\u0440:",
- "LabelMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440:",
- "LabelImagesByName": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440:",
- "LabelTranscodingTemporaryFiles": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u044b\u043d\u044b\u04a3 \u0443\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b:",
- "HeaderLatestMusic": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043c\u0443\u0437\u044b\u043a\u0430",
- "HeaderBranding": "\u0411\u0440\u0435\u043d\u0434\u0438\u04a3\u0433",
- "HeaderApiKeys": "API \u043a\u0456\u043b\u0442\u0442\u0435\u0440\u0456",
- "HeaderApiKeysHelp": "\u0421\u044b\u0440\u0442\u049b\u044b \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440 Media Browser \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b\u043c\u0435\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u04af\u0448\u0456\u043d API \u043a\u0456\u043b\u0442\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456. \u041a\u0456\u043b\u0442\u0442\u0435\u0440 Media Browser \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456\u043d\u0435 \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435, \u043d\u0435\u043c\u0435\u0441\u0435 \u043a\u0456\u043b\u0442\u0442\u0456 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u049b\u043e\u043b\u043c\u0435\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043b\u0433\u0435\u043d\u0434\u0435 \u0431\u0435\u0440\u0456\u043b\u0435\u0434\u0456.",
- "HeaderApiKey": "API \u043a\u0456\u043b\u0442\u0456",
- "HeaderApp": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430",
- "HeaderDevice": "\u0416\u0430\u0431\u0434\u044b\u049b",
- "HeaderUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b",
- "HeaderDateIssued": "\u0411\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456",
- "LabelChapterName": "{0}-\u0441\u0430\u0445\u043d\u0430",
- "HeaderNewApiKey": "\u0416\u0430\u04a3\u0430 API \u043a\u0456\u043b\u0442\u0456",
- "LabelAppName": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0430\u0442\u044b",
- "LabelAppNameExample": "\u041c\u044b\u0441\u0430\u043b\u044b: Sickbeard, NzbDrone",
- "HeaderNewApiKeyHelp": "Media Browser \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b\u043c\u0435\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u049b\u04b1\u049b\u044b\u049b\u044b\u0493\u044b \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443.",
- "HeaderHttpHeaders": "HTTP \u04af\u0441\u0442\u0456\u04a3\u0433\u0456 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u043b\u0435\u0440\u0456",
- "HeaderIdentificationHeader": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443\u0434\u044b\u04a3 \u04af\u0441\u0442\u0456\u04a3\u0433\u0456 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u0441\u0456",
- "LabelValue": "\u041c\u04d9\u043d\u0456:",
- "LabelMatchType": "\u0421\u04d9\u0439\u043a\u0435\u0441 \u0442\u04af\u0440\u0456:",
- "OptionEquals": "\u0422\u0435\u04a3",
- "OptionRegex": "\u04b0\u0434\u0430\u0439\u044b \u04e9\u0440\u043d\u0435\u043a",
- "OptionSubstring": "\u0406\u0448\u043a\u0456 \u0436\u043e\u043b",
- "TabView": "\u041a\u04e9\u0440\u0456\u043d\u0456\u0441",
- "TabSort": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u0443",
- "TabFilter": "\u0421\u04af\u0437\u0443",
- "ButtonView": "\u049a\u0430\u0440\u0430\u0443",
- "LabelPageSize": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440 \u0448\u0435\u0433\u0456:",
- "LabelPath": "\u0416\u043e\u043b\u044b:",
- "LabelView": "\u041a\u04e9\u0440\u0456\u043d\u0456\u0441:",
- "TabUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440",
- "LabelSortName": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b:",
- "LabelDateAdded": "\u04ae\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456",
- "HeaderFeatures": "\u041c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440",
- "HeaderAdvanced": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430",
- "ButtonSync": "\u0421\u0438\u043d\u0445\u0440\u043e",
- "TabScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b",
- "HeaderChapters": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
- "HeaderResumeSettings": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
- "TabSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443",
- "TitleUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440",
- "LabelProtocol": "\u041f\u0440\u043e\u0442\u043e\u043a\u043e\u043b:",
- "OptionProtocolHttp": "HTTP",
"OptionProtocolHls": "Http \u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 (HLS)",
"LabelContext": "\u041c\u04d9\u0442\u0456\u043d\u043c\u04d9\u043d:",
"OptionContextStreaming": "\u0410\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443",
@@ -897,6 +297,10 @@
"HeaderDashboardUserPassword": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u044b\u049b \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0434\u0435\u0440 \u04d9\u0440 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0436\u0435\u043a\u0435 \u043f\u0440\u043e\u0444\u0430\u0439\u043b \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u0430\u0441\u049b\u0430\u0440\u044b\u043b\u0430\u0434\u044b.",
"HeaderLibraryAccess": "\u0422\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443",
"HeaderChannelAccess": "\u0410\u0440\u043d\u0430\u0493\u0430 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443",
+ "HeaderLatestItems": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440",
+ "LabelSelectLastestItemsFolders": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u043a\u0435\u043b\u0435\u0441\u0456 \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d\u0435\u043d \u0442\u0430\u0441\u0443\u0448\u044b \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u043c\u0435\u043d \u049b\u0430\u043c\u0442\u0443",
+ "HeaderShareMediaFolders": "\u0422\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u049b\u0442\u0430\u0441\u0443",
+ "MessageGuestSharingPermissionsHelp": "\u041c\u04d9\u043b\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u043a\u04e9\u0431\u0456 \u04d9\u0434\u0435\u043f\u043a\u0456\u0434\u0435 \u049b\u043e\u043d\u0430\u049b\u0442\u0430\u0440\u0493\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043c\u0435\u0441, \u0431\u0456\u0440\u0430\u049b \u043a\u0435\u0440\u0435\u043a \u0431\u043e\u043b\u0441\u0430 \u049b\u043e\u0441\u044b\u043b\u0430\u0434\u044b.",
"LabelExit": "\u0428\u044b\u0493\u0443",
"LabelVisitCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b\u049b\u0430 \u0431\u0430\u0440\u0443",
"LabelGithubWiki": "Github \u0443\u0438\u043a\u0438\u0456",
@@ -1249,5 +653,605 @@
"OptionDownloadBannerImage": "\u0411\u0430\u043d\u043d\u0435\u0440",
"OptionDownloadBackImage": "\u0410\u0440\u0442\u049b\u044b \u043c\u04b1\u049b\u0430\u0431\u0430",
"OptionDownloadArtImage": "\u041e\u044e \u0441\u0443\u0440\u0435\u0442",
- "OptionDownloadPrimaryImage": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b"
+ "OptionDownloadPrimaryImage": "\u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b",
+ "HeaderFetchImages": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0456\u0440\u0456\u043a\u0442\u0435\u0443:",
+ "HeaderImageSettings": "\u0421\u0443\u0440\u0435\u0442 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
+ "TabOther": "\u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440",
+ "LabelMaxBackdropsPerItem": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0430\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u0435\u04a3 \u043a\u04e9\u043f \u0441\u0430\u043d\u044b:",
+ "LabelMaxScreenshotsPerItem": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0435\u04a3 \u043a\u04e9\u043f \u0441\u043a\u0440\u0438\u043d\u0448\u043e\u0442 \u0441\u0430\u043d\u044b:",
+ "LabelMinBackdropDownloadWidth": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0456\u04a3 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0435\u04a3 \u0430\u0437 \u0435\u043d\u0456:",
+ "LabelMinScreenshotDownloadWidth": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u0437 \u0441\u043a\u0440\u0438\u043d\u0448\u043e\u0442 \u0435\u043d\u0456:",
+ "ButtonAddScheduledTaskTrigger": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u04af\u0441\u0442\u0435\u0443",
+ "HeaderAddScheduledTaskTrigger": "\u0422\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0456\u043d \u04af\u0441\u0442\u0435\u0443",
+ "ButtonAdd": "\u04ae\u0441\u0442\u0435\u0443",
+ "LabelTriggerType": "\u0422\u0440\u0438\u0433\u0433\u0435\u0440 \u0442\u04af\u0440\u0456:",
+ "OptionDaily": "\u041a\u04af\u043d \u0441\u0430\u0439\u044b\u043d",
+ "OptionWeekly": "\u0410\u043f\u0442\u0430 \u0441\u0430\u0439\u044b\u043d",
+ "OptionOnInterval": "\u0410\u0440\u0430\u043b\u044b\u049b\u0442\u0430",
+ "OptionOnAppStartup": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430",
+ "OptionAfterSystemEvent": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043e\u049b\u0438\u0493\u0430\u0434\u0430\u043d \u043a\u0435\u0439\u0456\u043d",
+ "LabelDay": "\u041a\u04af\u043d:",
+ "LabelTime": "\u0423\u0430\u049b\u044b\u0442:",
+ "LabelEvent": "\u041e\u049b\u0438\u0493\u0430:",
+ "OptionWakeFromSleep": "\u04b0\u0439\u049b\u044b\u0434\u0430\u043d \u043e\u044f\u0442\u0443\u0434\u0430",
+ "LabelEveryXMinutes": "\u04d8\u0440:",
+ "HeaderTvTuners": "\u0422\u044e\u043d\u0435\u0440\u043b\u0435\u0440",
+ "HeaderGallery": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b",
+ "HeaderLatestGames": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u043e\u0439\u044b\u043d\u0434\u0430\u0440",
+ "HeaderRecentlyPlayedGames": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u043e\u0439\u044b\u043d\u0434\u0430\u0440",
+ "TabGameSystems": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456",
+ "TitleMediaLibrary": "\u0422\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430",
+ "TabFolders": "\u049a\u0430\u043b\u0442\u0430\u043b\u0430\u0440",
+ "TabPathSubstitution": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443",
+ "LabelSeasonZeroDisplayName": "\u041c\u0430\u0443\u0441\u044b\u043c 0 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0430\u0442\u044b:",
+ "LabelEnableRealtimeMonitor": "\u041d\u0430\u049b\u0442\u044b \u0443\u0430\u049b\u044b\u0442\u0442\u0430\u0493\u044b \u0431\u0430\u049b\u044b\u043b\u0430\u0443\u0434\u044b \u049b\u043e\u0441\u0443",
+ "LabelEnableRealtimeMonitorHelp": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b \u0444\u0430\u0439\u043b\u0434\u044b\u049b \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456\u043d\u0434\u0435 \u04e9\u0437\u0433\u0435\u0440\u0456\u0441\u0442\u0435\u0440 \u0434\u0435\u0440\u0435\u0443 \u04e9\u04a3\u0434\u0435\u043b\u0435\u0434\u0456.",
+ "ButtonScanLibrary": "\u0422\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u043d\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0443",
+ "HeaderNumberOfPlayers": "\u041e\u0439\u043d\u0430\u0442\u049b\u044b\u0448\u0442\u0430\u0440:",
+ "OptionAnyNumberOfPlayers": "\u04d8\u0440\u049b\u0430\u0439\u0441\u044b",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "\u0422\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b",
+ "HeaderThemeVideos": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440",
+ "HeaderThemeSongs": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440",
+ "HeaderScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
+ "HeaderAwardsAndReviews": "\u041c\u0430\u0440\u0430\u043f\u0430\u0442\u0442\u0430\u0440 \u043c\u0435\u043d \u043f\u0456\u043a\u0456\u0440\u0441\u0430\u0440\u0430\u043f\u0442\u0430\u0440",
+ "HeaderSoundtracks": "\u0424\u0438\u043b\u044c\u043c\u0434\u0456\u04a3 \u043c\u0443\u0437\u044b\u043a\u0430\u0441\u044b",
+ "HeaderMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440",
+ "HeaderSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440",
+ "HeaderCastCrew": "\u0422\u04af\u0441\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u049b\u0430\u043d\u0434\u0430\u0440",
+ "HeaderAdditionalParts": "\u0416\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d \u0431\u04e9\u043b\u0456\u043c\u0434\u0435\u0440",
+ "ButtonSplitVersionsApart": "\u041d\u04af\u0441\u049b\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0439\u0442\u0430 \u0431\u04e9\u043b\u0443",
+ "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440",
+ "LabelMissing": "\u0416\u043e\u049b",
+ "LabelOffline": "\u0414\u0435\u0440\u0431\u0435\u0441",
+ "PathSubstitutionHelp": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u043b\u0430\u0440\u044b\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u0433\u0456 \u0436\u043e\u043b\u0434\u044b \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0430 \u0430\u043b\u0430\u0442\u044b\u043d \u0436\u043e\u043b\u043c\u0435\u043d \u0441\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0435\u0433\u0456 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u04af\u0448\u0456\u043d \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043b\u0433\u0435\u043d\u0434\u0435, \u0431\u04b1\u043b\u0430\u0440 \u0442\u0430\u0441\u0443\u0448\u044b\u043d\u044b \u0436\u0435\u043b\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u04d9\u043d\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0440\u0435\u0441\u0443\u0440\u0441\u0442\u0430\u0440\u044b\u043d \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04af\u0448\u0456\u043d \u0436\u04d9\u043d\u0435 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0434\u0430\u043d \u0436\u0430\u043b\u0442\u0430\u0440\u0430\u0434\u044b.",
+ "HeaderFrom": "\u049a\u0430\u0439\u0434\u0430\u043d",
+ "HeaderTo": "\u049a\u0430\u0439\u0434\u0430",
+ "LabelFrom": "\u049a\u0430\u0439\u0434\u0430\u043d:",
+ "LabelFromHelp": "\u041c\u044b\u0441\u0430\u043b: D:\\Movies (\u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0435)",
+ "LabelTo": "\u049a\u0430\u0439\u0434\u0430:",
+ "LabelToHelp": "\u041c\u044b\u0441\u0430\u043b: \\\\MyServer\\Movies (\u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0430 \u0430\u043b\u0430\u0442\u044b\u043d \u0436\u043e\u043b)",
+ "ButtonAddPathSubstitution": "\u0410\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u04af\u0441\u0442\u0435\u0443",
+ "OptionSpecialEpisode": "\u0410\u0440\u043d\u0430\u0439\u044b\u043b\u0430\u0440",
+ "OptionMissingEpisode": "\u0416\u043e\u049b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440",
+ "OptionUnairedEpisode": "\u041a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u043c\u0435\u0433\u0435\u043d \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440",
+ "OptionEpisodeSortName": "\u042d\u043f\u0438\u0437\u043e\u0434\u0442\u044b\u04a3 \u0441\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b",
+ "OptionSeriesSortName": "\u0421\u0435\u0440\u0438\u0430\u043b \u0430\u0442\u044b",
+ "OptionTvdbRating": "Tvdb \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u044b",
+ "HeaderTranscodingQualityPreference": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u0441\u0430\u043f\u0430\u0441\u044b\u043d\u044b\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:",
+ "OptionAutomaticTranscodingHelp": "\u0421\u0430\u043f\u0430 \u043c\u0435\u043d \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b\u0442\u044b \u0441\u0435\u0440\u0432\u0435\u0440 \u0448\u0435\u0448\u0435\u0434\u0456",
+ "OptionHighSpeedTranscodingHelp": "\u0422\u04e9\u043c\u0435\u043d\u0434\u0435\u0443 \u0441\u0430\u043f\u0430, \u0431\u0456\u0440\u0430\u049b \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u0430\u0443 \u043a\u043e\u0434\u0442\u0430\u0443",
+ "OptionHighQualityTranscodingHelp": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0441\u0430\u043f\u0430, \u0431\u0456\u0440\u0430\u049b \u0436\u0430\u0439\u0431\u0430\u0493\u044b\u0441\u0442\u0430\u0443 \u043a\u043e\u0434\u0442\u0430\u0443",
+ "OptionMaxQualityTranscodingHelp": "\u0416\u0430\u049b\u0441\u044b \u0441\u0430\u043f\u0430 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0443 \u043a\u043e\u0434\u0442\u0430\u0443\u043c\u0435\u043d \u0436\u04d9\u043d\u0435 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0434\u044b \u0436\u043e\u0493\u0430\u0440\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443",
+ "OptionHighSpeedTranscoding": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0436\u044b\u043b\u0434\u0430\u043c\u0434\u044b\u049b",
+ "OptionHighQualityTranscoding": "\u0416\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0443 \u0441\u0430\u043f\u0430",
+ "OptionMaxQualityTranscoding": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0430\u043f\u0430",
+ "OptionEnableDebugTranscodingLogging": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u0434\u0430 \u043a\u04af\u0439\u043a\u0435\u043b\u0442\u0456\u0440\u0443 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440\u044b\u043d \u0436\u04b1\u0440\u043d\u0430\u043b\u0434\u0430 \u049b\u043e\u0441\u0443",
+ "OptionEnableDebugTranscodingLoggingHelp": "\u04e8\u0442\u0435 \u0430\u0443\u049b\u044b\u043c\u0434\u044b \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0436\u0430\u0441\u0430\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0430\u049b\u0430\u0443\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0436\u043e\u044e \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u04b1\u0441\u044b\u043d\u044b\u043b\u0430\u0434\u044b.",
+ "OptionUpscaling": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b \u043a\u04e9\u0442\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u0431\u0435\u0439\u043d\u0435\u043d\u0456 \u0441\u04b1\u0440\u0430\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456",
+ "OptionUpscalingHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0436\u0430\u0493\u0434\u0430\u0439\u043b\u0430\u0440\u0434\u0430 \u0431\u04b1\u043d\u044b\u04a3 \u043d\u04d9\u0442\u0438\u0436\u0435\u0441\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435 \u0441\u0430\u043f\u0430\u0441\u044b \u0436\u0430\u049b\u0441\u0430\u0440\u0442\u044b\u043b\u0430\u0434\u044b, \u0431\u0456\u0440\u0430\u049b \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u0441\u044b \u0430\u0440\u0442\u044b\u0439\u0434\u044b.",
+ "EditCollectionItemsHelp": "\u0411\u04b1\u043b \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0430 \u049b\u0430\u043b\u0430\u0443\u044b\u04a3\u044b\u0437 \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u04d9\u0440\u049b\u0430\u0439\u0441\u044b \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456, \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440\u0434\u044b, \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u0434\u044b, \u043a\u0456\u0442\u0430\u043f\u0442\u0430\u0440\u0434\u044b \u043d\u0435 \u043e\u0439\u044b\u043d\u0434\u0430\u0440\u0434\u044b \u04af\u0441\u0442\u0435\u04a3\u0456\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0430\u043b\u0430\u0441\u0442\u0430\u04a3\u044b\u0437.",
+ "HeaderAddTitles": "\u0422\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440\u0434\u044b \u04af\u0441\u0442\u0435\u0443",
+ "LabelEnableDlnaPlayTo": "DLNA \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u0441\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443\u0434\u044b \u049b\u043e\u0441\u0443",
+ "LabelEnableDlnaPlayToHelp": "Media Browser \u0436\u0435\u043b\u0456\u0434\u0435\u0433\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u0431\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d \u0436\u04d9\u043d\u0435 \u0431\u04b1\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443 \u049b\u0430\u0431\u0456\u043b\u0435\u0442\u0456\u043d \u04b1\u0441\u044b\u043d\u0430\u0434\u044b.",
+ "LabelEnableDlnaDebugLogging": "DLNA \u043a\u04af\u0439\u043a\u0435\u043b\u0442\u0456\u0440\u0443 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440\u044b\u043d \u0436\u04b1\u0440\u043d\u0430\u043b\u0434\u0430 \u049b\u043e\u0441\u0443",
+ "LabelEnableDlnaDebugLoggingHelp": "\u04e8\u0442\u0435 \u0430\u0443\u049b\u044b\u043c\u0434\u044b \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0436\u0430\u0441\u0430\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0430\u049b\u0430\u0443\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0436\u043e\u044e \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.",
+ "LabelEnableDlnaClientDiscoveryInterval": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456 \u0442\u0430\u0443\u044b\u043f \u0430\u0448\u0443 \u0430\u0440\u0430\u043b\u044b\u0493\u044b, \u0441:",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u0433\u0456\u043d \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u0434\u044b\u04a3 \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u04b1\u0437\u0430\u049b\u0442\u044b\u0493\u044b\u043d \u0441\u0435\u043a\u0443\u043d\u0434\u0442\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
+ "HeaderCustomDlnaProfiles": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440",
+ "HeaderSystemDlnaProfiles": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440",
+ "CustomDlnaProfilesHelp": "\u0416\u0430\u04a3\u0430 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u043c\u0430\u049b\u0441\u0430\u0442\u044b \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0456 \u0436\u0430\u0441\u0430\u0443 \u043d\u0435 \u0436\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0430\u043d\u044b\u049b\u0442\u0430\u0443.",
+ "SystemDlnaProfilesHelp": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440 \u0442\u0435\u043a \u043e\u049b\u0443 \u04af\u0448\u0456\u043d. \u0416\u04af\u0439\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0456\u04a3 \u04e9\u0437\u0433\u0435\u0440\u0456\u0441\u0442\u0435\u0440\u0456 \u0436\u0430\u04a3\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u043f\u0440\u043e\u0444\u0438\u043b\u044c\u0433\u0435 \u0436\u0430\u0437\u044b\u043b\u0430\u0434\u044b.",
+ "TitleDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b",
+ "TabHome": "\u0411\u0430\u0441\u0442\u044b",
+ "TabInfo": "\u0410\u049b\u043f\u0430\u0440\u0430\u0442",
+ "HeaderLinks": "\u0421\u0456\u043b\u0442\u0435\u043c\u0435\u043b\u0435\u0440",
+ "HeaderSystemPaths": "\u0416\u04af\u0439\u0435\u043b\u0456\u043a \u0436\u043e\u043b\u0434\u0430\u0440",
+ "LinkCommunity": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b",
+ "LinkGithub": "Github \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0439\u0456",
+ "LinkApiDocumentation": "API \u049b\u04b1\u0436\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b",
+ "LabelFriendlyServerName": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u043e\u04a3\u0430\u0439 \u0430\u0442\u044b:",
+ "LabelFriendlyServerNameHelp": "\u0411\u04b1\u043b \u0430\u0442\u0430\u0443 \u043e\u0441\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u0430\u043d\u044b\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u0415\u0433\u0435\u0440 \u04e9\u0440\u0456\u0441 \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0441\u0430, \u043a\u043e\u043c\u043f\u044c\u044e\u0442\u0435\u0440 \u0430\u0442\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.",
+ "LabelPreferredDisplayLanguage": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u0442\u0456\u043b\u0456\u043d\u0456\u04a3 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456",
+ "LabelPreferredDisplayLanguageHelp": "Media Browser \u0442\u04d9\u0440\u0436\u0456\u043c\u0435\u043b\u0435\u0443\u0456 \u0434\u0430\u043c\u044b\u0442\u043f\u0430\u043b\u044b \u0436\u043e\u0431\u0430 \u0431\u043e\u043b\u044b\u043f \u0442\u0430\u0431\u044b\u043b\u0430\u0434\u044b, \u0436\u04d9\u043d\u0435 \u0431\u04b1\u043b \u04d9\u043b\u0456 \u0434\u0435 \u0430\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d \u0435\u043c\u0435\u0441.",
+ "LabelReadHowYouCanContribute": "\u049a\u0430\u043b\u0430\u0439 \u0456\u0441\u043a\u0435\u0440\u043b\u0435\u0441\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u04a3\u0456\u0437 \u0442\u0443\u0440\u0430\u043b\u044b \u043e\u049b\u044b\u04a3\u044b\u0437.",
+ "HeaderNewCollection": "\u0416\u0430\u04a3\u0430 \u0436\u0438\u044b\u043d\u0442\u044b\u049b",
+ "HeaderAddToCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u049b\u043e\u0441\u0443",
+ "ButtonSubmit": "\u0416\u0456\u0431\u0435\u0440\u0443",
+ "NewCollectionNameExample": "\u041c\u044b\u0441\u0430\u043b: \u0416\u04b1\u043b\u0434\u044b\u0437 \u0441\u043e\u0493\u044b\u0441\u0442\u0430\u0440\u044b (\u0436\u0438\u044b\u043d\u0442\u044b\u049b)",
+ "OptionSearchForInternetMetadata": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u043c\u0435 \u043c\u0435\u043d \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0456 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0442\u0435\u043d \u0456\u0437\u0434\u0435\u0443",
+ "ButtonCreate": "\u0416\u0430\u0441\u0430\u0443",
+ "LabelLocalHttpServerPortNumber": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:",
+ "LabelLocalHttpServerPortNumberHelp": "Media Browser HTTP \u0441\u0435\u0440\u0432\u0435\u0440\u0456 \u0431\u0430\u0439\u043b\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441\u0442\u0456 TCP \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.",
+ "LabelPublicPort": "\u0416\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456:",
+ "LabelPublicPortHelp": "\u0416\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u043e\u0440\u0442\u049b\u0430 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u044b\u043b\u0443\u044b \u0442\u0438\u0456\u0441\u0442\u0456 \u0436\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442 \u043d\u04e9\u043c\u0456\u0440\u0456.",
+ "LabelWebSocketPortNumber": "\u0412\u0435\u0431-\u0441\u043e\u043a\u0435\u0442 \u043f\u043e\u0440\u0442\u044b\u043d\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456:",
+ "LabelEnableAutomaticPortMap": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u043f\u043e\u0440\u0442 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443",
+ "LabelEnableAutomaticPortMapHelp": "\u0416\u0430\u0440\u0438\u044f \u043f\u043e\u0440\u0442\u0442\u044b \u0436\u0435\u0440\u0433\u0456\u043b\u0456\u043a\u0442\u0456 \u043f\u043e\u0440\u0442\u049b\u0430 UPnP \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0441\u0430\u043b\u044b\u0441\u0442\u044b\u0440\u0443 \u04d9\u0440\u0435\u043a\u0435\u0442\u0456. \u0411\u04b1\u043b \u043a\u0435\u0439\u0431\u0456\u0440 \u0436\u043e\u043b \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u044b\u0448 \u04b1\u043b\u0433\u0456\u043b\u0435\u0440\u0456\u043c\u0435\u043d \u0436\u04b1\u043c\u044b\u0441 \u0456\u0441\u0442\u0435\u043c\u0435\u0439\u0442\u0456\u043d\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "LabelExternalDDNS": "\u0421\u044b\u0440\u0442\u049b\u044b DDNS:",
+ "LabelExternalDDNSHelp": "\u0415\u0433\u0435\u0440 dynamic DNS \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043d\u044b \u043c\u04b1\u043d\u0434\u0430 \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437. Media Browser \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440\u044b \u0431\u04b1\u043d\u044b \u049b\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0430\u0434\u044b.",
+ "TabResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
+ "TabWeather": "\u0410\u0443\u0430 \u0440\u0430\u0439\u044b",
+ "TitleAppSettings": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
+ "LabelMinResumePercentage": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u0437 \u043f\u0430\u0439\u044b\u0437\u044b:",
+ "LabelMaxResumePercentage": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u043a\u04e9\u043f \u043f\u0430\u0439\u044b\u0437\u044b:",
+ "LabelMinResumeDuration": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0435\u04a3 \u0430\u0437 \u04b1\u0437\u0430\u049b\u0442\u044b\u0493\u044b (\u0441\u0435\u043a\u0443\u043d\u0434):",
+ "LabelMinResumePercentageHelp": "\u0411\u04b1\u043b \u043a\u0435\u0437\u0434\u0435\u043d \u0431\u04b1\u0440\u044b\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0441\u0430 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u043c\u0430\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u043e\u043b\u0436\u0430\u043b\u0434\u044b",
+ "LabelMaxResumePercentageHelp": "\u0411\u04b1\u043b \u043a\u0435\u0437\u0434\u0435\u043d \u043a\u0435\u0439\u0456\u043d \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0441\u0430 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u0442\u043e\u043b\u044b\u049b \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u043e\u043b\u0436\u0430\u043b\u0434\u044b",
+ "LabelMinResumeDurationHelp": "\u0411\u04b1\u0434\u0430\u043d \u049b\u044b\u0441\u049b\u0430 \u0442\u0443\u044b\u043d\u0434\u044b\u043b\u0430\u0440 \u0436\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u044b\u043b\u043c\u0430\u0439\u0434\u044b",
+ "TitleAutoOrganize": "\u0410\u0432\u0442\u043e\u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443",
+ "TabActivityLog": "\u04d8\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440 \u0436\u04b1\u0440\u043d\u0430\u043b\u044b",
+ "HeaderName": "\u0410\u0442\u044b",
+ "HeaderDate": "\u041a\u04af\u043d\u0456",
+ "HeaderSource": "\u041a\u04e9\u0437\u0456",
+ "HeaderDestination": "\u0422\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u0443",
+ "HeaderProgram": "\u0411\u0435\u0440\u0456\u043b\u0456\u043c",
+ "HeaderClients": "\u041a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440",
+ "LabelCompleted": "\u0410\u044f\u049b\u0442\u0430\u043b\u0493\u0430\u043d",
+ "LabelFailed": "\u0421\u04d9\u0442\u0441\u0456\u0437",
+ "LabelSkipped": "\u04e8\u0442\u043a\u0456\u0437\u0456\u043b\u0433\u0435\u043d",
+ "HeaderEpisodeOrganization": "\u042d\u043f\u0438\u0437\u043e\u0434\u0442\u044b \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443",
+ "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b:",
+ "LabelSeasonNumber": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456:",
+ "LabelEpisodeNumber": "\u042d\u043f\u0438\u0437\u043e\u0434 \u043d\u04e9\u043c\u0456\u0440\u0456:",
+ "LabelEndingEpisodeNumber": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456:",
+ "LabelEndingEpisodeNumberHelp": "\u0411\u04b1\u043b \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0456\u0440\u043d\u0435\u0448\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0431\u0430\u0440 \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u04af\u0448\u0456\u043d",
+ "HeaderSupportTheTeam": "Media Browser \u0442\u043e\u0431\u044b\u043d \u049b\u043e\u043b\u0434\u0430\u0443",
+ "LabelSupportAmount": "\u0421\u043e\u043c\u0430\u0441\u044b (USD)",
+ "HeaderSupportTheTeamHelp": "\u0411\u04b1\u043b \u0436\u043e\u0431\u0430 \u04d9\u0437\u0456\u0440\u043b\u0435\u0443\u0456 \u0436\u0430\u043b\u0493\u0430\u0441\u0430\u0442\u044b\u043d\u0430 \u043a\u04e9\u0437 \u0436\u0435\u0442\u043a\u0456\u0437\u0443 \u04af\u0448\u0456\u043d \u04af\u043b\u0435\u0441 \u049b\u043e\u0441\u044b\u043f \u043a\u04e9\u043c\u0435\u043a \u0431\u0435\u0440\u0456\u04a3\u0456\u0437. \u0411\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u0439\u044b\u0440\u043c\u0430\u043b\u0434\u044b\u049b\u0442\u044b\u04a3 \u04d9\u043b\u0434\u0435\u049b\u0430\u043d\u0448\u0430 \u0431\u04e9\u043b\u0456\u0433\u0456\u043d \u0442\u04d9\u0443\u0435\u043b\u0434\u0456\u043c\u0456\u0437 \u0431\u0430\u0441\u049b\u0430 \u0430\u0448\u044b\u049b \u049b\u04b1\u0440\u0430\u043b\u0434\u0430\u0440\u044b \u04af\u0448\u0456\u043d \u0456\u0441\u043a\u0435\u0440\u043b\u0435\u0441\u0435\u043c\u0456\u0437.",
+ "ButtonEnterSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0443",
+ "DonationNextStep": "\u0410\u044f\u049b\u0442\u0430\u043b\u044b\u0441\u044b\u043c\u0435\u043d, \u043a\u0435\u0440\u0456 \u049b\u0430\u0439\u0442\u044b\u04a3\u044b\u0437 \u0436\u0430\u043d\u0435 \u042d-\u043f\u043e\u0448\u0442\u0430 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u043b\u044b\u043d\u0493\u0430\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.",
+ "AutoOrganizeHelp": "\u0410\u0432\u0442\u043e\u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d\u0434\u0430\u0493\u044b \u0436\u0430\u04a3\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0431\u0430\u049b\u044b\u043b\u0430\u0439\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u04b1\u043b\u0430\u0440\u0434\u044b \u0442\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b\u043d\u0430 \u0436\u044b\u043b\u0436\u044b\u0442\u0430\u0434\u044b.",
+ "AutoOrganizeTvHelp": "\u0422\u0414 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440 \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0431\u0430\u0440 \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440\u0493\u0430 \u04af\u0441\u0442\u0435\u043b\u0456\u043d\u0435\u0434\u0456.",
+ "OptionEnableEpisodeOrganization": "\u0416\u0430\u04a3\u0430 \u044d\u043f\u0438\u0437\u043e\u0434 \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0443",
+ "LabelWatchFolder": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430:",
+ "LabelWatchFolderHelp": "\"\u0416\u0430\u04a3\u0430 \u0442\u0430\u0441\u0443\u0448\u044b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u04b1\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\" \u0434\u0435\u0433\u0435\u043d \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u043e\u0440\u044b\u043d\u0434\u0430\u043b\u0493\u0430\u043d \u043a\u0435\u0437\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0431\u04b1\u043b \u049b\u0430\u043b\u0442\u0430\u043d\u044b \u0441\u0430\u0443\u0430\u043b\u0434\u0430\u043f \u0442\u04b1\u0440\u0430\u0434\u044b.",
+ "ButtonViewScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440\u0434\u044b \u049b\u0430\u0440\u0430\u0443",
+ "LabelMinFileSizeForOrganize": "\u0415\u04a3 \u0430\u0437 \u0444\u0430\u0439\u043b \u04e9\u043b\u0448\u0435\u043c\u0456 (\u041c\u0411):",
+ "LabelMinFileSizeForOrganizeHelp": "\u0411\u04b1\u043b \u04e9\u043b\u0448\u0435\u043c\u0434\u0435\u043d \u043a\u0435\u043c \u0444\u0430\u0439\u043b\u0434\u0430\u0440 \u0435\u043b\u0435\u043d\u0431\u0435\u0439\u0434\u0456.",
+ "LabelSeasonFolderPattern": "\u041c\u0430\u0443\u0441\u044b\u043c \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456:",
+ "LabelSeasonZeroFolderName": "\u041c\u0430\u0443\u0441\u044b\u043c 0 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u044b\u04a3 \u0430\u0442\u044b:",
+ "HeaderEpisodeFilePattern": "\u042d\u043f\u0438\u0437\u043e\u0434 \u0444\u0430\u0439\u043b\u044b\u043d\u044b\u04a3 \u04af\u043b\u0433\u0456\u0441\u0456",
+ "LabelEpisodePattern": "\u042d\u043f\u0438\u0437\u043e\u0434 \u04af\u043b\u0433\u0456\u0441\u0456:",
+ "LabelMultiEpisodePattern": "\u0411\u0456\u0440\u043d\u0435\u0448\u0435 \u044d\u043f\u0438\u0437\u043e\u0434 \u04af\u043b\u0433\u0456\u0441\u0456:",
+ "HeaderSupportedPatterns": "\u049a\u043e\u043b\u0434\u0430\u043d\u044b\u0441\u0442\u0430\u0493\u044b \u04af\u043b\u0433\u0456\u043b\u0435\u0440",
+ "HeaderTerm": "\u0421\u04e9\u0439\u043b\u0435\u043c\u0448\u0435",
+ "HeaderPattern": "\u04ae\u043b\u0433\u0456",
+ "HeaderResult": "\u041d\u04d9\u0442\u0438\u0436\u0435",
+ "LabelDeleteEmptyFolders": "\u04b0\u0439\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u0430\u043d \u043a\u0435\u0439\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u043e\u044e",
+ "LabelDeleteEmptyFoldersHelp": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d \u0442\u0430\u0437\u0430 \u04b1\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.",
+ "LabelDeleteLeftOverFiles": "\u041a\u0435\u043b\u0435\u0441\u0456 \u043a\u0435\u04a3\u0435\u0439\u0442\u0456\u043c\u0434\u0435\u0440\u0456 \u0431\u0430\u0440 \u049b\u0430\u043b\u0493\u0430\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0436\u043e\u044e:",
+ "LabelDeleteLeftOverFilesHelp": "\u041c\u044b\u043d\u0430\u043d\u044b (;) \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u043f \u0430\u043b\u044b\u04a3\u044b\u0437. \u041c\u044b\u0441\u0430\u043b\u044b: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "\u0411\u0430\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440\u0434\u044b \u049b\u0430\u0439\u0442\u0430 \u0436\u0430\u0437\u0443",
+ "LabelTransferMethod": "\u0422\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04d9\u0434\u0456\u0441\u0456",
+ "OptionCopy": "\u041a\u04e9\u0448\u0456\u0440\u0443",
+ "OptionMove": "\u0416\u044b\u043b\u0436\u044b\u0442\u0443",
+ "LabelTransferMethodHelp": "\u049a\u0430\u0434\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u0430\u0493\u044b \u049b\u0430\u043b\u0442\u0430\u0434\u0430\u043d \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u043a\u04e9\u0448\u0456\u0440\u0443 \u043d\u0435 \u0436\u044b\u043b\u0436\u044b\u0442\u0443",
+ "HeaderLatestNews": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u04a3\u0433\u0456 \u0436\u0430\u04a3\u0430\u043b\u044b\u049b\u0442\u0430\u0440",
+ "HeaderHelpImproveMediaBrowser": "Media Browser \u04e9\u043d\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0436\u0435\u0442\u0456\u043b\u0434\u0456\u0440\u0443\u0433\u0435 \u043a\u04e9\u043c\u0435\u043a",
+ "HeaderRunningTasks": "\u041e\u0440\u044b\u043d\u0434\u0430\u043b\u044b\u043f \u0436\u0430\u0442\u049b\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u043b\u0430\u0440",
+ "HeaderActiveDevices": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440",
+ "HeaderPendingInstallations": "\u0411\u04e9\u0433\u0435\u043b\u0456\u0441 \u043e\u0440\u043d\u0430\u0442\u044b\u043c\u0434\u0430\u0440",
+ "HeaerServerInformation": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440\u0456",
+ "ButtonRestartNow": "\u049a\u0430\u0437\u0456\u0440 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443",
+ "ButtonRestart": "\u049a\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443",
+ "ButtonShutdown": "\u0416\u04b1\u043c\u044b\u0441\u0442\u044b \u0430\u044f\u049b\u0442\u0430\u0443",
+ "ButtonUpdateNow": "\u049a\u0430\u0437\u0456\u0440 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443",
+ "PleaseUpdateManually": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0436\u04b1\u043c\u044b\u0441\u044b\u043d \u0430\u044f\u049b\u0442\u0430\u04a3\u044b\u0437 \u0434\u0430 \u049b\u043e\u043b\u043c\u0435\u043d \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u04a3\u044b\u0437.",
+ "NewServerVersionAvailable": "Media Browser Server \u0436\u0430\u04a3\u0430 \u043d\u04b1\u0441\u049b\u0430\u0441\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456!",
+ "ServerUpToDate": "Media Browser Server \u043a\u04af\u0439\u0456: \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0493\u0430\u043d",
+ "ErrorConnectingToMediaBrowserRepository": "\u0410\u043b\u044b\u0441\u0442\u0430\u0493\u044b Media Browser \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0456\u043d\u0435 \u049b\u043e\u0441\u044b\u043b\u0443\u0434\u0430 \u049b\u0430\u0442\u0435 \u0431\u043e\u043b\u0434\u044b.",
+ "LabelComponentsUpdated": "\u041a\u0435\u043b\u0435\u0441\u0456 \u049b\u04b1\u0440\u0430\u043c\u0434\u0430\u0441\u0442\u0430\u0440 \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b \u043d\u0435 \u0436\u0430\u04a3\u0430\u0440\u0442\u044b\u043b\u0434\u044b:",
+ "MessagePleaseRestartServerToFinishUpdating": "\u0416\u0430\u04a3\u0430\u0440\u0442\u0443\u043b\u0430\u0440\u0434\u044b\u04a3 \u049b\u043e\u043b\u0434\u0430\u043d\u0443\u044b\u043d \u0430\u044f\u049b\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u0441\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u044b\u04a3\u044b\u0437",
+ "LabelDownMixAudioScale": "\u041a\u0435\u043c\u0456\u0442\u0456\u043b\u0456\u043f \u043c\u0438\u043a\u0448\u0435\u0440\u043b\u0435\u043d\u0433\u0435\u043d\u0434\u0435 \u0434\u044b\u0431\u044b\u0441 \u04e9\u0442\u0435\u043c\u0456:",
+ "LabelDownMixAudioScaleHelp": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u043a\u0435\u043c\u0456\u0442\u0456\u043b\u0456\u043f \u043c\u0438\u043a\u0448\u0435\u0440\u043b\u0435\u043d\u0433\u0435\u043d\u0434\u0435 \u04e9\u0442\u0435\u043c\u0434\u0435\u0443. \u0411\u0430\u0441\u0442\u0430\u043f\u049b\u044b \u0434\u0435\u04a3\u0433\u0435\u0439 \u043c\u04d9\u043d\u0456\u043d \u04e9\u0437\u0433\u0435\u0440\u0442\u043f\u0435\u0443 \u04af\u0448\u0456\u043d 1 \u0441\u0430\u043d\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437..",
+ "ButtonLinkKeys": "\u041a\u0456\u043b\u0442\u0442\u0435\u0440\u0434\u0456 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443",
+ "LabelOldSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0435\u0441\u043a\u0456 \u043a\u0456\u043b\u0442\u0456",
+ "LabelNewSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u043d\u044b\u04a3 \u0436\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442\u0456",
+ "HeaderMultipleKeyLinking": "\u0416\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442\u043a\u0435 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443",
+ "MultipleKeyLinkingHelp": "\u0415\u0433\u0435\u0440 \u0436\u0430\u04a3\u0430 \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 \u049b\u0430\u0431\u044b\u043b\u0434\u0430\u043d\u0441\u0430, \u0435\u0441\u043a\u0456 \u043a\u0456\u043b\u0442 \u0442\u0456\u0440\u043a\u0435\u043c\u0435\u043b\u0435\u0440\u0456\u043d \u0436\u0430\u04a3\u0430\u0441\u044b\u043d\u0430 \u0430\u0443\u044b\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043b \u043f\u0456\u0448\u0456\u043d\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.",
+ "LabelCurrentEmailAddress": "\u042d-\u043f\u043e\u0448\u0442\u0430\u043d\u044b\u04a3 \u0430\u0493\u044b\u043c\u0434\u044b\u049b \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b",
+ "LabelCurrentEmailAddressHelp": "\u0416\u0430\u04a3\u0430 \u043a\u0456\u043b\u0442 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u0430\u0493\u044b\u043c\u0434\u044b\u049b \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b.",
+ "HeaderForgotKey": "\u041a\u0456\u043b\u0442 \u04b1\u043c\u044b\u0442 \u0431\u043e\u043b\u0434\u044b",
+ "LabelEmailAddress": "\u042d-\u043f\u043e\u0448\u0442\u0430\u043d\u044b\u04a3 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b",
+ "LabelSupporterEmailAddress": "\u041a\u0456\u043b\u0442\u0442\u0456 \u0441\u0430\u0442\u044b\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0493\u0430\u043d \u044d-\u043f\u043e\u0448\u0442\u0430 \u043c\u0435\u043a\u0435\u043d\u0436\u0430\u0439\u044b.",
+ "ButtonRetrieveKey": "\u041a\u0456\u043b\u0442\u0442\u0456 \u049b\u0430\u0439\u0442\u0430 \u0430\u043b\u0443",
+ "LabelSupporterKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 (\u042d-\u043f\u043e\u0448\u0442\u0430\u0434\u0430\u043d \u043a\u0456\u0440\u0456\u0441\u0442\u0456\u0440\u0456\u04a3\u0456\u0437)",
+ "LabelSupporterKeyHelp": "\u049a\u0430\u0443\u044b\u043c\u0434\u0430\u0441\u0442\u044b\u049b Media Browser \u0430\u0440\u043d\u0430\u043f \u0436\u0430\u0441\u0430\u049b\u0442\u0430\u0493\u0430\u043d \u049b\u043e\u0441\u044b\u043c\u0448\u0430 \u0430\u0440\u0442\u044b\u049b\u0448\u044b\u043b\u044b\u049b\u0442\u0430\u0440\u0434\u0430\u043d \u0434\u04d9\u0443\u0440\u0435\u043d \u0441\u04af\u0440\u0443\u0434\u0456 \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.",
+ "MessageInvalidKey": "\u049a\u043e\u043b\u0434\u0430\u0443\u0448\u044b \u043a\u0456\u043b\u0442\u0456 \u0436\u043e\u049b \u043d\u0435\u043c\u0435\u0441\u0435 \u0434\u04b1\u0440\u044b\u0441 \u0435\u043c\u0435\u0441",
+ "ErrorMessageInvalidKey": "\u049a\u0430\u0439 \u0435\u0440\u0435\u043a\u0448\u0435 \u043c\u0430\u0437\u043c\u04b1\u043d \u0431\u043e\u043b\u0441\u0430 \u0436\u0430\u0437\u044b\u043b\u0443 \u04af\u0448\u0456\u043d, \u0441\u0456\u0437 \u0441\u043e\u043d\u0434\u0430\u0439-\u0430\u049b Media Browser \u049b\u043e\u043b\u0434\u0430\u0443\u0448\u044b\u0441\u044b \u0431\u043e\u043b\u0443\u044b\u04a3\u044b\u0437 \u049b\u0430\u0436\u0435\u0442. \u04d8\u0437\u0456\u0440\u043b\u0435\u0443\u0456 \u0436\u0430\u043b\u0493\u0430\u0441\u0443\u0434\u0430\u0493\u044b \u043d\u0435\u0433\u0456\u0437\u0433\u0456 \u04e9\u043d\u0456\u043c \u04af\u0448\u0456\u043d \u04af\u043b\u0435\u0441 \u049b\u043e\u0441\u044b\u04a3\u044b\u0437 \u0436\u04d9\u043d\u0435 \u049b\u043e\u043b\u0434\u0430\u04a3\u044b\u0437.",
+ "HeaderDisplaySettings": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
+ "TabPlayTo": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u0443",
+ "LabelEnableDlnaServer": "DLNA \u0441\u0435\u0440\u0432\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443",
+ "LabelEnableDlnaServerHelp": "\u0416\u0435\u043b\u0456\u0434\u0435\u0433\u0456 UPnP \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u0493\u0430 Media Browser \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0448\u043e\u043b\u0443 \u043c\u0435\u043d \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443.",
+ "LabelEnableBlastAliveMessages": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u044b\u043d \u043b\u0430\u043f \u0435\u0442\u0443",
+ "LabelEnableBlastAliveMessagesHelp": "\u0415\u0433\u0435\u0440 \u0436\u0435\u043b\u0456\u0434\u0435\u0433\u0456 \u0431\u0430\u0441\u049b\u0430 UPnP \u049b\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440\u044b\u043c\u0435\u043d \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u044b\u049b \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0441\u0430 \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.",
+ "LabelBlastMessageInterval": "\u0411\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440 \u0430\u0440\u0430\u043b\u044b\u0493\u044b, \u0441",
+ "LabelBlastMessageIntervalHelp": "\u0421\u0435\u0440\u0432\u0435\u0440 \u0431\u0435\u043b\u0441\u0435\u043d\u0434\u0456\u043b\u0456\u0433\u0456\u043d \u0442\u0435\u043a\u0441\u0435\u0440\u0443 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0440\u0434\u044b\u04a3 \u0430\u0440\u0430 \u04b1\u0437\u0430\u049b\u0442\u044b\u0493\u044b\u043d \u0441\u0435\u043a\u0443\u043d\u0434\u0442\u0430\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
+ "LabelDefaultUser": "\u04d8\u0434\u0435\u043f\u043a\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b:",
+ "LabelDefaultUserHelp": "\u049a\u04b1\u0440\u044b\u043b\u0493\u044b\u043b\u0430\u0440 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430 \u049b\u0430\u0439 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b\u04a3 \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0441\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0443\u0456 \u0442\u0438\u0456\u0441\u0442\u0456\u043b\u0456\u0433\u0456\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b. \u041f\u0440\u043e\u0444\u0438\u043b\u044c\u0434\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0493\u0430\u043d\u0434\u0430 \u0431\u04b1\u043b \u04d9\u0440 \u049b\u04b1\u0440\u044b\u043b\u0493\u044b \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u0442\u0430\u0493\u0430\u0439\u044b\u043d\u0434\u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440",
+ "HeaderServerSettings": "\u0421\u0435\u0440\u0432\u0435\u0440 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
+ "LabelWeatherDisplayLocation": "\u0410\u0443\u0430 \u0440\u0430\u0439\u044b \u0435\u043b\u0434\u0456\u043c\u0435\u043a\u0435\u043d\u0456:",
+ "LabelWeatherDisplayLocationHelp": "\u0410\u049a\u0428 \u043f\u043e\u0448\u0442\u0430\u043b\u044b\u049b \u043a\u043e\u0434\u044b \/ \u049a\u0430\u043b\u0430, \u0428\u0442\u0430\u0442, \u0415\u043b \/ \u049a\u0430\u043b\u0430, \u0415\u043b",
+ "LabelWeatherDisplayUnit": "\u0422\u0435\u043c\u043f\u0435\u0440\u0430\u0442\u0443\u0440\u0430 \u04e9\u043b\u0448\u0435\u043c \u0431\u0456\u0440\u043b\u0456\u0433\u0456:",
+ "OptionCelsius": "\u0426\u0435\u043b\u044c\u0441\u0438\u0439 \u0431\u043e\u0439\u044b\u043d\u0448\u0430",
+ "OptionFahrenheit": "\u0424\u0430\u0440\u0435\u043d\u0433\u0435\u0439\u0442 \u0431\u043e\u0439\u044b\u043d\u0448\u0430",
+ "HeaderRequireManualLogin": "\u041c\u044b\u043d\u0430\u0493\u0430\u043d \u049b\u043e\u043b\u043c\u0435\u043d \u043a\u0456\u0440\u0443\u0433\u0435 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0443:",
+ "HeaderRequireManualLoginHelp": "\u0410\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u043f\u0430\u0439\u0434\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440\u0434\u044b \u043a\u04e9\u0440\u043d\u0435\u043a\u0456 \u0442\u0430\u04a3\u0434\u0430\u0443\u044b \u0431\u0430\u0440 \u043a\u0456\u0440\u0443 \u044d\u043a\u0440\u0430\u043d\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "OptionOtherApps": "\u0411\u0430\u0441\u049b\u0430 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440",
+ "OptionMobileApps": "\u04b0\u0442\u049b\u044b\u0440 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440",
+ "HeaderNotificationList": "\u0416\u0456\u0431\u0435\u0440\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u043a\u043e\u043d\u0444\u0438\u0433\u0443\u0440\u0430\u0446\u0438\u044f\u043b\u0430\u0443 \u04af\u0448\u0456\u043d \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u043d\u04b1\u049b\u044b\u04a3\u044b\u0437.",
+ "NotificationOptionApplicationUpdateAvailable": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456",
+ "NotificationOptionApplicationUpdateInstalled": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b",
+ "NotificationOptionPluginUpdateInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0436\u0430\u04a3\u0430\u0440\u0442\u0443\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b",
+ "NotificationOptionPluginInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u044b\u043b\u0434\u044b",
+ "NotificationOptionPluginUninstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u043e\u0440\u043d\u0430\u0442\u0443\u044b \u0431\u043e\u043b\u0434\u044b\u0440\u044b\u043b\u043c\u0430\u0434\u044b",
+ "NotificationOptionVideoPlayback": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b",
+ "NotificationOptionAudioPlayback": "\u0414\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b",
+ "NotificationOptionGamePlayback": "\u041e\u0439\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0431\u0430\u0441\u0442\u0430\u043b\u0434\u044b",
+ "NotificationOptionVideoPlaybackStopped": "\u0411\u0435\u0439\u043d\u0435 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b",
+ "NotificationOptionAudioPlaybackStopped": "\u0414\u044b\u0431\u044b\u0441 \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b",
+ "NotificationOptionGamePlaybackStopped": "\u041e\u0439\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443\u044b \u0442\u043e\u049b\u0442\u0430\u0442\u044b\u043b\u0434\u044b",
+ "NotificationOptionTaskFailed": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456",
+ "NotificationOptionInstallationFailed": "\u041e\u0440\u043d\u0430\u0442\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456",
+ "NotificationOptionNewLibraryContent": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u04af\u0441\u0442\u0435\u043b\u0433\u0435\u043d",
+ "NotificationOptionNewLibraryContentMultiple": "\u0416\u0430\u04a3\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d \u049b\u043e\u0441\u044b\u043b\u0434\u044b (\u043a\u04e9\u043f\u0442\u0435\u0433\u0435\u043d)",
+ "SendNotificationHelp": "\u0425\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443\u043b\u0430\u0440 \u0431\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u04d9\u0434\u0435\u043f\u043a\u0456 \u043a\u0456\u0440\u0456\u0441 \u0436\u04d9\u0448\u0456\u0433\u0456\u043d\u0435 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u043b\u0435\u0434\u0456. \u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443 \u049b\u04b1\u0440\u0430\u043b\u0434\u0430\u0440\u044b\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.",
+ "NotificationOptionServerRestartRequired": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456 \u049b\u0430\u0439\u0442\u0430 \u0456\u0441\u043a\u0435 \u049b\u043e\u0441\u0443 \u049b\u0430\u0436\u0435\u0442",
+ "LabelNotificationEnabled": "\u0411\u04b1\u043b \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u049b\u043e\u0441\u0443",
+ "LabelMonitorUsers": "\u041c\u044b\u043d\u0430\u043d\u044b\u04a3 \u04d9\u0440\u0435\u043a\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u0431\u0430\u049b\u044b\u043b\u0430\u0443:",
+ "LabelSendNotificationToUsers": "\u041c\u044b\u043d\u0430\u0493\u0430\u043d \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u043c\u0430\u043d\u044b \u0436\u0456\u0431\u0435\u0440\u0443:",
+ "LabelUseNotificationServices": "\u041a\u0435\u043b\u0435\u0441\u0456 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443:",
+ "CategoryUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b",
+ "CategorySystem": "\u0416\u04af\u0439\u0435",
+ "CategoryApplication": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430",
+ "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d",
+ "LabelMessageTitle": "\u0425\u0430\u0431\u0430\u0440\u0434\u044b\u04a3 \u0431\u0430\u0441\u0442\u0430\u049b\u044b\u0440\u044b\u0431\u044b",
+ "LabelAvailableTokens": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0442\u0430\u04a3\u0431\u0430\u043b\u0430\u0443\u044b\u0448\u0442\u0430\u0440:",
+ "AdditionalNotificationServices": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u043d\u0434\u044b\u0440\u0443 \u049b\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440\u0456\u043d \u043e\u0440\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0456\u043d \u0448\u043e\u043b\u044b\u04a3\u044b\u0437.",
+ "OptionAllUsers": "\u0411\u0430\u0440\u043b\u044b\u049b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440",
+ "OptionAdminUsers": "\u04d8\u043a\u0456\u043c\u0448\u0456\u043b\u0435\u0440",
+ "OptionCustomUsers": "\u0422\u0435\u04a3\u0448\u0435\u0443\u043b\u0456",
+ "ButtonArrowUp": "\u0416\u043e\u0493\u0430\u0440\u044b\u0493\u0430",
+ "ButtonArrowDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0435",
+ "ButtonArrowLeft": "\u0421\u043e\u043b \u0436\u0430\u049b\u049b\u0430",
+ "ButtonArrowRight": "\u041e\u04a3 \u0436\u0430\u049b\u049b\u0430",
+ "ButtonBack": "\u0410\u0440\u0442\u049b\u0430",
+ "ButtonInfo": "\u0410\u049b\u043f\u0430\u0440\u0430\u0442",
+ "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b\u049b \u043c\u04d9\u0437\u0456\u0440",
+ "ButtonPageUp": "\u0416\u043e\u0493\u0430\u0440\u0493\u044b \u0431\u0435\u0442\u043a\u0435",
+ "ButtonPageDown": "\u0422\u04e9\u043c\u0435\u043d\u0433\u0456 \u0431\u0435\u0442\u043a\u0435",
+ "PageAbbreviation": "\u0411\u0415\u0422",
+ "ButtonHome": "\u0411\u0430\u0441\u0442\u044b",
+ "ButtonSearch": "\u0406\u0437\u0434\u0435\u0443",
+ "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440",
+ "ButtonTakeScreenshot": "\u042d\u043a\u0440\u0430\u043d\u0434\u044b \u0442\u04af\u0441\u0456\u0440\u0443",
+ "ButtonLetterUp": "\u04d8\u0440\u0456\u043f\u043a\u0435 \u0436\u043e\u0493\u0430\u0440\u0493\u044b\u043b\u0430\u0442\u0443",
+ "ButtonLetterDown": "\u04d8\u0440\u0456\u043f\u043a\u0435 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0442\u0443",
+ "PageButtonAbbreviation": "\u0411\u0415\u0422",
+ "LetterButtonAbbreviation": "\u04d8\u0420\u041f",
+ "TabNowPlaying": "\u049a\u0430\u0437\u0456\u0440 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0443\u0434\u0430",
+ "TabNavigation": "\u0428\u0430\u0440\u043b\u0430\u0443",
+ "TabControls": "\u0411\u0430\u0441\u049b\u0430\u0440\u0443 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456",
+ "ButtonFullscreen": "\u0422\u043e\u043b\u044b\u049b \u044d\u043a\u0440\u0430\u043d",
+ "ButtonScenes": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
+ "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440",
+ "ButtonAudioTracks": "\u0414\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u049b\u0442\u0430\u0440\u044b",
+ "ButtonPreviousTrack": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b \u0436\u043e\u043b\u0448\u044b\u049b",
+ "ButtonNextTrack": "\u041a\u0435\u043b\u0435\u0441\u0456 \u0436\u043e\u043b\u0448\u044b\u049b",
+ "ButtonStop": "\u0422\u043e\u049b\u0442\u0430\u0442\u0443",
+ "ButtonPause": "\u04ae\u0437\u0456\u043b\u0456\u0441",
+ "ButtonNext": "\u041a\u0435\u043b\u0435\u0441\u0456",
+ "ButtonPrevious": "\u0410\u043b\u0434\u044b\u04a3\u0493\u044b",
+ "LabelGroupMoviesIntoCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443",
+ "LabelGroupMoviesIntoCollectionsHelp": "\u0424\u0438\u043b\u044c\u043c \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0433\u0435\u043d \u043a\u0435\u0437\u0434\u0435 \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u049b\u0430 \u043a\u0456\u0440\u0435\u0442\u0456\u043d \u0444\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u0442\u043e\u043f\u0442\u0430\u043b\u0493\u0430\u043d \u0431\u0456\u0440\u044b\u04a3\u0493\u0430\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442 \u0431\u043e\u043b\u044b\u043f \u043a\u04e9\u0440\u0441\u0435\u0442\u0456\u043b\u0435\u0434\u0456.",
+ "NotificationOptionPluginError": "\u041f\u043b\u0430\u0433\u0438\u043d \u0441\u04d9\u0442\u0441\u0456\u0437\u0434\u0456\u0433\u0456",
+ "ButtonVolumeUp": "\u04ae\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0436\u043e\u0493\u0430\u0440\u044b\u043b\u0430\u0442\u0443",
+ "ButtonVolumeDown": "\u04ae\u043d\u0434\u0456\u043b\u0456\u043a\u0442\u0456 \u0442\u04e9\u043c\u0435\u043d\u0434\u0435\u0442\u0443",
+ "ButtonMute": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b \u04e9\u0448\u0456\u0440\u0443",
+ "HeaderLatestMedia": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440",
+ "OptionSpecialFeatures": "\u0410\u0440\u043d\u0430\u0439\u044b \u043c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440",
+ "HeaderCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440",
+ "LabelProfileCodecsHelp": "\u04ae\u0442\u0456\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d. \u0411\u0430\u0440\u043b\u044b\u049b \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043b \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "LabelProfileContainersHelp": "\u04ae\u0442\u0456\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u0431\u04e9\u043b\u0456\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d. \u0411\u0430\u0440\u043b\u044b\u049b \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043b\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u0434\u0430\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043b \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u043b\u0443 \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "HeaderResponseProfile": "\u04ae\u043d \u049b\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
+ "LabelType": "\u0422\u04af\u0440\u0456:",
+ "LabelPersonRole": "\u0420\u04e9\u043b\u0456:",
+ "LabelPersonRoleHelp": "\u0420\u04e9\u043b, \u0436\u0430\u043b\u043f\u044b \u0430\u043b\u0493\u0430\u043d\u0434\u0430, \u0442\u0435\u043a \u049b\u0430\u043d\u0430 \u0430\u043a\u0442\u0435\u0440\u043b\u0435\u0440\u0433\u0435 \u049b\u043e\u043b\u0430\u0439\u043b\u044b.",
+ "LabelProfileContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
+ "LabelProfileVideoCodecs": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440:",
+ "LabelProfileAudioCodecs": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440:",
+ "LabelProfileCodecs": "\u041a\u043e\u0434\u0435\u043a\u0442\u0435\u0440:",
+ "HeaderDirectPlayProfile": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
+ "HeaderTranscodingProfile": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
+ "HeaderCodecProfile": "\u041a\u043e\u0434\u0435\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
+ "HeaderCodecProfileHelp": "\u041a\u043e\u0434\u0435\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u043d\u0430\u049b\u0442\u044b \u043a\u043e\u0434\u0435\u043a\u0442\u0435\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 \u0448\u0435\u043a\u0442\u0435\u0443\u043b\u0435\u0440\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0434\u0456. \u0415\u0433\u0435\u0440 \u0448\u0435\u043a\u0442\u0435\u0443 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0441\u0430, \u0441\u043e\u043d\u0434\u0430 \u043a\u043e\u0434\u0435\u043a \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0441\u0435\u0434\u0435 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u043b\u044b\u043d\u0430\u0434\u044b.",
+ "HeaderContainerProfile": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b",
+ "HeaderContainerProfileHelp": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u043d\u0430\u049b\u0442\u044b \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440 \u0430\u0440\u049b\u044b\u043b\u044b \u043e\u0439\u043d\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 \u0448\u0435\u043a\u0442\u0435\u0443\u043b\u0435\u0440\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0434\u0456. \u0415\u0433\u0435\u0440 \u0448\u0435\u043a\u0442\u0435\u0443 \u049b\u043e\u043b\u0434\u0430\u043d\u044b\u043b\u0441\u0430, \u0441\u043e\u043d\u0434\u0430 \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u043b\u0441\u0435\u0434\u0435 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u043b\u044b\u043d\u0430\u0434\u044b.",
+ "OptionProfileVideo": "\u0411\u0435\u0439\u043d\u0435",
+ "OptionProfileAudio": "\u0414\u044b\u0431\u044b\u0441",
+ "OptionProfileVideoAudio": "\u0411\u0435\u0439\u043d\u0435 \u0414\u044b\u0431\u044b\u0441",
+ "OptionProfilePhoto": "\u0424\u043e\u0442\u043e",
+ "LabelUserLibrary": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0441\u044b",
+ "LabelUserLibraryHelp": "\u0416\u0430\u0431\u0434\u044b\u049b\u0442\u0430 \u049b\u0430\u0439 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u0441\u044b\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443\u0456\u043d \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437. \u04d8\u0434\u0435\u043f\u043a\u0456 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440 \u043c\u04b1\u0440\u0430\u0441\u044b\u043d\u0430 \u0438\u0435\u043b\u0435\u043d\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.",
+ "OptionPlainStorageFolders": "\u0411\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u044b \u0436\u0430\u0439 \u0441\u0430\u049b\u0442\u0430\u0443 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
+ "OptionPlainStorageFoldersHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 DIDL \u0456\u0448\u0456\u043d\u0434\u0435 \"object.container.person.musicArtist\" \u0441\u0438\u044f\u049b\u0442\u044b \u043d\u0430\u049b\u0442\u044b\u043b\u0430\u0443 \u0442\u04af\u0440\u0456\u043d\u0456\u04a3 \u043e\u0440\u043d\u044b\u043d\u0430 \"object.container.storageFolder\" \u0431\u043e\u043b\u044b\u043f \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
+ "OptionPlainVideoItems": "\u0411\u0430\u0440\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0456 \u0436\u0430\u0439 \u0431\u0435\u0439\u043d\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
+ "OptionPlainVideoItemsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u0431\u0430\u0440\u043b\u044b\u049b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 DIDL \u0456\u0448\u0456\u043d\u0434\u0435 \"object.item.videoItem.movie\" \u0441\u0438\u044f\u049b\u0442\u044b \u043d\u0430\u049b\u0442\u044b\u043b\u0430\u0443 \u0442\u04af\u0440\u0456\u043d\u0456\u04a3 \u043e\u0440\u043d\u044b\u043d\u0430 \"object.item.videoItem\" \u0431\u043e\u043b\u044b\u043f \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
+ "LabelSupportedMediaTypes": "\u049a\u043e\u043b\u0434\u0430\u0443\u0434\u0430\u0493\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u04af\u0440\u043b\u0435\u0440\u0456:",
+ "TabIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443",
+ "HeaderIdentification": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443",
+ "TabDirectPlay": "\u0422\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443",
+ "TabContainers": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043b\u0435\u0440",
+ "TabCodecs": "\u041a\u043e\u0434\u0435\u043a\u0442\u0435\u0440",
+ "TabResponses": "\u04ae\u043d \u049b\u0430\u0442\u0443\u043b\u0430\u0440",
+ "HeaderProfileInformation": "\u041f\u0440\u043e\u0444\u0430\u0439\u043b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u044b",
+ "LabelEmbedAlbumArtDidl": "Didl \u0456\u0448\u0456\u043d\u0435 \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0435\u043d\u0434\u0456\u0440\u0443",
+ "LabelEmbedAlbumArtDidlHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u0430\u0440\u0493\u0430 \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u043e\u0441\u044b \u04d9\u0434\u0456\u0441 \u049b\u0430\u0436\u0435\u0442. \u0411\u0430\u0441\u049b\u0430\u043b\u0430\u0440 \u04af\u0448\u0456\u043d, \u043e\u0441\u044b \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440 \u049b\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043e\u0439\u043d\u0430\u0442\u0443 \u0441\u04d9\u0442\u0441\u0456\u0437 \u0431\u043e\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "LabelAlbumArtPN": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456 PN:",
+ "LabelAlbumArtHelp": "PN \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456 \u04af\u0448\u0456\u043d upnp:albumArtURI \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 dlna:profileID \u0442\u04e9\u043b\u0441\u0438\u043f\u0430\u0442\u044b\u043c\u0435\u043d \u0431\u0456\u0440\u0433\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b. \u041a\u0435\u0439\u0431\u0456\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440 \u04af\u0448\u0456\u043d \u0441\u0443\u0440\u0435\u0442\u0442\u0456\u04a3 \u04e9\u043b\u0448\u0435\u043c\u0456\u043d\u0435 \u0430\u04a3\u0493\u0430\u0440\u0443\u0441\u044b\u0437 \u043d\u0430\u049b\u0442\u044b \u043c\u04d9\u043d \u049b\u0430\u0436\u0435\u0442.",
+ "LabelAlbumArtMaxWidth": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0435\u043d\u0456:",
+ "LabelAlbumArtMaxWidthHelp": "upnp:albumArtURI \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
+ "LabelAlbumArtMaxHeight": "\u0410\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0431\u0438\u0456\u0433\u0456:",
+ "LabelAlbumArtMaxHeightHelp": "upnp:albumArtURI \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0430\u043b\u044c\u0431\u043e\u043c \u0441\u0443\u0440\u0435\u0442\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
+ "LabelIconMaxWidth": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0435\u043d\u0456:",
+ "LabelIconMaxWidthHelp": "upnp:icon \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u043b\u0435\u0440\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
+ "LabelIconMaxHeight": "\u0411\u0435\u043b\u0433\u0456\u0448\u0435\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0431\u0438\u0456\u0433\u0456:",
+ "LabelIconMaxHeightHelp": "upnp:icon \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d \u0431\u0435\u043b\u0433\u0456\u0448\u0435\u043b\u0435\u0440\u0456\u043d\u0456\u04a3 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u044b\u043c\u0434\u044b\u0493\u044b.",
+ "LabelIdentificationFieldHelp": "\u0420\u0435\u0433\u0438\u0441\u0442\u0440 \u0435\u0441\u043a\u0435\u0440\u043c\u0435\u0439\u0442\u0456\u043d \u0456\u0448\u043a\u0456 \u0436\u043e\u043b \u043d\u0435\u043c\u0435\u0441\u0435 \u04b1\u0434\u0430\u0439\u044b \u04e9\u0440\u043d\u0435\u043a.",
+ "HeaderProfileServerSettingsHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d\u0434\u0435\u0440 Media Browser \u049b\u0430\u043b\u0430\u0439 \u04e9\u0437\u0456\u043d \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u0430 \u043a\u04e9\u0440\u0441\u0435\u0442\u0435\u0442\u0456\u043d\u0456\u04a3 \u0431\u0430\u0441\u049b\u0430\u0440\u0430\u0434\u044b.",
+ "LabelMaxBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d:",
+ "LabelMaxBitrateHelp": "\u04e8\u0442\u043a\u0456\u0437\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456 \u0448\u0435\u043a\u0442\u0435\u043b\u0433\u0435\u043d \u043e\u0440\u0442\u0430\u043b\u0430\u0440\u0434\u0430\u0493\u044b \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u044b\u043d, \u043d\u0435\u043c\u0435\u0441\u0435 \u0436\u0430\u0431\u0434\u044b\u049b\u049b\u0430 \u049b\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0441\u0430 - \u04e9\u0437 \u0448\u0435\u0433\u0456\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.",
+ "LabelMaxStreamingBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
+ "LabelMaxStreamingBitrateHelp": "\u0410\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.",
+ "LabelMaxStaticBitrate": "\u0415\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
+ "LabelMaxStaticBitrateHelp": "\u0416\u043e\u0493\u0430\u0440\u044b \u0441\u0430\u043f\u0430\u043c\u0435\u043d \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437.",
+ "LabelMusicStaticBitrate": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
+ "LabelMusicStaticBitrateHelp": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u0443",
+ "LabelMusicStreamingTranscodingBitrate": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u049b\u0430\u0440\u049b\u044b\u043d\u044b:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "\u041c\u0443\u0437\u044b\u043a\u0430\u043d\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u049b\u0430\u0440\u049b\u044b\u043d\u0434\u044b \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437",
+ "OptionIgnoreTranscodeByteRangeRequests": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u0431\u0430\u0439\u0442 \u0430\u0443\u049b\u044b\u043c\u044b \u0441\u04b1\u0440\u0430\u043d\u044b\u0441\u0442\u0430\u0440\u044b\u043d \u0435\u043b\u0435\u043c\u0435\u0443",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "\u049a\u043e\u0441\u044b\u043b\u0493\u0430\u043d\u0434\u0430, \u043e\u0441\u044b \u0441\u04b1\u0440\u0430\u043d\u044b\u0441\u0442\u0430\u0440\u043c\u0435\u043d \u0441\u0430\u043d\u0430\u0441\u0443 \u0431\u043e\u043b\u0430\u0434\u044b, \u0431\u0456\u0440\u0430\u049b \u0431\u0430\u0439\u0442 \u0430\u0443\u049b\u044b\u043c\u044b\u043d\u044b\u04a3 \u0431\u0430\u0441 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u0441\u0456 \u0435\u043b\u0435\u043f \u0435\u0441\u043a\u0435\u0440\u0456\u043b\u043c\u0435\u0439\u0434\u0456.",
+ "LabelFriendlyName": "\u0422\u04af\u0441\u0456\u043d\u0456\u043a\u0442\u0456 \u0430\u0442\u044b",
+ "LabelManufacturer": "\u04e8\u043d\u0434\u0456\u0440\u0443\u0448\u0456",
+ "LabelManufacturerUrl": "\u04e8\u043d\u0434\u0456\u0440\u0443\u0448\u0456 url",
+ "LabelModelName": "\u041c\u043e\u0434\u0435\u043b\u044c \u0430\u0442\u044b",
+ "LabelModelNumber": "\u041c\u043e\u0434\u0435\u043b\u044c \u043d\u04e9\u043c\u0456\u0440\u0456",
+ "LabelModelDescription": "\u041c\u043e\u0434\u0435\u043b\u044c \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b",
+ "LabelModelUrl": "\u041c\u043e\u0434\u0435\u043b\u044c url",
+ "LabelSerialNumber": "\u0421\u0435\u0440\u0438\u044f\u043b\u044b\u049b \u043d\u04e9\u043c\u0456\u0440\u0456",
+ "LabelDeviceDescription": "\u0416\u0430\u0431\u0434\u044b\u049b \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u043c\u0430\u0441\u044b",
+ "HeaderIdentificationCriteriaHelp": "\u0415\u04a3 \u043a\u0435\u043c\u0456\u043d\u0434\u0435 \u0430\u043d\u044b\u049b\u0442\u0430\u0443\u0434\u044b\u04a3 \u0431\u0456\u0440 \u0448\u0430\u0440\u0442\u044b\u043d \u0435\u043d\u0433\u0456\u0437\u0456\u04a3\u0456\u0437.",
+ "HeaderDirectPlayProfileHelp": "\u0416\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 \u049b\u0430\u043d\u0434\u0430\u0439 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u04d9\u0434\u0435\u043f\u043a\u0456 \u04e9\u04a3\u0434\u0435\u0442\u0435\u0442\u0456\u043d \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04b1\u0448\u0456\u043d \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043e\u0439\u043d\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u049b\u043e\u0441\u0443.",
+ "HeaderTranscodingProfileHelp": "\u049a\u0430\u0436\u0435\u0442 \u0431\u043e\u043b\u0493\u0430\u043d\u0434\u0430 \u049b\u0430\u043d\u0434\u0430\u0439 \u043f\u0456\u0448\u0456\u043c\u0434\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443 \u043c\u0456\u043d\u0434\u0435\u0442\u0456\u043b\u0456\u0433\u0456\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04b1\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d \u049b\u043e\u0441\u0443.",
+ "HeaderResponseProfileHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0442\u0430\u0441\u0443\u0448\u044b\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440 \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d \u043e\u0439\u043d\u0430\u0442\u049b\u0430\u043d\u0434\u0430 \u04af\u043d \u049b\u0430\u0442\u0443 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u0436\u0430\u0431\u0434\u044b\u049b\u049b\u0430 \u0436\u0456\u0431\u0435\u0440\u0456\u043b\u0435\u0442\u0456\u043d \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u0442\u044b \u0442\u0435\u04a3\u0448\u0435\u0443 \u04af\u0448\u0456\u043d \u0436\u043e\u043b \u0431\u0435\u0440\u0435\u0434\u0456.",
+ "LabelXDlnaCap": "X-Dlna \u0441\u0438\u043f\u0430\u0442\u0442\u0430\u0440\u044b:",
+ "LabelXDlnaCapHelp": "urn:schemas-dlna-org:device-1-0 \u0430\u0442\u0430\u0443\u043b\u0430\u0440 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u0433\u0456\u043d\u0434\u0435\u0433\u0456 X_DLNACAP \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
+ "LabelXDlnaDoc": "X-Dlna \u0442\u04d9\u0441\u0456\u043c\u0456:",
+ "LabelXDlnaDocHelp": "urn:schemas-dlna-org:device-1-0 \u0430\u0442\u0430\u0443\u043b\u0430\u0440 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u0433\u0456\u043d\u0434\u0435\u0433\u0456 X_DLNADOC \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
+ "LabelSonyAggregationFlags": "Sony \u0431\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u0443 \u0436\u0430\u043b\u0430\u0443\u0448\u0430\u043b\u0430\u0440\u044b:",
+ "LabelSonyAggregationFlagsHelp": "urn:schemas-sonycom:av \u0430\u0442\u0430\u0443\u043b\u0430\u0440 \u043a\u0435\u04a3\u0456\u0441\u0442\u0456\u0433\u0456\u043d\u0434\u0435\u0433\u0456 aggregationFlags \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0456 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u0439\u0434\u044b.",
+ "LabelTranscodingContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
+ "LabelTranscodingVideoCodec": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043a\u043e\u0434\u0435\u043a:",
+ "LabelTranscodingVideoProfile": "\u0411\u0435\u0439\u043d\u0435\u043b\u0456\u043a \u043f\u0440\u043e\u0444\u0430\u0439\u043b:",
+ "LabelTranscodingAudioCodec": "\u0414\u044b\u0431\u044b\u0441\u0442\u044b\u049b \u043a\u043e\u0434\u0435\u043a:",
+ "OptionEnableM2tsMode": "M2ts \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443",
+ "OptionEnableM2tsModeHelp": "Mpegts \u04af\u0448\u0456\u043d \u043a\u043e\u0434\u0442\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 m2ts \u0440\u0435\u0436\u0456\u043c\u0456\u043d \u049b\u043e\u0441\u0443.",
+ "OptionEstimateContentLength": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u043c\u0430\u0437\u043c\u04b1\u043d \u04b1\u0437\u044b\u043d\u0434\u044b\u0493\u044b\u043d \u0431\u0430\u0493\u0430\u043b\u0430\u0443",
+ "OptionReportByteRangeSeekingWhenTranscoding": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443 \u043a\u0435\u0437\u0456\u043d\u0434\u0435 \u0441\u0435\u0440\u0432\u0435\u0440 \u0431\u0430\u0439\u0442 \u0456\u0440\u0456\u043a\u0442\u0435\u0443\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u0441\u0430 \u0445\u0430\u0431\u0430\u0440\u043b\u0430\u0443",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u0411\u04b1\u043b \u0443\u0430\u049b\u044b\u0442 \u0456\u0440\u0456\u043a\u0442\u0435\u0443\u0456 \u043e\u043d\u0448\u0430 \u0435\u043c\u0435\u0441 \u043a\u0435\u0439\u0431\u0456\u0440 \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u0430\u0440 \u04af\u0448\u0456\u043d \u049b\u0430\u0436\u0435\u0442.",
+ "HeaderSubtitleDownloadingHelp": "Media Browser \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0433\u0435\u043d\u0434\u0435 \u0431\u04b1\u043b \u0436\u043e\u049b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0456\u0437\u0434\u0435\u0443 \u0436\u04d9\u043d\u0435 OpenSubtitles.org \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "HeaderDownloadSubtitlesFor": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u043c\u044b\u043d\u0430\u0493\u0430\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443:",
+ "MessageNoChapterProviders": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430 \u0441\u0430\u0445\u043d\u0430 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443 \u04af\u0448\u0456\u043d ChapterDb \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440 \u0436\u0435\u0442\u043a\u0456\u0437\u0443\u0448\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0456 \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.",
+ "LabelSkipIfGraphicalSubsPresent": "\u0415\u0433\u0435\u0440 \u0431\u0435\u0439\u043d\u0435\u0434\u0435 \u0441\u044b\u0437\u0431\u0430\u043b\u044b\u049b \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0431\u043e\u043b\u0441\u0430 \u04e9\u0442\u043a\u0456\u0437\u0456\u043f \u0436\u0456\u0431\u0435\u0440\u0443",
+ "LabelSkipIfGraphicalSubsPresentHelp": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456\u04a3 \u043c\u04d9\u0442\u0456\u043d\u0434\u0456\u043a \u043d\u04b1\u0441\u049b\u0430\u043b\u0430\u0440\u044b\u043d \u049b\u0430\u043b\u0434\u044b\u0440\u0441\u0430 \u04b1\u0442\u049b\u044b\u0440 \u043a\u043b\u0438\u0435\u043d\u0442\u0442\u0435\u0440\u0433\u0435 \u0442\u0438\u0456\u043c\u0434\u0456 \u0436\u0435\u0442\u043a\u0456\u0437\u0456\u043b\u0435\u0434\u0456.",
+ "TabSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440",
+ "TabChapters": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
+ "HeaderDownloadChaptersFor": "\u041c\u044b\u043d\u0430\u0493\u0430\u043d \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440 \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b \u0430\u0442\u044b:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456:",
+ "HeaderChapterDownloadingHelp": "Media Browser \u0431\u0435\u0439\u043d\u0435\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u0434\u044b \u0441\u043a\u0430\u043d\u0435\u0440\u043b\u0435\u0433\u0435\u043d\u0434\u0435 \u0431\u04b1\u043b ChapterDb \u0441\u0438\u044f\u049b\u0442\u044b \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0456 \u0430\u0440\u049b\u044b\u043b\u044b \u0441\u0430\u0445\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0442\u04af\u0441\u0456\u043d\u0456\u043a\u0442\u0456 \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u044b \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "LabelPlayDefaultAudioTrack": "\u0422\u0456\u043b\u0433\u0435 \u049b\u0430\u0442\u044b\u0441\u0441\u044b\u0437 \u04d9\u0434\u0435\u043f\u043a\u0456 \u0434\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u0493\u044b\u043d \u043e\u0439\u043d\u0430\u0442\u0443",
+ "LabelSubtitlePlaybackMode": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440 \u0440\u0435\u0436\u0456\u043c\u0456:",
+ "LabelDownloadLanguages": "\u0416\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u0456\u043b\u0434\u0435\u0440:",
+ "ButtonRegister": "\u0422\u0456\u0440\u043a\u0435\u043b\u0443",
+ "LabelSkipIfAudioTrackPresent": "\u0415\u0433\u0435\u0440 \u04d9\u0434\u0435\u043f\u043a\u0456 \u0434\u044b\u0431\u044b\u0441 \u0436\u043e\u043b\u0448\u044b\u0493\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0430\u0442\u044b\u043d \u0442\u0456\u043b\u0433\u0435 \u0441\u04d9\u0439\u043a\u0435\u0441 \u043a\u0435\u043b\u0441\u0435 \u04e9\u0442\u043a\u0456\u0437\u0456\u043f \u0436\u0456\u0431\u0435\u0440\u0443",
+ "LabelSkipIfAudioTrackPresentHelp": "\u0411\u0430\u0440\u043b\u044b\u049b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0440\u0434\u0435 \u0434\u044b\u0431\u044b\u0441 \u0442\u0456\u043b\u0456\u043d\u0435 \u049b\u0430\u0442\u044b\u0441\u0441\u044b\u0437 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440 \u0431\u043e\u043b\u0443\u044b \u04af\u0448\u0456\u043d \u049b\u04b1\u0441\u0431\u0435\u043b\u0433\u0456\u043d\u0456 \u0430\u043b\u044b\u04a3\u044b\u0437.",
+ "HeaderSendMessage": "\u0425\u0430\u0431\u0430\u0440 \u0436\u0456\u0431\u0435\u0440\u0443",
+ "ButtonSend": "\u0416\u0456\u0431\u0435\u0440\u0443",
+ "LabelMessageText": "\u0425\u0430\u0431\u0430\u0440 \u043c\u04d9\u0442\u0456\u043d\u0456",
+ "MessageNoAvailablePlugins": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u043f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440 \u0436\u043e\u049b",
+ "LabelDisplayPluginsFor": "\u041f\u043b\u0430\u0433\u0438\u043d\u0434\u0435\u0440\u0434\u0456 \u043c\u044b\u043d\u0430\u0493\u0430\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "\u042d\u043f\u0438\u0437\u043e\u0434 \u0430\u0442\u0430\u0443\u044b",
+ "LabelSeriesNamePlain": "\u0421\u0435\u0440\u0438\u0430\u043b \u0430\u0442\u0430\u0443\u044b",
+ "ValueSeriesNamePeriod": "\u0421\u0435\u0440\u0438\u0430\u043b.\u0430\u0442\u044b",
+ "ValueSeriesNameUnderscore": "\u0421\u0435\u0440\u0438\u0430\u043b_\u0430\u0442\u044b",
+ "ValueEpisodeNamePeriod": "\u042d\u043f\u0438\u0437\u043e\u0434.\u0430\u0442\u044b",
+ "ValueEpisodeNameUnderscore": "\u042d\u043f\u0438\u0437\u043e\u0434_\u0430\u0442\u044b",
+ "LabelSeasonNumberPlain": "\u041c\u0430\u0443\u0441\u044b\u043c \u043d\u04e9\u043c\u0456\u0440\u0456",
+ "LabelEpisodeNumberPlain": "\u042d\u043f\u0438\u0437\u043e\u043b \u043d\u04e9\u043c\u0456\u0440\u0456",
+ "LabelEndingEpisodeNumberPlain": "\u0410\u044f\u049b\u0442\u0430\u0443\u0448\u044b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u044b\u04a3 \u043d\u04e9\u043c\u0456\u0440\u0456",
+ "HeaderTypeText": "\u041c\u04d9\u0442\u0456\u043d\u0434\u0456 \u0435\u043d\u0433\u0456\u0437\u0443",
+ "LabelTypeText": "\u041c\u04d9\u0442\u0456\u043d",
+ "HeaderSearchForSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u0456\u0437\u0434\u0435\u0443",
+ "MessageNoSubtitleSearchResultsFound": "\u0406\u0437\u0434\u0435\u0433\u0435\u043d\u0434\u0435 \u0435\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u043d\u04d9\u0442\u0438\u0436\u0435\u043b\u0435\u0440 \u0442\u0430\u0431\u044b\u043b\u043c\u0430\u0434\u044b.",
+ "TabDisplay": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
+ "TabLanguages": "\u0422\u0456\u043b\u0434\u0435\u0440",
+ "TabWebClient": "\u0432\u0435\u0431 \u043a\u043b\u0438\u0435\u043d\u0442",
+ "LabelEnableThemeSongs": "\u0422\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443",
+ "LabelEnableBackdrops": "\u0410\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u049b\u043e\u0441\u0443",
+ "LabelEnableThemeSongsHelp": "\u0415\u0433\u0435\u0440 \u049b\u043e\u0441\u044b\u043b\u0441\u0430, \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u044b\u0493\u0430\u043d\u0434\u0430 \u0442\u0430\u049b\u044b\u0440\u044b\u043f\u0442\u044b\u049b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440 \u04e9\u04a3\u0434\u0435 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0430\u0434\u044b.",
+ "LabelEnableBackdropsHelp": "\u0415\u0433\u0435\u0440 \u049b\u043e\u0441\u044b\u043b\u0441\u0430, \u0430\u0440\u0442\u049b\u044b \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440 \u0442\u0430\u0441\u0443\u0448\u044b\u0445\u0430\u043d\u0430\u043d\u044b \u0448\u043e\u043b\u044b\u0493\u0430\u043d\u0434\u0430 \u043a\u0435\u0439\u0431\u0456\u0440 \u0431\u0435\u0442\u0442\u0435\u0440\u0434\u0435 \u04e9\u04a3\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
+ "HeaderHomePage": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442",
+ "HeaderSettingsForThisDevice": "\u041e\u0441\u044b \u0436\u0430\u0431\u0434\u044b\u049b\u049b\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440",
+ "OptionAuto": "\u0410\u0432\u0442\u043e",
+ "OptionYes": "\u0418\u04d9",
+ "OptionNo": "\u0416\u043e\u049b",
+ "LabelHomePageSection1": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 1-\u0431\u04e9\u043b\u0456\u043c:",
+ "LabelHomePageSection2": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 2-\u0431\u04e9\u043b\u0456\u043c:",
+ "LabelHomePageSection3": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 3-\u0431\u04e9\u043b\u0456\u043c:",
+ "LabelHomePageSection4": "\u0411\u0430\u0441\u0442\u044b \u0431\u0435\u0442 4-\u0431\u04e9\u043b\u0456\u043c:",
+ "OptionMyViewsButtons": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c (\u0442\u04af\u0439\u043c\u0435\u0448\u0456\u043a\u0442\u0435\u0440)",
+ "OptionMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c",
+ "OptionMyViewsSmall": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c (\u044b\u049b\u0448\u0430\u043c)",
+ "OptionResumablemedia": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
+ "OptionLatestMedia": "\u0415\u04a3 \u0441\u043e\u04a3\u0493\u044b \u0442\u0430\u0441\u0443\u0448\u044b\u043b\u0430\u0440",
+ "OptionLatestChannelMedia": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456",
+ "HeaderLatestChannelItems": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b\u04a3 \u0435\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0456",
+ "OptionNone": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439",
+ "HeaderLiveTv": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414",
+ "HeaderReports": "\u0415\u0441\u0435\u043f\u0442\u0435\u0440",
+ "HeaderMetadataManager": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a \u0431\u0430\u0441\u049b\u0430\u0440\u0443\u0448\u044b",
+ "HeaderPreferences": "\u0422\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440",
+ "MessageLoadingChannels": "\u0410\u0440\u043d\u0430\u043d\u044b\u04a3 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u0443\u0434\u0435...",
+ "MessageLoadingContent": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u04af\u043a\u0442\u0435\u043b\u0443\u0434\u0435...",
+ "ButtonMarkRead": "\u041e\u049b\u044b\u043b\u0493\u0430\u043d \u0434\u0435\u043f \u0431\u0435\u043b\u0433\u0456\u043b\u0435\u0443",
+ "OptionDefaultSort": "\u04d8\u0434\u0435\u043f\u043a\u0456",
+ "OptionCommunityMostWatchedSort": "\u0415\u04a3 \u043a\u04e9\u043f \u049b\u0430\u0440\u0430\u043b\u0493\u0430\u043d\u0434\u0430\u0440",
+ "TabNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435\u0433\u0456\u043b\u0435\u0440",
+ "MessageNoMovieSuggestionsAvailable": "\u0415\u0448\u049b\u0430\u043d\u0434\u0430\u0439 \u0444\u0438\u043b\u044c\u043c \u04b1\u0441\u044b\u043d\u044b\u0441\u0442\u0430\u0440\u044b \u0430\u0493\u044b\u043c\u0434\u0430 \u049b\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u043c\u0435\u0441. \u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456 \u049b\u0430\u0440\u0430\u0443\u0434\u044b \u0436\u04d9\u043d\u0435 \u0431\u0430\u0493\u0430\u043b\u0430\u0443\u0434\u044b \u0431\u0430\u0441\u0442\u0430\u04a3\u044b\u0437, \u0441\u043e\u043d\u0434\u0430 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u04b1\u0441\u044b\u043d\u044b\u0442\u0430\u0440\u044b\u04a3\u044b\u0437\u0434\u044b \u043a\u04e9\u0440\u0443 \u04af\u0448\u0456\u043d \u049b\u0430\u0439\u0442\u0430 \u043a\u0435\u043b\u0456\u04a3\u0456\u0437.",
+ "MessageNoCollectionsAvailable": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440\u0434\u0456, \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440\u0434\u044b, \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440\u0434\u044b, \u043a\u0456\u0442\u0430\u043f\u0442\u0430\u0440\u0434\u044b \u0436\u04d9\u043d\u0435 \u043e\u0439\u044b\u043d\u0434\u0430\u0440\u0434\u044b \u0436\u0435\u043a\u0435\u043b\u0435\u043d\u0433\u0435\u043d \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443 \u04af\u0448\u0456\u043d \u0436\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u043a \u0431\u0435\u0440\u0435\u0434\u0456. \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440\u0434\u044b \u0436\u0430\u0441\u0430\u0439 \u0431\u0430\u0441\u0442\u0430\u0443 \u04af\u0448\u0456\u043d \"\u0416\u0430\u0441\u0430\u0443\" \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437.",
+ "MessageNoPlaylistsAvailable": "\u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0456 \u0431\u0456\u0440 \u043a\u0435\u0437\u0434\u0435 \u043e\u0439\u043d\u0430\u0442\u0443 \u04af\u0448\u0456\u043d \u043c\u0430\u0437\u043c\u04b1\u043d \u0442\u0456\u0437\u0456\u043c\u0456\u043d \u0436\u0430\u0441\u0430\u0443\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0435\u0434\u0456. \u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0434\u0435\u0440\u0433\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440\u0434\u0456 \u04af\u0441\u0442\u0435\u0443 \u04af\u0448\u0456\u043d, \u0442\u0456\u043d\u0442\u0443\u0456\u0440\u0434\u0456\u04a3 \u043e\u04a3 \u0436\u0430\u049b \u0442\u04af\u0439\u043c\u0435\u0448\u0456\u0433\u0456\u043d \u0431\u0430\u0441\u044b\u04a3\u044b\u0437 \u043d\u0435\u043c\u0435\u0441\u0435 \u0442\u04af\u0440\u0442\u0456\u043f \u0436\u04d9\u043d\u0435 \u04b1\u0441\u0442\u0430\u043f \u0442\u04b1\u0440\u044b\u04a3\u044b\u0437, \u0441\u043e\u043d\u0434\u0430 \u041e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c\u0456\u043d\u0435 \u04af\u0441\u0442\u0435\u0443 \u0434\u0435\u0433\u0435\u043d\u0434\u0456 \u0442\u0430\u04a3\u0434\u0430\u04a3\u044b\u0437.",
+ "MessageNoPlaylistItemsAvailable": "\u041e\u0441\u044b \u043e\u0439\u043d\u0430\u0442\u0443 \u0442\u0456\u0437\u0456\u043c \u0430\u0493\u044b\u043c\u0434\u0430\u0493\u044b \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0431\u043e\u0441.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Media Browser \u0432\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442\u0456\u043d\u0435 \u049b\u043e\u0448 \u043a\u0435\u043b\u0434\u0456\u04a3\u0456\u0437!",
+ "ButtonDismiss": "\u0416\u0430\u0441\u044b\u0440\u0443",
+ "ButtonTakeTheTour": "\u0410\u0440\u0430\u043b\u0430\u043f \u0448\u044b\u0493\u044b\u04a3\u044b\u0437",
+ "ButtonEditOtherUserPreferences": "\u041e\u0441\u044b \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b\u04a3 \u043f\u0440\u043e\u0444\u0430\u0439\u043b\u044b\u043d, \u049b\u04b1\u043f\u0438\u044f \u0441\u04e9\u0437\u0456\u043d \u0436\u04d9\u043d\u0435 \u0436\u0435\u043a\u0435 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0434\u0435\u0440\u0456\u043d \u04e9\u04a3\u0434\u0435\u0443.",
+ "LabelChannelStreamQuality": "\u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u0442\u0435\u04a3\u0448\u0435\u043b\u0456\u043c\u0456:",
+ "LabelChannelStreamQualityHelp": "\u04e8\u0442\u043a\u0456\u0437\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456 \u0442\u04e9\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u0434\u0430, \u0441\u0430\u043f\u0430\u0441\u044b\u043d \u0448\u0435\u043a\u0442\u0435\u0443\u0456 \u0436\u0430\u0442\u044b\u049b\u0442\u0430\u0443 \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04d9\u0441\u0435\u0440\u0456\u043d \u049b\u0430\u043c\u0442\u0430\u043c\u0430\u0441\u044b\u0437 \u0435\u0442\u0443\u0456\u043d\u0435 \u043a\u04e9\u043c\u0435\u043a\u0442\u0435\u0441\u0443\u0456 \u043c\u04af\u043c\u043a\u0456\u043d.",
+ "OptionBestAvailableStreamQuality": "\u049a\u043e\u043b \u0436\u0435\u0442\u0456\u043c\u0434\u0456 \u0435\u04a3 \u0436\u0430\u049b\u0441\u044b",
+ "LabelEnableChannelContentDownloadingFor": "\u0411\u04b1\u043b \u04af\u0448\u0456\u043d \u0430\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u0441\u0443:",
+ "LabelEnableChannelContentDownloadingForHelp": "\u041a\u0435\u0439\u0431\u0456\u0440 \u0430\u0440\u043d\u0430\u043b\u0430\u0440 \u049b\u0430\u0440\u0430\u0443\u0434\u044b\u04a3 \u0430\u043b\u0434\u044b\u043d\u0434\u0430 \u043c\u0430\u0437\u043c\u04af\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443\u0434\u044b \u049b\u043e\u043b\u0434\u0430\u0439\u0434\u044b. \u04e8\u0442\u043a\u0456\u0437\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456 \u0442\u04e9\u043c\u0435\u043d \u043e\u0440\u0442\u0430\u043b\u0430\u0440\u0434\u0430 \u0430\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04b1\u043c\u044b\u0441\u0442\u0430\u043d \u0431\u043e\u0441 \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437. \u041c\u0430\u0437\u043c\u04af\u043d \u0430\u0440\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443 \u0436\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0493\u0430\u043d \u0442\u0430\u043f\u0441\u044b\u0440\u043c\u0430\u0441\u044b \u0431\u04e9\u043b\u0456\u0433\u0456 \u0440\u0435\u0442\u0456\u043d\u0434\u0435 \u0436\u04af\u043a\u0442\u0435\u043b\u0435\u0434\u0456.",
+ "LabelChannelDownloadPath": "\u0410\u0440\u043d\u0430 \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0436\u043e\u043b\u044b:",
+ "LabelChannelDownloadPathHelp": "\u041a\u0435\u0440\u0435\u043a \u0431\u043e\u043b\u0441\u0430 \u0442\u0435\u04a3\u0448\u0435\u043b\u0433\u0435\u043d \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u0443 \u0436\u043e\u043b\u044b\u043d \u0430\u043d\u044b\u049b\u0442\u0430\u04a3\u044b\u0437. \u0411\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u0456\u0448\u043a\u0456 \u049b\u0430\u043b\u0442\u0430\u0441\u044b\u043d\u0430 \u0436\u04af\u043a\u0442\u0435\u0443 \u04af\u0448\u0456\u043d \u0431\u043e\u0441 \u049b\u0430\u043b\u0434\u044b\u0440\u044b\u04a3\u044b\u0437.",
+ "LabelChannelDownloadAge": "\u041c\u0430\u0437\u043c\u04b1\u043d \u0436\u043e\u0439\u044b\u043b\u0443\u044b \u043a\u0435\u043b\u0435\u0441\u0456\u0434\u0435\u043d \u043a\u0435\u0439\u0456\u043d, \u043a\u04af\u043d:",
+ "LabelChannelDownloadAgeHelp": "\u0411\u04b1\u0434\u0430\u043d \u0431\u04b1\u0440\u044b\u043d\u0493\u044b \u0436\u04af\u043a\u0442\u0435\u043f \u0430\u043b\u044b\u043d\u0493\u0430\u043d \u043c\u0430\u0437\u043c\u04af\u043d \u0436\u043e\u0439\u044b\u043b\u0430\u0434\u044b. \u0418\u043d\u0442\u0435\u0440\u043d\u0435\u0442 \u0430\u0440\u049b\u044b\u043b\u044b \u0430\u0493\u044b\u043d\u043c\u0435\u043d \u0442\u0430\u0441\u044b\u043c\u0430\u043b\u0434\u0430\u0443 \u04d9\u0434\u0456\u0441\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u043e\u0439\u043d\u0430\u0442\u0443 \u0456\u0441\u0442\u0435 \u049b\u0430\u043b\u0430\u0434\u044b.",
+ "ChannelSettingsFormHelp": "\u041f\u043b\u0430\u0433\u0438\u043d \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0456\u043d\u0434\u0435\u0433\u0456 Trailers \u0436\u04d9\u043d\u0435 Vimeo \u0441\u0438\u044f\u049b\u0442\u044b \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u043e\u0440\u043d\u0430\u0442\u044b\u04a3\u044b\u0437.",
+ "LabelSelectCollection": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u044b \u0442\u0430\u04a3\u0434\u0430\u0443:",
+ "ButtonOptions": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440",
+ "ViewTypeMovies": "\u041a\u0438\u043d\u043e",
+ "ViewTypeTvShows": "\u0422\u0414",
+ "ViewTypeGames": "\u041e\u0439\u044b\u043d\u0434\u0430\u0440",
+ "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430",
+ "ViewTypeBoxSets": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440",
+ "ViewTypeChannels": "\u0410\u0440\u043d\u0430\u043b\u0430\u0440",
+ "ViewTypeLiveTV": "\u042d\u0444\u0438\u0440\u043b\u0456\u043a \u0422\u0414",
+ "ViewTypeLiveTvNowPlaying": "\u042d\u0444\u0438\u0440\u0434\u0435",
+ "ViewTypeLatestGames": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043e\u0439\u044b\u043d\u0434\u0430\u0440",
+ "ViewTypeRecentlyPlayedGames": "\u0416\u0430\u049b\u044b\u043d\u0434\u0430 \u043e\u0439\u043d\u0430\u0442\u044b\u043b\u0493\u0430\u043d\u0434\u0430\u0440",
+ "ViewTypeGameFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440",
+ "ViewTypeGameSystems": "\u041e\u0439\u044b\u043d \u0436\u04af\u0439\u0435\u043b\u0435\u0440\u0456",
+ "ViewTypeGameGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440",
+ "ViewTypeTvResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
+ "ViewTypeTvNextUp": "\u041a\u0435\u0437\u0435\u043a\u0442\u0435\u0433\u0456\u043b\u0435\u0440",
+ "ViewTypeTvLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456",
+ "ViewTypeTvShowSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440",
+ "ViewTypeTvGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440",
+ "ViewTypeTvFavoriteSeries": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0441\u0435\u0440\u0438\u0430\u043b\u0434\u0430\u0440",
+ "ViewTypeTvFavoriteEpisodes": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u044d\u043f\u0438\u0437\u043e\u0434\u0442\u0430\u0440",
+ "ViewTypeMovieResume": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443",
+ "ViewTypeMovieLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456",
+ "ViewTypeMovieMovies": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440",
+ "ViewTypeMovieCollections": "\u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440",
+ "ViewTypeMovieFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440",
+ "ViewTypeMovieGenres": "\u0416\u0430\u043d\u0440\u043b\u0430\u0440",
+ "ViewTypeMusicLatest": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456",
+ "ViewTypeMusicAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440",
+ "ViewTypeMusicAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440\u044b",
+ "HeaderOtherDisplaySettings": "\u0411\u0435\u0439\u043d\u0435\u043b\u0435\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
+ "ViewTypeMusicSongs": "\u04d8\u0443\u0435\u043d\u0434\u0435\u0440",
+ "ViewTypeMusicFavorites": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b\u043b\u0430\u0440",
+ "ViewTypeMusicFavoriteAlbums": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u0430\u043b\u044c\u0431\u043e\u043c\u0434\u0430\u0440",
+ "ViewTypeMusicFavoriteArtists": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u043e\u0440\u044b\u043d\u0434\u0430\u0443\u0448\u044b\u043b\u0430\u0440",
+ "ViewTypeMusicFavoriteSongs": "\u0422\u0430\u04a3\u0434\u0430\u0443\u043b\u044b \u04d9\u0443\u0435\u043d\u0434\u0435\u0440",
+ "HeaderMyViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c",
+ "LabelSelectFolderGroups": "\u041a\u0435\u043b\u0435\u0441\u0456 \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u0434\u0430\u0493\u044b \u043c\u0430\u0437\u043c\u04b1\u043d\u0434\u044b \u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430 \u0436\u04d9\u043d\u0435 \u0422\u0414 \u0441\u0438\u044f\u049b\u0442\u044b \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0433\u0435 \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0442\u043e\u043f\u0442\u0430\u0441\u0442\u044b\u0440\u0443:",
+ "LabelSelectFolderGroupsHelp": "\u0411\u0435\u043b\u0433\u0456\u043b\u0435\u043d\u0431\u0435\u0433\u0435\u043d \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440 \u04e9\u0437 \u0431\u0435\u0442\u0456\u043c\u0435\u043d \u04e9\u0437\u0456\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
+ "OptionDisplayAdultContent": "\u0415\u0440\u0435\u0441\u0435\u043a \u043c\u0430\u0437\u043c\u04b1\u043d\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443",
+ "OptionLibraryFolders": "\u0422\u0430\u0441\u0443\u0448\u044b \u049b\u0430\u043b\u0442\u0430\u043b\u0430\u0440\u044b",
+ "TitleRemoteControl": "\u049a\u0430\u0448\u044b\u049b\u0442\u0430\u043d \u0431\u0430\u0441\u049b\u0430\u0440\u0443",
+ "OptionLatestTvRecordings": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u0436\u0430\u0437\u0431\u0430\u043b\u0430\u0440",
+ "LabelProtocolInfo": "\u041f\u0440\u043e\u0442\u043e\u049b\u043e\u043b \u0430\u049b\u043f\u0430\u0440\u0430\u0442\u044b:",
+ "LabelProtocolInfoHelp": "\u0411\u04b1\u043b \u043c\u04d9\u043d \u0436\u0430\u0431\u0434\u044b\u049b\u0442\u044b\u04a3 GetProtocolInfo \u0441\u04b1\u0440\u0430\u043d\u044b\u0441\u0442\u0430\u0440\u044b\u043d\u0430 \u0436\u0430\u0443\u0430\u043f \u0431\u0435\u0440\u0433\u0435\u043d\u0434\u0435 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043b\u0430\u0434\u044b.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b Xbmc NFO \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u0436\u04d9\u043d\u0435 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0456\u043d\u0456\u04a3 \u043a\u0456\u0440\u0456\u043a\u0442\u0456\u0440\u043c\u0435 \u049b\u043e\u043b\u0434\u0430\u0443\u044b\u043d \u049b\u0430\u043c\u0442\u0438\u0434\u044b. Xbmc \u043c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d \u049b\u043e\u0441\u0443 \u043d\u0435\u043c\u0435\u0441\u0435 \u04e9\u0448\u0456\u0440\u0443 \u04af\u0448\u0456\u043d \u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440 \u049b\u043e\u0439\u044b\u043d\u0434\u044b\u0441\u044b\u043d\u0434\u0430\u0493\u044b \u0442\u0430\u0441\u0443\u0448\u044b \u0442\u04af\u0440\u043b\u0435\u0440\u0456\u043d\u0435 \u0430\u0440\u043d\u0430\u043b\u0493\u0430\u043d \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u04a3\u044b\u0437.",
+ "LabelKodiMetadataUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043d\u044b\u04a3 \u049b\u0430\u0440\u0430\u0443 \u043a\u04af\u0439\u0456\u043d NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b \u04af\u0448\u0456\u043d \u043c\u044b\u043d\u0430\u0493\u0430\u043d \u049b\u043e\u0441\u0443:",
+ "LabelKodiMetadataUserHelp": "\u041a\u04e9\u0440\u0456\u043b\u0433\u0435\u043d \u043a\u04af\u0439\u0434\u0456 Media Browser \u0436\u04d9\u043d\u0435 Kodi \u0430\u0440\u0430\u0441\u044b\u043d\u0434\u0430 \u04af\u0439\u043b\u0435\u0441\u0442\u0456\u0440\u0456\u043f \u0442\u04b1\u0440\u0443 \u04af\u0448\u0456\u043d \u0431\u04b1\u043d\u044b \u049b\u043e\u0441\u044b\u04a3\u044b\u0437.",
+ "LabelKodiMetadataDateFormat": "\u0428\u044b\u0493\u0430\u0440\u0443 \u043a\u04af\u043d\u0456\u043d\u0456\u04a3 \u043f\u0456\u0448\u0456\u043c\u0456:",
+ "LabelKodiMetadataDateFormatHelp": "\u041e\u0441\u044b \u043f\u0456\u0448\u0456\u043c\u0434\u0456 \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f nfo \u0456\u0448\u0456\u043d\u0434\u0435\u0433\u0456 \u0431\u0430\u0440\u043b\u044b\u049b \u043a\u04af\u043d\u0434\u0435\u0440\u0456 \u043e\u049b\u044b\u043b\u0430\u0434\u044b \u0436\u04d9\u043d\u0435 \u0436\u0430\u0437\u044b\u043b\u0430\u0434\u044b.",
+ "LabelKodiMetadataSaveImagePaths": "\u0421\u0443\u0440\u0435\u0442 \u0436\u043e\u043b\u0434\u0430\u0440\u044b\u043d NFO-\u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b\u043d\u0434\u0430 \u0441\u0430\u049b\u0442\u0430\u0443",
+ "LabelKodiMetadataSaveImagePathsHelp": "\u0415\u0433\u0435\u0440 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 Kodi \u043d\u04b1\u0441\u049b\u0430\u0443\u043b\u044b\u049b \u04b1\u0441\u0442\u0430\u043d\u044b\u043c\u0434\u0430\u0440\u044b\u043d\u0430 \u0441\u0430\u0439 \u043a\u0435\u043b\u043c\u0435\u0433\u0435\u043d \u0430\u0442\u0430\u0443\u043b\u0430\u0440\u044b \u0431\u043e\u043b\u0441\u0430, \u0431\u04b1\u043b \u04b1\u0441\u044b\u043d\u044b\u043b\u0430\u0434\u044b.",
+ "LabelKodiMetadataEnablePathSubstitution": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u043e\u0441\u0443",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0436\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443 \u0442\u0435\u04a3\u0448\u0435\u0443\u0456\u043d \u043f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u044b\u043f \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456\u04a3 \u0436\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u044b\u043d \u049b\u043e\u0441\u0430\u0434\u044b.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u0416\u043e\u043b \u0430\u043b\u043c\u0430\u0441\u0442\u044b\u0440\u0443\u0434\u044b \u049b\u0430\u0440\u0430\u0443.",
+ "LabelGroupChannelsIntoViews": "\u041c\u0435\u043d\u0456\u04a3 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u0456\u043c\u0434\u0435 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u043a\u0435\u043b\u0435\u0441\u0456 \u0430\u0440\u043d\u0430\u043b\u0430\u0440\u0434\u044b \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443:",
+ "LabelGroupChannelsIntoViewsHelp": "\u0415\u0433\u0435\u0440 \u049b\u043e\u0441\u044b\u043b\u0441\u0430, \u043e\u0441\u044b \u0430\u0440\u043d\u0430\u043b\u0430\u0440 \u0431\u0430\u0441\u049b\u0430 \u0430\u0441\u043f\u0435\u043a\u0442\u0442\u0435\u0440\u043c\u0435\u043d \u049b\u0430\u0442\u0430\u0440 \u0442\u0456\u043a\u0435\u043b\u0435\u0439 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456. \u0415\u0433\u0435\u0440 \u0430\u0436\u044b\u0440\u0430\u0442\u044b\u043b\u0441\u0430, \u043e\u043b\u0430\u0440 \u0431\u04e9\u043b\u0435\u043a \u0410\u0440\u043d\u0430\u043b\u0430\u0440 \u043a\u04e9\u0440\u0456\u043d\u0456\u0441\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
+ "LabelDisplayCollectionsView": "\u0424\u0438\u043b\u044c\u043c\u0434\u0435\u0440 \u0436\u0438\u043d\u0430\u049b\u0442\u0430\u0440\u044b\u043d \u043a\u04e9\u0440\u0441\u0435\u0442\u0443 \u04af\u0448\u0456\u043d \u0416\u0438\u044b\u043d\u0442\u044b\u049b\u0442\u0430\u0440 \u0430\u0441\u043f\u0435\u043a\u0442\u0456\u043d \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u0443",
+ "LabelKodiMetadataEnableExtraThumbs": "\u04d8\u0434\u0435\u043f\u043a\u0456 extrafanart \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440\u0456\u043d extrathumbs \u0456\u0448\u0456\u043d\u0435 \u043a\u04e9\u0448\u0456\u0440\u0443",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "\u0421\u0443\u0440\u0435\u0442\u0442\u0435\u0440\u0434\u0456 \u0436\u04af\u043a\u0442\u0435\u0433\u0435\u043d \u043a\u0435\u0437\u0434\u0435, \u043e\u043b\u0430\u0440 Kodi \u049b\u0430\u0431\u044b\u0493\u044b\u043c\u0435\u043d \u0435\u04a3 \u0436\u043e\u0493\u0430\u0440\u044b \u0441\u0438\u044b\u0441\u044b\u043c\u0434\u044b\u0493\u044b \u04af\u0448\u0456\u043d extrafanart \u0436\u04d9\u043d\u0435 extrathumbs \u0435\u043a\u0435\u0443\u0456\u043d\u0434\u0435 \u0441\u0430\u049b\u0442\u0430\u043b\u0430\u0434\u044b.",
+ "TabServices": "\u049a\u044b\u0437\u043c\u0435\u0442\u0442\u0435\u0440",
+ "TabLogs": "\u0416\u04b1\u0440\u043d\u0430\u043b\u0434\u0430\u0440",
+ "HeaderServerLogFiles": "\u0421\u0435\u0440\u0432\u0435\u0440\u0434\u0456\u04a3 \u0436\u04b1\u0440\u043d\u0430\u043b \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b:",
+ "TabBranding": "\u0411\u0440\u0435\u043d\u0434\u0438\u043d\u0433",
+ "HeaderBrandingHelp": "\u0422\u043e\u0431\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u043d\u0435 \u04b1\u0439\u044b\u043c\u044b\u04a3\u044b\u0437\u0434\u044b\u04a3 \u043c\u04b1\u049b\u0442\u0430\u0436\u0434\u044b\u049b\u0442\u0430\u0440\u044b\u043d\u0430 \u04af\u0439\u043b\u0435\u0441\u0456\u043c\u0434\u0456 Media Browser \u0431\u0435\u0437\u0435\u043d\u0434\u0456\u0440\u0443\u0456\u043d \u0442\u0435\u04a3\u0448\u0435\u0443.",
+ "LabelLoginDisclaimer": "\u041a\u0456\u0440\u0433\u0435\u043d\u0434\u0435\u0433\u0456 \u0435\u0441\u043a\u0435\u0440\u0442\u0443:",
+ "LabelLoginDisclaimerHelp": "\u0411\u04b1\u043b \u043a\u0456\u0440\u0443 \u0431\u0435\u0442\u0456\u043d\u0456\u04a3 \u0442\u04e9\u043c\u0435\u043d\u0456\u043d\u0434\u0435 \u0431\u0435\u0439\u043d\u0435\u043b\u0435\u043d\u0435\u0434\u0456.",
+ "LabelAutomaticallyDonate": "\u041e\u0441\u044b \u0441\u043e\u043c\u0430\u043d\u044b \u04d9\u0440 \u0430\u0439 \u0441\u0430\u0439\u044b\u043d \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0442\u044b \u0442\u04af\u0440\u0434\u0435 \u0441\u044b\u0439\u043b\u0430\u0443",
+ "LabelAutomaticallyDonateHelp": "PayPal \u0435\u0441\u0435\u043f \u0448\u043e\u0442\u044b\u04a3\u044b\u0437 \u0430\u0440\u049b\u044b\u043b\u044b \u043a\u0435\u0437 \u043a\u0435\u043b\u0433\u0435\u043d \u0443\u0430\u049b\u044b\u0442\u0442\u0430 \u0434\u043e\u0493\u0430\u0440\u0443 \u043c\u04af\u043c\u043a\u0456\u043d\u0434\u0456\u0433\u0456\u04a3\u0456\u0437 \u0431\u0430\u0440.",
+ "OptionList": "\u0422\u0456\u0437\u0456\u043c",
+ "TabDashboard": "\u0411\u0430\u049b\u044b\u043b\u0430\u0443 \u0442\u0430\u049b\u0442\u0430\u0441\u044b",
+ "TitleServer": "\u0421\u0435\u0440\u0432\u0435\u0440",
+ "LabelCache": "\u041a\u0435\u0448:",
+ "LabelLogs": "\u0416\u04b1\u0440\u043d\u0430\u043b\u0434\u0430\u0440:",
+ "LabelMetadata": "\u041c\u0435\u0442\u0430\u0434\u0435\u0440\u0435\u043a\u0442\u0435\u0440:",
+ "LabelImagesByName": "\u0410\u0442\u044b \u0431\u043e\u0439\u044b\u043d\u0448\u0430 \u0441\u0443\u0440\u0435\u0442\u0442\u0435\u0440:",
+ "LabelTranscodingTemporaryFiles": "\u049a\u0430\u0439\u0442\u0430 \u043a\u043e\u0434\u0442\u0430\u0443\u044b\u043d\u044b\u04a3 \u0443\u0430\u049b\u044b\u0442\u0448\u0430 \u0444\u0430\u0439\u043b\u0434\u0430\u0440\u044b:",
+ "HeaderLatestMusic": "\u0415\u04a3 \u043a\u0435\u0439\u0456\u043d\u0433\u0456 \u043c\u0443\u0437\u044b\u043a\u0430",
+ "HeaderBranding": "\u0411\u0440\u0435\u043d\u0434\u0438\u04a3\u0433",
+ "HeaderApiKeys": "API \u043a\u0456\u043b\u0442\u0442\u0435\u0440\u0456",
+ "HeaderApiKeysHelp": "\u0421\u044b\u0440\u0442\u049b\u044b \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u043b\u0430\u0440 Media Browser \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b\u043c\u0435\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u04af\u0448\u0456\u043d API \u043a\u0456\u043b\u0442\u0456 \u049b\u0430\u0436\u0435\u0442 \u0435\u0442\u0435\u0434\u0456. \u041a\u0456\u043b\u0442\u0442\u0435\u0440 Media Browser \u0442\u0456\u0440\u043a\u0435\u043b\u0433\u0456\u0441\u0456\u043d\u0435 \u043a\u0456\u0440\u0433\u0435\u043d\u0434\u0435, \u043d\u0435\u043c\u0435\u0441\u0435 \u043a\u0456\u043b\u0442\u0442\u0456 \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u049b\u043e\u043b\u043c\u0435\u043d \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0456\u043b\u0433\u0435\u043d\u0434\u0435 \u0431\u0435\u0440\u0456\u043b\u0435\u0434\u0456.",
+ "HeaderApiKey": "API \u043a\u0456\u043b\u0442\u0456",
+ "HeaderApp": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430",
+ "HeaderDevice": "\u0416\u0430\u0431\u0434\u044b\u049b",
+ "HeaderUser": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b",
+ "HeaderDateIssued": "\u0411\u0435\u0440\u0456\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456",
+ "LabelChapterName": "{0}-\u0441\u0430\u0445\u043d\u0430",
+ "HeaderNewApiKey": "\u0416\u0430\u04a3\u0430 API \u043a\u0456\u043b\u0442\u0456",
+ "LabelAppName": "\u049a\u043e\u043b\u0434\u0430\u043d\u0431\u0430 \u0430\u0442\u044b",
+ "LabelAppNameExample": "\u041c\u044b\u0441\u0430\u043b\u044b: Sickbeard, NzbDrone",
+ "HeaderNewApiKeyHelp": "Media Browser \u0431\u0430\u0493\u0434\u0430\u0440\u043b\u0430\u043c\u0430\u0441\u044b\u043c\u0435\u043d \u049b\u0430\u0442\u044b\u043d\u0430\u0441\u0443 \u049b\u04b1\u049b\u044b\u049b\u044b\u0493\u044b \u04af\u0448\u0456\u043d \u049b\u043e\u043b\u0434\u0430\u043d\u0431\u0430\u0493\u0430 \u0440\u04b1\u049b\u0441\u0430\u0442 \u0435\u0442\u0443.",
+ "HeaderHttpHeaders": "HTTP \u04af\u0441\u0442\u0456\u04a3\u0433\u0456 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u043b\u0435\u0440\u0456",
+ "HeaderIdentificationHeader": "\u0410\u043d\u044b\u049b\u0442\u0430\u0443\u0434\u044b\u04a3 \u04af\u0441\u0442\u0456\u04a3\u0433\u0456 \u0434\u0435\u0440\u0435\u043a\u0442\u0435\u043c\u0435\u0441\u0456",
+ "LabelValue": "\u041c\u04d9\u043d\u0456:",
+ "LabelMatchType": "\u0421\u04d9\u0439\u043a\u0435\u0441 \u0442\u04af\u0440\u0456:",
+ "OptionEquals": "\u0422\u0435\u04a3",
+ "OptionRegex": "\u04b0\u0434\u0430\u0439\u044b \u04e9\u0440\u043d\u0435\u043a",
+ "OptionSubstring": "\u0406\u0448\u043a\u0456 \u0436\u043e\u043b",
+ "TabView": "\u041a\u04e9\u0440\u0456\u043d\u0456\u0441",
+ "TabSort": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u0443",
+ "TabFilter": "\u0421\u04af\u0437\u0443",
+ "ButtonView": "\u049a\u0430\u0440\u0430\u0443",
+ "LabelPageSize": "\u042d\u043b\u0435\u043c\u0435\u043d\u0442\u0442\u0435\u0440 \u0448\u0435\u0433\u0456:",
+ "LabelPath": "\u0416\u043e\u043b\u044b:",
+ "LabelView": "\u041a\u04e9\u0440\u0456\u043d\u0456\u0441:",
+ "TabUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440",
+ "LabelSortName": "\u0421\u04b1\u0440\u044b\u043f\u0442\u0430\u043b\u0430\u0442\u044b\u043d \u0430\u0442\u044b:",
+ "LabelDateAdded": "\u04ae\u0441\u0442\u0435\u043b\u0433\u0435\u043d \u043a\u04af\u043d\u0456",
+ "HeaderFeatures": "\u041c\u04d9\u043b\u0456\u043c\u0435\u0442\u0442\u0435\u0440",
+ "HeaderAdvanced": "\u049a\u043e\u0441\u044b\u043c\u0448\u0430",
+ "ButtonSync": "\u0421\u0438\u043d\u0445\u0440\u043e",
+ "TabScheduledTasks": "\u0416\u043e\u0441\u043f\u0430\u0440\u043b\u0430\u0443\u0448\u044b",
+ "HeaderChapters": "\u0421\u0430\u0445\u043d\u0430\u043b\u0430\u0440",
+ "HeaderResumeSettings": "\u0416\u0430\u043b\u0493\u0430\u0441\u0442\u044b\u0440\u0443 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043b\u0435\u0440\u0456",
+ "TabSync": "\u0421\u0438\u043d\u0445\u0440\u043e\u043d\u0434\u0430\u0443",
+ "TitleUsers": "\u041f\u0430\u0439\u0434\u0430\u043b\u0430\u043d\u0443\u0448\u044b\u043b\u0430\u0440",
+ "LabelProtocol": "\u041f\u0440\u043e\u0442\u043e\u043a\u043e\u043b:",
+ "OptionProtocolHttp": "HTTP"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ko.json b/MediaBrowser.Server.Implementations/Localization/Server/ko.json
index 47644c5df1..dea645a727 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/ko.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/ko.json
@@ -1,593 +1,4 @@
{
- "TabScheduled": "Scheduled",
- "TabSeries": "Series",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record program on all channels",
- "OptionRecordAnytime": "Record program at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
"LabelDisplayCollectionsView": "Display a collections view to show movie collections",
"LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
"LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
@@ -947,6 +358,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Schweinsteiger",
"LabelVisitCommunity": "Visit Community",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +664,594 @@
"TabChannels": "Channels",
"TabCollections": "Collections",
"HeaderChannels": "Channels",
- "TabRecordings": "Recordings"
+ "TabRecordings": "Recordings",
+ "TabScheduled": "Scheduled",
+ "TabSeries": "Series",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "Cancel Recording",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view."
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ms.json b/MediaBrowser.Server.Implementations/Localization/Server/ms.json
index 7dcbd807fe..47c8d04b16 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/ms.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/ms.json
@@ -1,594 +1,4 @@
{
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record program on all channels",
- "OptionRecordAnytime": "Record program at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Services",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Server log files:",
- "TabBranding": "Branding",
"HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
"LabelLoginDisclaimer": "Login disclaimer:",
"LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
@@ -941,6 +351,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Tutup",
"LabelVisitCommunity": "Melawat Masyarakat",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +663,595 @@
"TabFavorites": "Favorites",
"TabMyLibrary": "My Library",
"ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding"
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/nb.json b/MediaBrowser.Server.Implementations/Localization/Server/nb.json
index 32fda86f86..021974b855 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/nb.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/nb.json
@@ -1,595 +1,4 @@
{
- "LabelPrePaddingMinutes": "Margin f\u00f8r programstart i minutter:",
- "OptionPrePaddingRequired": "Margin f\u00f8r programstart kreves for \u00e5 kunne gj\u00f8re opptak",
- "LabelPostPaddingMinutes": "Margin etter programslutt i minutter:",
- "OptionPostPaddingRequired": "Margin etter programslutt kreves for \u00e5 kunne gj\u00f8re opptak",
- "HeaderWhatsOnTV": "Hva er p\u00e5",
- "HeaderUpcomingTV": "Kommende TV",
- "TabStatus": "Status",
- "TabSettings": "Innstillinger",
- "ButtonRefreshGuideData": "Oppdater Guide Data",
- "ButtonRefresh": "Oppdater",
- "ButtonAdvancedRefresh": "Avansert Oppfrskning",
- "OptionPriority": "Prioritet",
- "OptionRecordOnAllChannels": "Ta opptak p\u00e5 alle kanaler",
- "OptionRecordAnytime": "Ta opptak n\u00e5r som helst",
- "OptionRecordOnlyNewEpisodes": "Ta opptak kun av nye episoder",
- "HeaderDays": "Dager",
- "HeaderActiveRecordings": "Aktive opptak",
- "HeaderLatestRecordings": "Siste Opptak",
- "HeaderAllRecordings": "Alle Opptak",
- "ButtonPlay": "Spill",
- "ButtonEdit": "Rediger",
- "ButtonRecord": "Opptak",
- "ButtonDelete": "Slett",
- "ButtonRemove": "Fjern",
- "OptionRecordSeries": "Ta opptak av Serier",
- "HeaderDetails": "Detaljer",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Antall dager av guide data som skal lastes ned",
- "LabelNumberOfGuideDaysHelp": "Nedlasting av guide data for flere dager gir muligheten for \u00e5 planlegge i forveien og for \u00e5 se flere listinger. Dette vil ogs\u00e5 ta lengre tid for nedlasting. Auto vil velge basert p\u00e5 antall kanaler.",
- "LabelActiveService": "Aktive Tjenester:",
- "LabelActiveServiceHelp": "Flere TV programtillegg kan bli installert, men kun en kan v\u00e6re aktiv.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "En Live TV tilbyder trengs for \u00e5 kunne fortsette.",
- "LiveTvPluginRequiredHelp": "Vennligst installer en av v\u00e5re tilgjengelige programtillegg, f.eks Next Pvr eller ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Tilpass for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Meny",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Boks",
- "OptionDownloadDiscImage": "Disk",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Tilbake",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Prim\u00e6r",
- "HeaderFetchImages": "Hent Bilder:",
- "HeaderImageSettings": "Bilde Innstillinger",
- "TabOther": "Andre",
- "LabelMaxBackdropsPerItem": "Maks antall av backdrops for hvert element:",
- "LabelMaxScreenshotsPerItem": "Maks antall av screenshots for hvert element:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop nedlastings bredde:",
- "LabelMinScreenshotDownloadWidth": "Minimum nedlasted screenshot bredde:",
- "ButtonAddScheduledTaskTrigger": "Legg Til Oppgave Trigger",
- "HeaderAddScheduledTaskTrigger": "Legg til Oppgave Trigger",
- "ButtonAdd": "Legg Til",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daglig",
- "OptionWeekly": "Ukentlig",
- "OptionOnInterval": "P\u00e5 ett intervall",
- "OptionOnAppStartup": "Ved applikasjon oppstart",
- "OptionAfterSystemEvent": "Etter ett system hendelse",
- "LabelDay": "Dag:",
- "LabelTime": "Tid:",
- "LabelEvent": "Hendelse:",
- "OptionWakeFromSleep": "V\u00e5kne fra dvale",
- "LabelEveryXMinutes": "Hver",
- "HeaderTvTuners": "Tunere",
- "HeaderGallery": "Galleri",
- "HeaderLatestGames": "Siste Spill",
- "HeaderRecentlyPlayedGames": "Nylig Spilte Spill",
- "TabGameSystems": "Spill Systemer",
- "TitleMediaLibrary": "Media-bibliotek",
- "TabFolders": "Mapper",
- "TabPathSubstitution": "Sti erstatter",
- "LabelSeasonZeroDisplayName": "Sesong 0 visningsnavn",
- "LabelEnableRealtimeMonitor": "Aktiver sanntids monitorering",
- "LabelEnableRealtimeMonitorHelp": "Endinger vil bli prossesert umiddelbart, til st\u00f8ttede file systemer.",
- "ButtonScanLibrary": "S\u00f8k Gjennom Bibliotek",
- "HeaderNumberOfPlayers": "Spillere:",
- "OptionAnyNumberOfPlayers": "Noen",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Mapper",
- "HeaderThemeVideos": "Tema Videoer",
- "HeaderThemeSongs": "Tema Sanger",
- "HeaderScenes": "Scener",
- "HeaderAwardsAndReviews": "Priser og anmeldelser",
- "HeaderSoundtracks": "Lydspor",
- "HeaderMusicVideos": "Musikk Videoer",
- "HeaderSpecialFeatures": "Spesielle Funksjoner",
- "HeaderCastCrew": "Mannskap",
- "HeaderAdditionalParts": "Tilleggsdeler",
- "ButtonSplitVersionsApart": "Splitt versjoner fra hverandre",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Mangler",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Sti erstatninger er brukt for \u00e5 kartlegge en bane p\u00e5 serveren til en bane som kundene er i stand til \u00e5 f\u00e5 tilgang. Ved \u00e5 la kundene direkte tilgang til media p\u00e5 serveren kan de v\u00e6re i stand til \u00e5 spille dem direkte over nettverket, og unng\u00e5 \u00e5 bruke server ressurser til \u00e5 streame og omkode dem.",
- "HeaderFrom": "Fra",
- "HeaderTo": "Til",
- "LabelFrom": "Fra:",
- "LabelFromHelp": "Eksempel: D:\\Filmer (P\u00e5 serveren)",
- "LabelTo": "Til:",
- "LabelToHelp": "Eksempel: \\\\MinServerFilmer (en sti som klienter kan f\u00e5 tilgang til)",
- "ButtonAddPathSubstitution": "Legg til erstatter",
- "OptionSpecialEpisode": "Spesielle",
- "OptionMissingEpisode": "Mangler Episoder",
- "OptionUnairedEpisode": "Kommende Episoder",
- "OptionEpisodeSortName": "Episode Etter Navn",
- "OptionSeriesSortName": "Serie Navn",
- "OptionTvdbRating": "Tvdb Rangering",
- "HeaderTranscodingQualityPreference": "\u00d8nsket kvalitet for transkoding",
- "OptionAutomaticTranscodingHelp": "Serveren vil bestemme kvalitet og hastighet",
- "OptionHighSpeedTranscodingHelp": "Lavere kvalitet, men raskere encoding",
- "OptionHighQualityTranscodingHelp": "H\u00f8yere kvalitet, men saktere encoding",
- "OptionMaxQualityTranscodingHelp": "Beste kvalitet med saktere encoding og h\u00f8y CPU bruk",
- "OptionHighSpeedTranscoding": "H\u00f8yere hastighet",
- "OptionHighQualityTranscoding": "H\u00f8yere kvalitet",
- "OptionMaxQualityTranscoding": "Maks kvalitet",
- "OptionEnableDebugTranscodingLogging": "Sl\u00e5 p\u00e5 debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "Dette vil lage veldig lange log filer og er kun anbefalt for feils\u00f8king.",
- "OptionUpscaling": "Tillat klienter \u00e5 gi foresp\u00f8rsler for oppskalert video",
- "OptionUpscalingHelp": "I noen tilfeller f\u00f8rer dette til resultat i forbedret video kvalitet men vil \u00f8ke CPU bruk.",
- "EditCollectionItemsHelp": "Legg til eller fjern hvilken som helst film, serie, album, bok eller spill som du \u00f8nsker \u00e5 gruppere innen denne samlingen.",
- "HeaderAddTitles": "Legg til Titler",
- "LabelEnableDlnaPlayTo": "Sl\u00e5 p\u00e5 DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser kan detektere enheter innen ditt nettverk og tilbyr mulighetene til \u00e5 kunne gi ekstern tilgang for \u00e5 kontrollere enhetene.",
- "LabelEnableDlnaDebugLogging": "Sl\u00e5 p\u00e5 DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "Dette vil lage store log filer og burde kun benyttes for feils\u00f8king.",
- "LabelEnableDlnaClientDiscoveryInterval": "Klient oppdaterings interval (Sekunder)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bestemmer varigheten i sekunder mellom SSDP s\u00f8k utf\u00f8rt av Media Browser.",
- "HeaderCustomDlnaProfiles": "Tilpassede Profiler",
- "HeaderSystemDlnaProfiles": "System Profiler",
- "CustomDlnaProfilesHelp": "Lag en tilpasset profil for \u00e5 sette en ny enhet til \u00e5 overkj\u00f8re en system profil.",
- "SystemDlnaProfilesHelp": "System profiler er read-only. Endinger til ett system profil vil bli lagret til en ny tilpasset profil.",
- "TitleDashboard": "Dashbord",
- "TabHome": "Hjem",
- "TabInfo": "Info",
- "HeaderLinks": "Lenker",
- "HeaderSystemPaths": "System Stier",
- "LinkCommunity": "Samfunn",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Dokumentasjon",
- "LabelFriendlyServerName": "Vennlig server navn:",
- "LabelFriendlyServerNameHelp": "Dette navnet vil bli brukt for \u00e5 identifisere denne serveren. Hvis feltet er tomt, vil maskinens navn bli brukt.",
- "LabelPreferredDisplayLanguage": "Foretrukket visningsspr\u00e5k",
- "LabelPreferredDisplayLanguageHelp": "Oversetting av Media Browser er ett p\u00e5g\u00e5ende prosjekt og er enda ikke fullstendig ferdig.",
- "LabelReadHowYouCanContribute": "Les mer om hvordan du kan bidra.",
- "HeaderNewCollection": "Ny Samling",
- "HeaderAddToCollection": "Legg Til I Samling",
- "ButtonSubmit": "Send",
- "NewCollectionNameExample": "Eksempel: Star Wars Samling",
- "OptionSearchForInternetMetadata": "S\u00f8k p\u00e5 internet for artwork og metadata",
- "ButtonCreate": "Opprett",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socker port nummer:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "Ekstern DDNS:",
- "LabelExternalDDNSHelp": "Hvis du har en dynamisk DNS, skriv den her. Media Browser applikasjoner vil bruke denne n\u00e5r ekstern forbindelse opprettes.",
- "TabResume": "Forsette",
- "TabWeather": "V\u00e6r",
- "TitleAppSettings": "App Innstillinger",
- "LabelMinResumePercentage": "Minimum fortsettelses prosent:",
- "LabelMaxResumePercentage": "Maksimum fortsettelses prosent:",
- "LabelMinResumeDuration": "Minmimum fortsettelses varighet (sekunder)",
- "LabelMinResumePercentageHelp": "Titler blir antatt som ikke avspilt hvis de stopper f\u00f8r denne tiden",
- "LabelMaxResumePercentageHelp": "Titler blir antatt som fullstendig avspilt hvis de stopper etter denne tiden",
- "LabelMinResumeDurationHelp": "Titler kortere enn dette vil ikke forsette.",
- "TitleAutoOrganize": "Auto-Organisering",
- "TabActivityLog": "Aktivitetslog",
- "HeaderName": "Navn",
- "HeaderDate": "Dato",
- "HeaderSource": "Kilde",
- "HeaderDestination": "Destinasjon",
- "HeaderProgram": "Program",
- "HeaderClients": "Klienter",
- "LabelCompleted": "Fullf\u00f8rt",
- "LabelFailed": "Feilet",
- "LabelSkipped": "Hoppet over",
- "HeaderEpisodeOrganization": "Episode Organisering",
- "LabelSeries": "Serie:",
- "LabelSeasonNumber": "Sesong nummer:",
- "LabelEpisodeNumber": "Episode nummer:",
- "LabelEndingEpisodeNumber": "Ending av episode nummer:",
- "LabelEndingEpisodeNumberHelp": "Kun n\u00f8dvendig for multi-episode filer",
- "HeaderSupportTheTeam": "St\u00f8tt Media Browser Teamet",
- "LabelSupportAmount": "Sum (USD)",
- "HeaderSupportTheTeamHelp": "Bidra til \u00e5 sikre fortsatt utvikling av dette prosjektet ved \u00e5 donere. En del av alle donasjoner vil v\u00e6re bidratt til andre gratis verkt\u00f8y vi er avhengige av.",
- "ButtonEnterSupporterKey": "Skriv supporter n\u00f8kkel",
- "DonationNextStep": "N\u00e5r du er ferdig, kan du g\u00e5 tilbake og skriv inn din support n\u00f8kkel, som du vil motta p\u00e5 e-post.",
- "AutoOrganizeHelp": "Auto-organisere monitorerer dine nedlastingsmapper for nye filer og flytter dem til medie kataloger.",
- "AutoOrganizeTvHelp": "TV file organisering vil kun legge til episoder til eksisterende episoder. Den vil ikke lage nye serie mapper.",
- "OptionEnableEpisodeOrganization": "Aktiver ny episode organisering",
- "LabelWatchFolder": "Se p\u00e5 Mappe:",
- "LabelWatchFolderHelp": "Serveren vil hente denne mappen under 'Organiser nye mediefiler' planlagte oppgaven.",
- "ButtonViewScheduledTasks": "Se p\u00e5 planlagte oppgaver",
- "LabelMinFileSizeForOrganize": "Minimum fil st\u00f8rrelse (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Filer under denne st\u00f8rrelsen vil bli ignorert.",
- "LabelSeasonFolderPattern": "Sesong mappe m\u00f8nster:",
- "LabelSeasonZeroFolderName": "Sesong null mappe navn:",
- "HeaderEpisodeFilePattern": "Episode fil m\u00f8nster",
- "LabelEpisodePattern": "Episode m\u00f8nster",
- "LabelMultiEpisodePattern": "Multi-Episode m\u00f8nster:",
- "HeaderSupportedPatterns": "St\u00f8ttede m\u00f8nster",
- "HeaderTerm": "Term",
- "HeaderPattern": "M\u00f8nster",
- "HeaderResult": "Resultat",
- "LabelDeleteEmptyFolders": "Slett tomme mapper etter organisering",
- "LabelDeleteEmptyFoldersHelp": "Aktiver denne for \u00e5 holde nedlastings-katalogen ren.",
- "LabelDeleteLeftOverFiles": "Slett gjenv\u00e6rende filer etter f\u00f8lgende utvidelser:",
- "LabelDeleteLeftOverFilesHelp": "Seprarer med ;. For eksempel: .nfk;.txt",
- "OptionOverwriteExistingEpisodes": "Skriv over eksisterende episoder",
- "LabelTransferMethod": "overf\u00f8ringsmetoder",
- "OptionCopy": "Kopier",
- "OptionMove": "Flytt",
- "LabelTransferMethodHelp": "Kopier eller flytt filer fra watch mappen",
- "HeaderLatestNews": "Siste nyheter",
- "HeaderHelpImproveMediaBrowser": "Hjelp \u00e5 forbedre Media Browser",
- "HeaderRunningTasks": "Kj\u00f8rende oppgaver",
- "HeaderActiveDevices": "Aktive enheter",
- "HeaderPendingInstallations": "ventede installasjoner",
- "HeaerServerInformation": "Server informasjon",
- "ButtonRestartNow": "Restart N\u00e5",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Sl\u00e5 Av",
- "ButtonUpdateNow": "Oppdater N\u00e5",
- "PleaseUpdateManually": "Vennligst sl\u00e5 av serveren og oppdater manuelt.",
- "NewServerVersionAvailable": "En ny versjon av Media Browser er tilgjengelig!",
- "ServerUpToDate": "Media Browser Server er oppdatert",
- "ErrorConnectingToMediaBrowserRepository": "Det var en feil ved forbindelse opp mot ekstern Media Browser repository.",
- "LabelComponentsUpdated": "F\u00f8lgende komponenter har blitt installert eller oppdatert:",
- "MessagePleaseRestartServerToFinishUpdating": "Vennligst restart serveren for \u00e5 fullf\u00f8re installasjon av oppdateringer.",
- "LabelDownMixAudioScale": "Lyd boost n\u00e5r downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost lyd n\u00e5r downmixing. Set til 1 for \u00e5 bevare orginal volum verdi.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Gammel supporter n\u00f8kkel",
- "LabelNewSupporterKey": "Ny supporter n\u00f8kkel",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Gjeldende email adresse",
- "LabelCurrentEmailAddressHelp": "Den aktuelle e-postadressen som den nye n\u00f8kkelen ble sendt.",
- "HeaderForgotKey": "Glemt N\u00f8kkel",
- "LabelEmailAddress": "e-postadresse",
- "LabelSupporterEmailAddress": "e-postadressen som ble brukt for \u00e5 kj\u00f8pe n\u00f8kkelen.",
- "ButtonRetrieveKey": "Motta N\u00f8kkel",
- "LabelSupporterKey": "Supporter N\u00f8kkel (Lim inn fra e-postadresse)",
- "LabelSupporterKeyHelp": "Skriv inn din supporter n\u00f8kkel for \u00e5 kunne nyte flere fordeler som samfunnet har utviklet for Media Browser.",
- "MessageInvalidKey": "Supporter n\u00f8kkel mangler eller er feil.",
- "ErrorMessageInvalidKey": "For eventuelt premiuminnhold for \u00e5 bli registrert, m\u00e5 du ogs\u00e5 v\u00e6re en Media Browser Supporter. Vennligst doner og st\u00f8tt det videre-utviklede av kjerneproduktet. Takk.",
- "HeaderDisplaySettings": "Visnings Innstillinger",
- "TabPlayTo": "Spill Til",
- "LabelEnableDlnaServer": "Sl\u00e5 p\u00e5 Dlna server",
- "LabelEnableDlnaServerHelp": "Tillat UPnP enheter p\u00e5 ditt nettverk for \u00e5 s\u00f8ke gjennom spill Media Browser innhold.",
- "LabelEnableBlastAliveMessages": "Spreng levende meldinger",
- "LabelEnableBlastAliveMessagesHelp": "Sl\u00e5 p\u00e5 hvis serveren ikke detekterer p\u00e5litelighet fra andre UPnP enheter p\u00e5 ditt nettverk.",
- "LabelBlastMessageInterval": "Levende meldinger invertall (sekunder)",
- "LabelBlastMessageIntervalHelp": "Avgj\u00f8r tiden i sekunder mellom server levende meldinger.",
- "LabelDefaultUser": "Standard bruker:",
- "LabelDefaultUserHelp": "Avgj\u00f8r hvilket bruker bibliotek som skal bli vist p\u00e5 koblede enheter. Dette kan bli overskrevet for hver enhet som bruker profiler.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Kanaler",
- "HeaderServerSettings": "Server Innstillinger",
- "LabelWeatherDisplayLocation": "V\u00e6r-visning lokalisering:",
- "LabelWeatherDisplayLocationHelp": "US zip kode \/ By, Stat, Land \/ By, Land",
- "LabelWeatherDisplayUnit": "V\u00e6r-visning enhet:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Krev manuell brukernavn oppf\u00f8ring for:",
- "HeaderRequireManualLoginHelp": "N\u00e5r deaktiverte brukere kan presentere en innloggingskjerm med ett visuelt utvalg av brukere.",
- "OptionOtherApps": "Andre applikasjoner",
- "OptionMobileApps": "Mobile applikasjoner",
- "HeaderNotificationList": "Klikk p\u00e5 en varsling for \u00e5 konfigurere dens sending-alternativer.",
- "NotificationOptionApplicationUpdateAvailable": "Applikasjon oppdatering tilgjengelig",
- "NotificationOptionApplicationUpdateInstalled": "Applikasjon oppdatering installert",
- "NotificationOptionPluginUpdateInstalled": "Programtillegg oppdatering installert",
- "NotificationOptionPluginInstalled": "Programtillegg installert",
- "NotificationOptionPluginUninstalled": "Programtillegg er fjernet",
- "NotificationOptionVideoPlayback": "Video avspilling startet",
- "NotificationOptionAudioPlayback": "Lyd avspilling startet",
- "NotificationOptionGamePlayback": "Spill avspilling startet",
- "NotificationOptionVideoPlaybackStopped": "Video avspilling stoppet",
- "NotificationOptionAudioPlaybackStopped": "Lyd avspilling stoppet",
- "NotificationOptionGamePlaybackStopped": "Spill avspilling stoppet",
- "NotificationOptionTaskFailed": "Tidsplan oppgave feilet",
- "NotificationOptionInstallationFailed": "Installasjon feilet",
- "NotificationOptionNewLibraryContent": "Nytt innhold er lagt til",
- "NotificationOptionNewLibraryContentMultiple": "Nytt innhold lagt til (flere)",
- "SendNotificationHelp": "Som standard blir varslinger sent til dashbord innboksen. Bla igjennom programtillegg katalogen for \u00e5 installere valgfrie varslings-alternativer.",
- "NotificationOptionServerRestartRequired": "Server omstart beh\u00f8ves",
- "LabelNotificationEnabled": "Sl\u00e5 p\u00e5 denne varslingen",
- "LabelMonitorUsers": "Monitorer aktivitet fra:",
- "LabelSendNotificationToUsers": "Send varslingen til:",
- "LabelUseNotificationServices": "Bruk f\u00f8lgende tjeneste:",
- "CategoryUser": "Bruker",
- "CategorySystem": "System",
- "CategoryApplication": "Applikasjon",
- "CategoryPlugin": "Programtillegg",
- "LabelMessageTitle": "Meldingstittel:",
- "LabelAvailableTokens": "Tilgjengelige tokens:",
- "AdditionalNotificationServices": "Bla gjennom programtillegg katalogen for \u00e5 installere valgfrie varslingstjenester.",
- "OptionAllUsers": "Alle brukere:",
- "OptionAdminUsers": "Administratorer",
- "OptionCustomUsers": "Tilpasset",
- "ButtonArrowUp": "Opp",
- "ButtonArrowDown": "Ned",
- "ButtonArrowLeft": "Venstre",
- "ButtonArrowRight": "H\u00f8yre",
- "ButtonBack": "Tilbake",
- "ButtonInfo": "Info",
- "ButtonOsd": "P\u00e5 skjermvisning",
- "ButtonPageUp": "Side Opp",
- "ButtonPageDown": "Side Ned",
- "PageAbbreviation": "PG",
- "ButtonHome": "Hjem",
- "ButtonSearch": "S\u00f8k",
- "ButtonSettings": "Innstillinger",
- "ButtonTakeScreenshot": "Ta Skjermbilde",
- "ButtonLetterUp": "Pil Opp",
- "ButtonLetterDown": "Pil Ned",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Spilles Av",
- "TabNavigation": "Navigering",
- "TabControls": "Kontrollerer",
- "ButtonFullscreen": "Veksle fullskjerm",
- "ButtonScenes": "Scener",
- "ButtonSubtitles": "Undertekster",
- "ButtonAudioTracks": "Lydspor",
- "ButtonPreviousTrack": "Forrige Spor",
- "ButtonNextTrack": "Neste Spor",
- "ButtonStop": "Stopp",
- "ButtonPause": "Pause",
- "ButtonNext": "Neste",
- "ButtonPrevious": "Forrige",
- "LabelGroupMoviesIntoCollections": "Grupper filmer inni samlinger",
- "LabelGroupMoviesIntoCollectionsHelp": "Ved visning av filmlister vil filmer som tilh\u00f8rer en samling vil bli vist som ett grupperende element.",
- "NotificationOptionPluginError": "Programtillegg feil",
- "ButtonVolumeUp": "Volum opp",
- "ButtonVolumeDown": "Volum ned",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Siste Media",
- "OptionSpecialFeatures": "Spesielle Funksjoner",
- "HeaderCollections": "Samlinger",
- "LabelProfileCodecsHelp": "Separert med komma. Dette feltet kan forbli tomt for \u00e5 gjelde alle kodeker.",
- "LabelProfileContainersHelp": "Separert med komma. Dette feltet kan forbli tomt for \u00e5 gjelde alle kontainere.",
- "HeaderResponseProfile": "Respons Profil",
- "LabelType": "Type:",
- "LabelPersonRole": "Rolle:",
- "LabelPersonRoleHelp": "Rolle er generelt kun aktuelt for skuespillere.",
- "LabelProfileContainer": "Kontainer:",
- "LabelProfileVideoCodecs": "Video kodek:",
- "LabelProfileAudioCodecs": "Lyd kodek:",
- "LabelProfileCodecs": "Kodeker:",
- "HeaderDirectPlayProfile": "Direkte Avspilling Profil",
- "HeaderTranscodingProfile": "Transcoding Profil",
- "HeaderCodecProfile": "Kodek Profil",
- "HeaderCodecProfileHelp": "Kodek profiler indikerer p\u00e5 at begrensninger p\u00e5 en enhet n\u00e5r den spiller av spesifikk kodeker. Hvis en begrensning gjelder vil media bli transcodet, til og med hvis kodeken er konfigurert for direkte avspilling.",
- "HeaderContainerProfile": "Kontainer Profil",
- "HeaderContainerProfileHelp": "Container profiler indikerer begrensningene i en enhet n\u00e5r du spiller bestemte formater. Hvis en begrensning gjelder da vil media bli transcodet, selv om formatet er konfigurert for direkte avspilling.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Lyd",
- "OptionProfileVideoAudio": "Video Lyd",
- "OptionProfilePhoto": "Bilde",
- "LabelUserLibrary": "Bruker bibliotek:",
- "LabelUserLibraryHelp": "Velg hvilket brukerbibliotek som skal vises til enheten. La det st\u00e5 tomt for standard innstillinger.",
- "OptionPlainStorageFolders": "Vis alle mapper som rene lagringsmapper",
- "OptionPlainStorageFoldersHelp": "Hvis aktivert, vil alle mapper bli representert i DIDL som \"object.container.storageFolder\" istedet for en mer spesifikk type, som \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Vis alle videoer som ren video elementer",
- "OptionPlainVideoItemsHelp": "Hvis aktivert, blir alle videoer representert i DIDL som \"object.item.videoItem\" i stedet for en mer bestemt type, for eksempel \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "St\u00f8ttede Media Typer:",
- "TabIdentification": "Identifisering",
- "HeaderIdentification": "Identifisering",
- "TabDirectPlay": "Direkte Avspill",
- "TabContainers": "Kontainere",
- "TabCodecs": "Kodeker",
- "TabResponses": "Svar",
- "HeaderProfileInformation": "Profil Informasjon",
- "LabelEmbedAlbumArtDidl": "Bygg inn albumbilder i Didl",
- "LabelEmbedAlbumArtDidlHelp": "Noen enheter foretrekker denne metoden for \u00e5 motta album art. Andre vil kunne feile \u00e5 avspille hvis dette alternativet er aktivert.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN brukes for album art, innenfor DLNA: profileID attributtet p\u00e5 upnp: albumArtURI. Noen klienter krever en bestemt verdi, uavhengig av st\u00f8rrelsen p\u00e5 bildet.",
- "LabelAlbumArtMaxWidth": "Album art mat bredde:",
- "LabelAlbumArtMaxWidthHelp": "Maks oppl\u00f8sning av album art utnyttet via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art maks h\u00f8yde:",
- "LabelAlbumArtMaxHeightHelp": "Maks oppl\u00f8sning av album er eksonert via upnp:albumARtURI.",
- "LabelIconMaxWidth": "Ikon maks bredde:",
- "LabelIconMaxWidthHelp": "Maks oppl\u00f8sning av ikoner utsatt via upnp:icon.",
- "LabelIconMaxHeight": "Ikon maks h\u00f8yde:",
- "LabelIconMaxHeightHelp": "Maks oppl\u00f8sning av ikoner utsatt via upnp:icon.",
- "LabelIdentificationFieldHelp": "Ett case-insensitive substring eller regex uttrykk.",
- "HeaderProfileServerSettingsHelp": "Disse verdiene kontrollerer hvordan Media Browser vil presentere seg selv til enheten.",
- "LabelMaxBitrate": "Maks bitrate:",
- "LabelMaxBitrateHelp": "Spesifiser en maks bitrate i for begrensede b\u00e5ndbredde milj\u00f8er, eller hvis enheten p\u00e5legger sin egen begrensning.",
- "LabelMaxStreamingBitrate": "Maks streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Spesifiser en maks bitrate n\u00e5r streaming.",
- "LabelMaxStaticBitrate": "Maks synk bitrate:",
- "LabelMaxStaticBitrateHelp": "Spesifiser en maks bitrate ved synkronisering av innhold i h\u00f8y kvalitet.",
- "LabelMusicStaticBitrate": "Musikk synk bitrate:",
- "LabelMusicStaticBitrateHelp": "Spesifiser en maks bitrate for musikk syncking",
- "LabelMusicStreamingTranscodingBitrate": "Musikk transkoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Spesifiser en maks bitrate for streaming musikk",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignorer Transcode byte rekkevidde foresp\u00f8rsler",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Hvis aktivert vil disse foresp\u00f8rslene bli honorert men ignorert i byte rekkevidde headeren.",
- "LabelFriendlyName": "Vennlig navn",
- "LabelManufacturer": "Produsent",
- "LabelManufacturerUrl": "Produsent url",
- "LabelModelName": "Modell navn",
- "LabelModelNumber": "Modell nummer",
- "LabelModelDescription": "Model beskrivelse",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serienummer",
- "LabelDeviceDescription": "Enhet beskrivelse",
- "HeaderIdentificationCriteriaHelp": "Skriv minst ett identifiserings kriterie",
- "HeaderDirectPlayProfileHelp": "Legg direkte avspill profiler til \u00e5 indikere hvilket format enheten kan st\u00f8tte.",
- "HeaderTranscodingProfileHelp": "Legg til transcoding profiler for \u00e5 indikere hvilke format som burde bli brukt n\u00e5r transcoding beh\u00f8ves.",
- "HeaderResponseProfileHelp": "Respons proiler tilbyr en m\u00e5t \u00e5 tilpasse informasjon som er sent til enheten n\u00e5r den spiller en viss type media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Bestemmer innholdet i X_DLNACAP element i urn: skjemaer-DLNA-org: enhets 1-0 navnerom.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Bestemmer innholdet i X_DLNADOC element i urn: skjemaer-DLNA-org: enhets 1-0 navnerom.",
- "LabelSonyAggregationFlags": "Sony aggregerigns flagg",
- "LabelSonyAggregationFlagsHelp": "Bestemmer innholdet i aggregationFlags element i urn: skjemaer-sonycom: av navnerommet.",
- "LabelTranscodingContainer": "Kontainer:",
- "LabelTranscodingVideoCodec": "Video kodek:",
- "LabelTranscodingVideoProfile": "Video profil:",
- "LabelTranscodingAudioCodec": "lyd kodek:",
- "OptionEnableM2tsMode": "Sl\u00e5 p\u00e5 M2ts modus",
- "OptionEnableM2tsModeHelp": "Sl\u00e5 p\u00e5 m2ts modus for enkoding til mpegts.",
- "OptionEstimateContentLength": "Estimer innholdslengde n\u00e5r transcoding.",
- "OptionReportByteRangeSeekingWhenTranscoding": "Rapporter at serveren st\u00f8tter byte s\u00f8king n\u00e5r transcoding.",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dette kreves for noen enheter som ikke tidss\u00f8ker veldig godt.",
- "HeaderSubtitleDownloadingHelp": "N\u00e5r Media Browser skanner videofilene, kan den s\u00f8ke etter savnede undertekster, og laste dem ned med en undertittel leverand\u00f8r som OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Last ned undertekster for:",
- "MessageNoChapterProviders": "Installer en kapittel tilbyder som eksempelvis ChapterDb for \u00e5 aktivere kapittel muligheter.",
- "LabelSkipIfGraphicalSubsPresent": "Hopp om videoen inneholder allerede grafiske undertekster",
- "LabelSkipIfGraphicalSubsPresentHelp": "Ved \u00e5 opprettholde tekst versjoner av undertekster vil medf\u00f8re i mer effektiv levering til mobile enheter.",
- "TabSubtitles": "Undertekster",
- "TabChapters": "Kapitler",
- "HeaderDownloadChaptersFor": "Last ned kapittelnavn for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles brukernavn:",
- "LabelOpenSubtitlesPassword": "Open Subtitles passord:",
- "HeaderChapterDownloadingHelp": "N\u00e5r Media Browser s\u00f8ker igjennom dine videofiler s\u00e5 kan den laste ned vennlige kapittelnavn fra internett ved \u00e5 bruke programtillegg som ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Spill av lydsporet uavhengig av spr\u00e5k",
- "LabelSubtitlePlaybackMode": "Undertekst modus:",
- "LabelDownloadLanguages": "Last ned spr\u00e5k:",
- "ButtonRegister": "Registrer",
- "LabelSkipIfAudioTrackPresent": "Hopp hvis standard lydsporet matcher nedlastingen spr\u00e5k",
- "LabelSkipIfAudioTrackPresentHelp": "Fjern merkingen for \u00e5 sikre at alle videoene har undertekster, uavhengig av lydspr\u00e5k.",
- "HeaderSendMessage": "Send Melding",
- "ButtonSend": "Send",
- "LabelMessageText": "Meldingstekst:",
- "MessageNoAvailablePlugins": "Ingen tilgjengelige programtillegg.",
- "LabelDisplayPluginsFor": "Vis plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episodenavn",
- "LabelSeriesNamePlain": "Serienavn",
- "ValueSeriesNamePeriod": "Serier.navn",
- "ValueSeriesNameUnderscore": "Serie_navn",
- "ValueEpisodeNamePeriod": "Episode.navn",
- "ValueEpisodeNameUnderscore": "Episode_navn",
- "LabelSeasonNumberPlain": "Sesong nummer",
- "LabelEpisodeNumberPlain": "Episode nummer",
- "LabelEndingEpisodeNumberPlain": "Siste episode nummer",
- "HeaderTypeText": "Skriv Tekst",
- "LabelTypeText": "Tekst",
- "HeaderSearchForSubtitles": "S\u00f8k etter undertekster",
- "MessageNoSubtitleSearchResultsFound": "Ingen s\u00f8k funnet.",
- "TabDisplay": "Skjerm",
- "TabLanguages": "Spr\u00e5k",
- "TabWebClient": "Web Klient",
- "LabelEnableThemeSongs": "Sl\u00e5 p\u00e5 tema sanger",
- "LabelEnableBackdrops": "Sl\u00e5 p\u00e5 backdrops",
- "LabelEnableThemeSongsHelp": "Hvis p\u00e5sl\u00e5tt vil tema sanger bli avspilt i bakgrunnen mens man blar igjennom biblioteket.",
- "LabelEnableBackdropsHelp": "Hvis p\u00e5sl\u00e5tt vil backdrops bli vist i bakgrunnen p\u00e5 noen sider mens man blar igjennom biblioteket.",
- "HeaderHomePage": "Hjemmeside",
- "HeaderSettingsForThisDevice": "Innstillinger for denne enheten",
- "OptionAuto": "Auto",
- "OptionYes": "Ja",
- "OptionNo": "Nei",
- "LabelHomePageSection1": "Hjemme side seksjon 1:",
- "LabelHomePageSection2": "Hjemme side seksjon 2:",
- "LabelHomePageSection3": "Hjemme side seksjon 3:",
- "LabelHomePageSection4": "Hjemme side seksjon 4:",
- "OptionMyViewsButtons": "Mitt syn (knapper)",
- "OptionMyViews": "Mitt syn",
- "OptionMyViewsSmall": "Mitt Syn (liten)",
- "OptionResumablemedia": "Fortsette",
- "OptionLatestMedia": "Siste media",
- "OptionLatestChannelMedia": "Siste kanal elementer",
- "HeaderLatestChannelItems": "Siste Kanal Elementer",
- "OptionNone": "Ingen",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Rapporter",
- "HeaderMetadataManager": "Metadata Behandler",
- "HeaderPreferences": "Preferanser",
- "MessageLoadingChannels": "Laster kanal innhold...",
- "MessageLoadingContent": "Laster innhold...",
- "ButtonMarkRead": "Marker Som Lest",
- "OptionDefaultSort": "Standard",
- "OptionCommunityMostWatchedSort": "Mest Sett",
- "TabNextUp": "Neste",
- "MessageNoMovieSuggestionsAvailable": "Ingen film forslag er forel\u00f8pig tilgjengelig. Start med \u00e5 se og ranger filmer. Kom deretter tilbake for \u00e5 f\u00e5 forslag p\u00e5 anbefalinger.",
- "MessageNoCollectionsAvailable": "Samlinger tillater at du nyter personlig gruppering av filmer, serier, albumer, b\u00f8ker og spill. Klikk p\u00e5 den nye knappen for \u00e5 starte med \u00e5 lage samlinger.",
- "MessageNoPlaylistsAvailable": "Spillelister tillater deg \u00e5 lage lister over innhold til \u00e5 spille etter hverandre p\u00e5 en gang. For \u00e5 legge til elementer i spillelister, h\u00f8yreklikk eller trykk og hold, og velg Legg til i spilleliste.",
- "MessageNoPlaylistItemsAvailable": "Denne spillelisten er forel\u00f8pig tom",
- "HeaderWelcomeToMediaBrowserWebClient": "Velkommen til Media Browser Web Klient",
- "ButtonDismiss": "Avvis",
- "ButtonTakeTheTour": "Bli med p\u00e5 omvisning",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Foretrukket internet streaming kvalitet.",
- "LabelChannelStreamQualityHelp": "P\u00e5 en linje med lav b\u00e5ndbredde, vil begrensing av kvalitet hjelpe med \u00e5 gi en mer behagelig streaming opplevelse.",
- "OptionBestAvailableStreamQuality": "Beste tilgjengelig",
- "LabelEnableChannelContentDownloadingFor": "Sl\u00e5 p\u00e5 kanal innhold nedlasting for:",
- "LabelEnableChannelContentDownloadingForHelp": "Noen kanaler st\u00f8tter nedlasting av innhold f\u00f8r visning. Aktiver dette for en linje med lav b\u00e5ndbredde for \u00e5 laste ned kanalinnholdet n\u00e5r serveren ikke benyttes. Innholdet lastes ned som en del av kanalens planlagte oppgave for nedlasting.",
- "LabelChannelDownloadPath": "Nedlastingsti for Kanal-innhold:",
- "LabelChannelDownloadPathHelp": "Spesifiser en tilpasset nedlastingsti hvis \u00f8nsket. La feltet ellers st\u00e5 tomt for \u00e5 bruke den interne program data mappen.",
- "LabelChannelDownloadAge": "Slett innhold etter: (dager)",
- "LabelChannelDownloadAgeHelp": "Nedlastet innhold eldre enn dette vil bli slettet. Det vil v\u00e6re avspillbart via internett streaming.",
- "ChannelSettingsFormHelp": "Installer kanaler som eksempel Trailers og Vimeo i programtillegg katalogen.",
- "LabelSelectCollection": "Velg samling:",
- "ButtonOptions": "Alternativer",
- "ViewTypeMovies": "Filmer",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Spill",
- "ViewTypeMusic": "Musikk",
- "ViewTypeBoxSets": "Samlinger",
- "ViewTypeChannels": "Kanaler",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Sendes n\u00e5",
- "ViewTypeLatestGames": "Siste spill",
- "ViewTypeRecentlyPlayedGames": "Nylig spilt",
- "ViewTypeGameFavorites": "Favoritter",
- "ViewTypeGameSystems": "Spillsystemer",
- "ViewTypeGameGenres": "Sjangere",
- "ViewTypeTvResume": "Fortsette",
- "ViewTypeTvNextUp": "Neste",
- "ViewTypeTvLatest": "Siste",
- "ViewTypeTvShowSeries": "Serier",
- "ViewTypeTvGenres": "Sjangere",
- "ViewTypeTvFavoriteSeries": "Favoritt serier",
- "ViewTypeTvFavoriteEpisodes": "Favoritt episoder",
- "ViewTypeMovieResume": "Fortsette",
- "ViewTypeMovieLatest": "Siste",
- "ViewTypeMovieMovies": "Filmer",
- "ViewTypeMovieCollections": "Samlinger",
- "ViewTypeMovieFavorites": "Favoritter",
- "ViewTypeMovieGenres": "Sjangere",
- "ViewTypeMusicLatest": "Siste",
- "ViewTypeMusicAlbums": "Albumer",
- "ViewTypeMusicAlbumArtists": "Album artister",
- "HeaderOtherDisplaySettings": "Visnings Innstillinger",
- "ViewTypeMusicSongs": "Sanger",
- "ViewTypeMusicFavorites": "Favoritter",
- "ViewTypeMusicFavoriteAlbums": "Favorittalbumer",
- "ViewTypeMusicFavoriteArtists": "Favorittartister",
- "ViewTypeMusicFavoriteSongs": "Favorittsanger",
- "HeaderMyViews": "Mitt Syn",
- "LabelSelectFolderGroups": "Automatisk gruppering av innhold fra f\u00f8lgende mapper til oversikter som filmer, musikk og TV:",
- "LabelSelectFolderGroupsHelp": "Mapper som ikke er valgt vil bli vist for seg selv i deres egen visning.",
- "OptionDisplayAdultContent": "Vis Voksen materiale",
- "OptionLibraryFolders": "Media Mapper",
- "TitleRemoteControl": "Ekstern Kontroll",
- "OptionLatestTvRecordings": "Siste opptak",
- "LabelProtocolInfo": "Protokoll info:",
- "LabelProtocolInfoHelp": "Verdien som blir brukt for \u00e5 gi respons til GetProtocolInfo foresp\u00f8rsler fra enheten.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser inkluderer innebygd st\u00f8tte for Kodi Nfo metadata og bilder. For \u00e5 aktivere eller deaktivere Kodi metadata, bruker du fanen Avansert for \u00e5 konfigurere alternativer for medietyper.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Utgivelsesdato format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Lagre bilde stier inne i nfo filer",
- "LabelKodiMetadataSaveImagePathsHelp": "Dette anbefales hvis du har bilde filnavn som ikke f\u00f8lger Kodi retningslinjer.",
- "LabelKodiMetadataEnablePathSubstitution": "Aktiver sti erstatter",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverer sti erstatning av bilde stier ved hjelp av serverens sti erstatter innstillinger.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "Vis sti erstatter",
- "LabelGroupChannelsIntoViews": "Via f\u00f8lgende kanaler direkte gjennom Mitt Syn:",
- "LabelGroupChannelsIntoViewsHelp": "Hvis sl\u00e5tt p\u00e5 vil disse kanalene bli vist direkte sammen med andre visninger. Hvis avsl\u00e5tt, vil de bli vist sammen med separerte Kanaler visning.",
- "LabelDisplayCollectionsView": "Vis en samling for \u00e5 vise film samlinger",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Tjenester",
- "TabLogs": "Logger",
- "HeaderServerLogFiles": "Server log filer:",
- "TabBranding": "Merke",
- "HeaderBrandingHelp": "Tilpass utseende til Media Browser som passer til dine behov for dine grupper eller organiseringer.",
"LabelLoginDisclaimer": "Login ansvarsfraskrivelse:",
"LabelLoginDisclaimerHelp": "Dette vil bli vist p\u00e5 bunnen av login siden.",
"LabelAutomaticallyDonate": "Doner denne summen automatisk hver m\u00e5ned",
@@ -862,32 +271,32 @@
"LabelSubtitleFormatHelp": "Eksempel: srt",
"ButtonLearnMore": "L\u00e6re mer",
"TabPlayback": "Spill av",
- "HeaderTrailersAndExtras": "Trailers & Extras",
+ "HeaderTrailersAndExtras": "Trailere & Ekstra",
"OptionFindTrailers": "Finn trailere fra internett automatisk",
"HeaderLanguagePreferences": "Spr\u00e5kpreferanser",
- "TabCinemaMode": "Cinema Mode",
+ "TabCinemaMode": "Kino Mode",
"TitlePlayback": "Spill av",
- "LabelEnableCinemaModeFor": "Enable cinema mode for:",
+ "LabelEnableCinemaModeFor": "Aktiver kino mode for:",
"CinemaModeConfigurationHelp": "Kino-modus bringer kinoopplevelsen direkte til din stue med muligheten til \u00e5 spille trailere og tilpassede introer f\u00f8r filmen begynner.",
- "OptionTrailersFromMyMovies": "Include trailers from movies in my library",
- "OptionUpcomingMoviesInTheaters": "Include trailers from new and upcoming movies",
- "LabelLimitIntrosToUnwatchedContent": "Only use trailers from unwatched content",
- "LabelEnableIntroParentalControl": "Enable smart parental control",
+ "OptionTrailersFromMyMovies": "Inkludere trailere fra filmer i mitt bibliotek",
+ "OptionUpcomingMoviesInTheaters": "Inkludere trailere fra nye og kommende filmer",
+ "LabelLimitIntrosToUnwatchedContent": "Bruk kun trailere fra usett innhold",
+ "LabelEnableIntroParentalControl": "Aktiver smart foreldre kontroll",
"LabelEnableIntroParentalControlHelp": "Trailers will only be selected with a parental rating equal to or less than the content being watched.",
"LabelTheseFeaturesRequireSupporterHelpAndTrailers": "These features require an active supporter membership and installation of the Trailer channel plugin.",
- "OptionTrailersFromMyMoviesHelp": "Requires setup of local trailers.",
+ "OptionTrailersFromMyMoviesHelp": "Krever oppsett av lokale trailere.",
"LabelCustomIntrosPath": "Custom intros path:",
"LabelCustomIntrosPathHelp": "A folder containing video files. A video will be randomly selected and played after trailers.",
"ValueSpecialEpisodeName": "Spesiell - {0}",
"LabelSelectInternetTrailersForCinemaMode": "Internett trailere:",
"OptionUpcomingDvdMovies": "Inkluder trailere fra nye og kommende filmer p\u00e5 DVD & Blu-ray",
"OptionUpcomingStreamingMovies": "Inkluder trailere fra nye og kommende filmer p\u00e5 Netflix",
- "LabelDisplayTrailersWithinMovieSuggestions": "Display trailers within movie suggestions",
+ "LabelDisplayTrailersWithinMovieSuggestions": "Vis trailere sammen med film forslag",
"LabelDisplayTrailersWithinMovieSuggestionsHelp": "Krever installasjon av trailer kanalen.",
"CinemaModeConfigurationHelp2": "Individual users will have the ability to disable cinema mode within their own preferences.",
- "LabelEnableCinemaMode": "Enable cinema mode",
+ "LabelEnableCinemaMode": "Aktiver kino mode",
"HeaderCinemaMode": "Cinema Mode",
- "HeaderWelcomeToMediaBrowserServerDashboard": "Welcome to the Media Browser Dashboard",
+ "HeaderWelcomeToMediaBrowserServerDashboard": "Velkommen til Media Browser Dashbord",
"LabelDateAddedBehavior": "Date added behavior for new content:",
"OptionDateAddedImportTime": "Use date scanned into the library",
"OptionDateAddedFileTime": "Use file creation date",
@@ -895,7 +304,7 @@
"LabelNumberTrailerToPlay": "Number of trailers to play:",
"TitleDevices": "Devices",
"TabCameraUpload": "Camera Upload",
- "TabDevices": "Devices",
+ "TabDevices": "Enheter",
"HeaderCameraUploadHelp": "Automatically upload photos and videos taken from your mobile devices into Media Browser.",
"MessageNoDevicesSupportCameraUpload": "You currently don't have any devices that support camera upload.",
"LabelCameraUploadPath": "Camera upload path:",
@@ -941,6 +350,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Avslutt",
"LabelVisitCommunity": "Bes\u00f8k oss",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +662,596 @@
"TabFavorites": "Favoritter",
"TabMyLibrary": "Mitt Bibliotek",
"ButtonCancelRecording": "Avbryt Opptak",
- "HeaderPrePostPadding": "Margin f\u00f8r\/etter"
+ "HeaderPrePostPadding": "Margin f\u00f8r\/etter",
+ "LabelPrePaddingMinutes": "Margin f\u00f8r programstart i minutter:",
+ "OptionPrePaddingRequired": "Margin f\u00f8r programstart kreves for \u00e5 kunne gj\u00f8re opptak",
+ "LabelPostPaddingMinutes": "Margin etter programslutt i minutter:",
+ "OptionPostPaddingRequired": "Margin etter programslutt kreves for \u00e5 kunne gj\u00f8re opptak",
+ "HeaderWhatsOnTV": "Hva er p\u00e5",
+ "HeaderUpcomingTV": "Kommende TV",
+ "TabStatus": "Status",
+ "TabSettings": "Innstillinger",
+ "ButtonRefreshGuideData": "Oppdater Guide Data",
+ "ButtonRefresh": "Oppdater",
+ "ButtonAdvancedRefresh": "Avansert Oppfrskning",
+ "OptionPriority": "Prioritet",
+ "OptionRecordOnAllChannels": "Ta opptak p\u00e5 alle kanaler",
+ "OptionRecordAnytime": "Ta opptak n\u00e5r som helst",
+ "OptionRecordOnlyNewEpisodes": "Ta opptak kun av nye episoder",
+ "HeaderDays": "Dager",
+ "HeaderActiveRecordings": "Aktive opptak",
+ "HeaderLatestRecordings": "Siste Opptak",
+ "HeaderAllRecordings": "Alle Opptak",
+ "ButtonPlay": "Spill",
+ "ButtonEdit": "Rediger",
+ "ButtonRecord": "Opptak",
+ "ButtonDelete": "Slett",
+ "ButtonRemove": "Fjern",
+ "OptionRecordSeries": "Ta opptak av Serier",
+ "HeaderDetails": "Detaljer",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Antall dager av guide data som skal lastes ned",
+ "LabelNumberOfGuideDaysHelp": "Nedlasting av guide data for flere dager gir muligheten for \u00e5 planlegge i forveien og for \u00e5 se flere listinger. Dette vil ogs\u00e5 ta lengre tid for nedlasting. Auto vil velge basert p\u00e5 antall kanaler.",
+ "LabelActiveService": "Aktive Tjenester:",
+ "LabelActiveServiceHelp": "Flere TV programtillegg kan bli installert, men kun en kan v\u00e6re aktiv.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "En Live TV tilbyder trengs for \u00e5 kunne fortsette.",
+ "LiveTvPluginRequiredHelp": "Vennligst installer en av v\u00e5re tilgjengelige programtillegg, f.eks Next Pvr eller ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Tilpass for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Meny",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Boks",
+ "OptionDownloadDiscImage": "Disk",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Tilbake",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Prim\u00e6r",
+ "HeaderFetchImages": "Hent Bilder:",
+ "HeaderImageSettings": "Bilde Innstillinger",
+ "TabOther": "Andre",
+ "LabelMaxBackdropsPerItem": "Maks antall av backdrops for hvert element:",
+ "LabelMaxScreenshotsPerItem": "Maks antall av screenshots for hvert element:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop nedlastings bredde:",
+ "LabelMinScreenshotDownloadWidth": "Minimum nedlasted screenshot bredde:",
+ "ButtonAddScheduledTaskTrigger": "Legg Til Oppgave Trigger",
+ "HeaderAddScheduledTaskTrigger": "Legg til Oppgave Trigger",
+ "ButtonAdd": "Legg Til",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daglig",
+ "OptionWeekly": "Ukentlig",
+ "OptionOnInterval": "P\u00e5 ett intervall",
+ "OptionOnAppStartup": "Ved applikasjon oppstart",
+ "OptionAfterSystemEvent": "Etter ett system hendelse",
+ "LabelDay": "Dag:",
+ "LabelTime": "Tid:",
+ "LabelEvent": "Hendelse:",
+ "OptionWakeFromSleep": "V\u00e5kne fra dvale",
+ "LabelEveryXMinutes": "Hver",
+ "HeaderTvTuners": "Tunere",
+ "HeaderGallery": "Galleri",
+ "HeaderLatestGames": "Siste Spill",
+ "HeaderRecentlyPlayedGames": "Nylig Spilte Spill",
+ "TabGameSystems": "Spill Systemer",
+ "TitleMediaLibrary": "Media-bibliotek",
+ "TabFolders": "Mapper",
+ "TabPathSubstitution": "Sti erstatter",
+ "LabelSeasonZeroDisplayName": "Sesong 0 visningsnavn",
+ "LabelEnableRealtimeMonitor": "Aktiver sanntids monitorering",
+ "LabelEnableRealtimeMonitorHelp": "Endinger vil bli prossesert umiddelbart, til st\u00f8ttede file systemer.",
+ "ButtonScanLibrary": "S\u00f8k Gjennom Bibliotek",
+ "HeaderNumberOfPlayers": "Spillere:",
+ "OptionAnyNumberOfPlayers": "Noen",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Mapper",
+ "HeaderThemeVideos": "Tema Videoer",
+ "HeaderThemeSongs": "Tema Sanger",
+ "HeaderScenes": "Scener",
+ "HeaderAwardsAndReviews": "Priser og anmeldelser",
+ "HeaderSoundtracks": "Lydspor",
+ "HeaderMusicVideos": "Musikk Videoer",
+ "HeaderSpecialFeatures": "Spesielle Funksjoner",
+ "HeaderCastCrew": "Mannskap",
+ "HeaderAdditionalParts": "Tilleggsdeler",
+ "ButtonSplitVersionsApart": "Splitt versjoner fra hverandre",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Mangler",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Sti erstatninger er brukt for \u00e5 kartlegge en bane p\u00e5 serveren til en bane som kundene er i stand til \u00e5 f\u00e5 tilgang. Ved \u00e5 la kundene direkte tilgang til media p\u00e5 serveren kan de v\u00e6re i stand til \u00e5 spille dem direkte over nettverket, og unng\u00e5 \u00e5 bruke server ressurser til \u00e5 streame og omkode dem.",
+ "HeaderFrom": "Fra",
+ "HeaderTo": "Til",
+ "LabelFrom": "Fra:",
+ "LabelFromHelp": "Eksempel: D:\\Filmer (P\u00e5 serveren)",
+ "LabelTo": "Til:",
+ "LabelToHelp": "Eksempel: \\\\MinServerFilmer (en sti som klienter kan f\u00e5 tilgang til)",
+ "ButtonAddPathSubstitution": "Legg til erstatter",
+ "OptionSpecialEpisode": "Spesielle",
+ "OptionMissingEpisode": "Mangler Episoder",
+ "OptionUnairedEpisode": "Kommende Episoder",
+ "OptionEpisodeSortName": "Episode Etter Navn",
+ "OptionSeriesSortName": "Serie Navn",
+ "OptionTvdbRating": "Tvdb Rangering",
+ "HeaderTranscodingQualityPreference": "\u00d8nsket kvalitet for transkoding",
+ "OptionAutomaticTranscodingHelp": "Serveren vil bestemme kvalitet og hastighet",
+ "OptionHighSpeedTranscodingHelp": "Lavere kvalitet, men raskere encoding",
+ "OptionHighQualityTranscodingHelp": "H\u00f8yere kvalitet, men saktere encoding",
+ "OptionMaxQualityTranscodingHelp": "Beste kvalitet med saktere encoding og h\u00f8y CPU bruk",
+ "OptionHighSpeedTranscoding": "H\u00f8yere hastighet",
+ "OptionHighQualityTranscoding": "H\u00f8yere kvalitet",
+ "OptionMaxQualityTranscoding": "Maks kvalitet",
+ "OptionEnableDebugTranscodingLogging": "Sl\u00e5 p\u00e5 debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "Dette vil lage veldig lange log filer og er kun anbefalt for feils\u00f8king.",
+ "OptionUpscaling": "Tillat klienter \u00e5 gi foresp\u00f8rsler for oppskalert video",
+ "OptionUpscalingHelp": "I noen tilfeller f\u00f8rer dette til resultat i forbedret video kvalitet men vil \u00f8ke CPU bruk.",
+ "EditCollectionItemsHelp": "Legg til eller fjern hvilken som helst film, serie, album, bok eller spill som du \u00f8nsker \u00e5 gruppere innen denne samlingen.",
+ "HeaderAddTitles": "Legg til Titler",
+ "LabelEnableDlnaPlayTo": "Sl\u00e5 p\u00e5 DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser kan detektere enheter innen ditt nettverk og tilbyr mulighetene til \u00e5 kunne gi ekstern tilgang for \u00e5 kontrollere enhetene.",
+ "LabelEnableDlnaDebugLogging": "Sl\u00e5 p\u00e5 DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "Dette vil lage store log filer og burde kun benyttes for feils\u00f8king.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Klient oppdaterings interval (Sekunder)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bestemmer varigheten i sekunder mellom SSDP s\u00f8k utf\u00f8rt av Media Browser.",
+ "HeaderCustomDlnaProfiles": "Tilpassede Profiler",
+ "HeaderSystemDlnaProfiles": "System Profiler",
+ "CustomDlnaProfilesHelp": "Lag en tilpasset profil for \u00e5 sette en ny enhet til \u00e5 overkj\u00f8re en system profil.",
+ "SystemDlnaProfilesHelp": "System profiler er read-only. Endinger til ett system profil vil bli lagret til en ny tilpasset profil.",
+ "TitleDashboard": "Dashbord",
+ "TabHome": "Hjem",
+ "TabInfo": "Info",
+ "HeaderLinks": "Lenker",
+ "HeaderSystemPaths": "System Stier",
+ "LinkCommunity": "Samfunn",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Dokumentasjon",
+ "LabelFriendlyServerName": "Vennlig server navn:",
+ "LabelFriendlyServerNameHelp": "Dette navnet vil bli brukt for \u00e5 identifisere denne serveren. Hvis feltet er tomt, vil maskinens navn bli brukt.",
+ "LabelPreferredDisplayLanguage": "Foretrukket visningsspr\u00e5k",
+ "LabelPreferredDisplayLanguageHelp": "Oversetting av Media Browser er ett p\u00e5g\u00e5ende prosjekt og er enda ikke fullstendig ferdig.",
+ "LabelReadHowYouCanContribute": "Les mer om hvordan du kan bidra.",
+ "HeaderNewCollection": "Ny Samling",
+ "HeaderAddToCollection": "Legg Til I Samling",
+ "ButtonSubmit": "Send",
+ "NewCollectionNameExample": "Eksempel: Star Wars Samling",
+ "OptionSearchForInternetMetadata": "S\u00f8k p\u00e5 internet for artwork og metadata",
+ "ButtonCreate": "Opprett",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socker port nummer:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "Ekstern DDNS:",
+ "LabelExternalDDNSHelp": "Hvis du har en dynamisk DNS, skriv den her. Media Browser applikasjoner vil bruke denne n\u00e5r ekstern forbindelse opprettes.",
+ "TabResume": "Forsette",
+ "TabWeather": "V\u00e6r",
+ "TitleAppSettings": "App Innstillinger",
+ "LabelMinResumePercentage": "Minimum fortsettelses prosent:",
+ "LabelMaxResumePercentage": "Maksimum fortsettelses prosent:",
+ "LabelMinResumeDuration": "Minmimum fortsettelses varighet (sekunder)",
+ "LabelMinResumePercentageHelp": "Titler blir antatt som ikke avspilt hvis de stopper f\u00f8r denne tiden",
+ "LabelMaxResumePercentageHelp": "Titler blir antatt som fullstendig avspilt hvis de stopper etter denne tiden",
+ "LabelMinResumeDurationHelp": "Titler kortere enn dette vil ikke forsette.",
+ "TitleAutoOrganize": "Auto-Organisering",
+ "TabActivityLog": "Aktivitetslog",
+ "HeaderName": "Navn",
+ "HeaderDate": "Dato",
+ "HeaderSource": "Kilde",
+ "HeaderDestination": "Destinasjon",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Klienter",
+ "LabelCompleted": "Fullf\u00f8rt",
+ "LabelFailed": "Feilet",
+ "LabelSkipped": "Hoppet over",
+ "HeaderEpisodeOrganization": "Episode Organisering",
+ "LabelSeries": "Serie:",
+ "LabelSeasonNumber": "Sesong nummer:",
+ "LabelEpisodeNumber": "Episode nummer:",
+ "LabelEndingEpisodeNumber": "Ending av episode nummer:",
+ "LabelEndingEpisodeNumberHelp": "Kun n\u00f8dvendig for multi-episode filer",
+ "HeaderSupportTheTeam": "St\u00f8tt Media Browser Teamet",
+ "LabelSupportAmount": "Sum (USD)",
+ "HeaderSupportTheTeamHelp": "Bidra til \u00e5 sikre fortsatt utvikling av dette prosjektet ved \u00e5 donere. En del av alle donasjoner vil v\u00e6re bidratt til andre gratis verkt\u00f8y vi er avhengige av.",
+ "ButtonEnterSupporterKey": "Skriv supporter n\u00f8kkel",
+ "DonationNextStep": "N\u00e5r du er ferdig, kan du g\u00e5 tilbake og skriv inn din support n\u00f8kkel, som du vil motta p\u00e5 e-post.",
+ "AutoOrganizeHelp": "Auto-organisere monitorerer dine nedlastingsmapper for nye filer og flytter dem til medie kataloger.",
+ "AutoOrganizeTvHelp": "TV file organisering vil kun legge til episoder til eksisterende episoder. Den vil ikke lage nye serie mapper.",
+ "OptionEnableEpisodeOrganization": "Aktiver ny episode organisering",
+ "LabelWatchFolder": "Se p\u00e5 Mappe:",
+ "LabelWatchFolderHelp": "Serveren vil hente denne mappen under 'Organiser nye mediefiler' planlagte oppgaven.",
+ "ButtonViewScheduledTasks": "Se p\u00e5 planlagte oppgaver",
+ "LabelMinFileSizeForOrganize": "Minimum fil st\u00f8rrelse (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Filer under denne st\u00f8rrelsen vil bli ignorert.",
+ "LabelSeasonFolderPattern": "Sesong mappe m\u00f8nster:",
+ "LabelSeasonZeroFolderName": "Sesong null mappe navn:",
+ "HeaderEpisodeFilePattern": "Episode fil m\u00f8nster",
+ "LabelEpisodePattern": "Episode m\u00f8nster",
+ "LabelMultiEpisodePattern": "Multi-Episode m\u00f8nster:",
+ "HeaderSupportedPatterns": "St\u00f8ttede m\u00f8nster",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "M\u00f8nster",
+ "HeaderResult": "Resultat",
+ "LabelDeleteEmptyFolders": "Slett tomme mapper etter organisering",
+ "LabelDeleteEmptyFoldersHelp": "Aktiver denne for \u00e5 holde nedlastings-katalogen ren.",
+ "LabelDeleteLeftOverFiles": "Slett gjenv\u00e6rende filer etter f\u00f8lgende utvidelser:",
+ "LabelDeleteLeftOverFilesHelp": "Seprarer med ;. For eksempel: .nfk;.txt",
+ "OptionOverwriteExistingEpisodes": "Skriv over eksisterende episoder",
+ "LabelTransferMethod": "overf\u00f8ringsmetoder",
+ "OptionCopy": "Kopier",
+ "OptionMove": "Flytt",
+ "LabelTransferMethodHelp": "Kopier eller flytt filer fra watch mappen",
+ "HeaderLatestNews": "Siste nyheter",
+ "HeaderHelpImproveMediaBrowser": "Hjelp \u00e5 forbedre Media Browser",
+ "HeaderRunningTasks": "Kj\u00f8rende oppgaver",
+ "HeaderActiveDevices": "Aktive enheter",
+ "HeaderPendingInstallations": "ventede installasjoner",
+ "HeaerServerInformation": "Server informasjon",
+ "ButtonRestartNow": "Restart N\u00e5",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Sl\u00e5 Av",
+ "ButtonUpdateNow": "Oppdater N\u00e5",
+ "PleaseUpdateManually": "Vennligst sl\u00e5 av serveren og oppdater manuelt.",
+ "NewServerVersionAvailable": "En ny versjon av Media Browser er tilgjengelig!",
+ "ServerUpToDate": "Media Browser Server er oppdatert",
+ "ErrorConnectingToMediaBrowserRepository": "Det var en feil ved forbindelse opp mot ekstern Media Browser repository.",
+ "LabelComponentsUpdated": "F\u00f8lgende komponenter har blitt installert eller oppdatert:",
+ "MessagePleaseRestartServerToFinishUpdating": "Vennligst restart serveren for \u00e5 fullf\u00f8re installasjon av oppdateringer.",
+ "LabelDownMixAudioScale": "Lyd boost n\u00e5r downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost lyd n\u00e5r downmixing. Set til 1 for \u00e5 bevare orginal volum verdi.",
+ "ButtonLinkKeys": "Overf\u00f8r N\u00f8kkel",
+ "LabelOldSupporterKey": "Gammel supporter n\u00f8kkel",
+ "LabelNewSupporterKey": "Ny supporter n\u00f8kkel",
+ "HeaderMultipleKeyLinking": "Overf\u00f8r til ny N\u00f8kkel",
+ "MultipleKeyLinkingHelp": "Bruk dette skjemaet hvis du har mottatt en ny support n\u00f8kkel for \u00e5 overf\u00f8re gamle n\u00f8kkel registreringer til din nye.",
+ "LabelCurrentEmailAddress": "Gjeldende email adresse",
+ "LabelCurrentEmailAddressHelp": "Den aktuelle e-postadressen som den nye n\u00f8kkelen ble sendt.",
+ "HeaderForgotKey": "Glemt N\u00f8kkel",
+ "LabelEmailAddress": "e-postadresse",
+ "LabelSupporterEmailAddress": "e-postadressen som ble brukt for \u00e5 kj\u00f8pe n\u00f8kkelen.",
+ "ButtonRetrieveKey": "Motta N\u00f8kkel",
+ "LabelSupporterKey": "Supporter N\u00f8kkel (Lim inn fra e-postadresse)",
+ "LabelSupporterKeyHelp": "Skriv inn din supporter n\u00f8kkel for \u00e5 kunne nyte flere fordeler som samfunnet har utviklet for Media Browser.",
+ "MessageInvalidKey": "Supporter n\u00f8kkel mangler eller er feil.",
+ "ErrorMessageInvalidKey": "For eventuelt premiuminnhold for \u00e5 bli registrert, m\u00e5 du ogs\u00e5 v\u00e6re en Media Browser Supporter. Vennligst doner og st\u00f8tt det videre-utviklede av kjerneproduktet. Takk.",
+ "HeaderDisplaySettings": "Visnings Innstillinger",
+ "TabPlayTo": "Spill Til",
+ "LabelEnableDlnaServer": "Sl\u00e5 p\u00e5 Dlna server",
+ "LabelEnableDlnaServerHelp": "Tillat UPnP enheter p\u00e5 ditt nettverk for \u00e5 s\u00f8ke gjennom spill Media Browser innhold.",
+ "LabelEnableBlastAliveMessages": "Spreng levende meldinger",
+ "LabelEnableBlastAliveMessagesHelp": "Sl\u00e5 p\u00e5 hvis serveren ikke detekterer p\u00e5litelighet fra andre UPnP enheter p\u00e5 ditt nettverk.",
+ "LabelBlastMessageInterval": "Levende meldinger invertall (sekunder)",
+ "LabelBlastMessageIntervalHelp": "Avgj\u00f8r tiden i sekunder mellom server levende meldinger.",
+ "LabelDefaultUser": "Standard bruker:",
+ "LabelDefaultUserHelp": "Avgj\u00f8r hvilket bruker bibliotek som skal bli vist p\u00e5 koblede enheter. Dette kan bli overskrevet for hver enhet som bruker profiler.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Kanaler",
+ "HeaderServerSettings": "Server Innstillinger",
+ "LabelWeatherDisplayLocation": "V\u00e6r-visning lokalisering:",
+ "LabelWeatherDisplayLocationHelp": "US zip kode \/ By, Stat, Land \/ By, Land",
+ "LabelWeatherDisplayUnit": "V\u00e6r-visning enhet:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Krev manuell brukernavn oppf\u00f8ring for:",
+ "HeaderRequireManualLoginHelp": "N\u00e5r deaktiverte brukere kan presentere en innloggingskjerm med ett visuelt utvalg av brukere.",
+ "OptionOtherApps": "Andre applikasjoner",
+ "OptionMobileApps": "Mobile applikasjoner",
+ "HeaderNotificationList": "Klikk p\u00e5 en varsling for \u00e5 konfigurere dens sending-alternativer.",
+ "NotificationOptionApplicationUpdateAvailable": "Applikasjon oppdatering tilgjengelig",
+ "NotificationOptionApplicationUpdateInstalled": "Applikasjon oppdatering installert",
+ "NotificationOptionPluginUpdateInstalled": "Programtillegg oppdatering installert",
+ "NotificationOptionPluginInstalled": "Programtillegg installert",
+ "NotificationOptionPluginUninstalled": "Programtillegg er fjernet",
+ "NotificationOptionVideoPlayback": "Video avspilling startet",
+ "NotificationOptionAudioPlayback": "Lyd avspilling startet",
+ "NotificationOptionGamePlayback": "Spill avspilling startet",
+ "NotificationOptionVideoPlaybackStopped": "Video avspilling stoppet",
+ "NotificationOptionAudioPlaybackStopped": "Lyd avspilling stoppet",
+ "NotificationOptionGamePlaybackStopped": "Spill avspilling stoppet",
+ "NotificationOptionTaskFailed": "Tidsplan oppgave feilet",
+ "NotificationOptionInstallationFailed": "Installasjon feilet",
+ "NotificationOptionNewLibraryContent": "Nytt innhold er lagt til",
+ "NotificationOptionNewLibraryContentMultiple": "Nytt innhold lagt til (flere)",
+ "SendNotificationHelp": "Som standard blir varslinger sent til dashbord innboksen. Bla igjennom programtillegg katalogen for \u00e5 installere valgfrie varslings-alternativer.",
+ "NotificationOptionServerRestartRequired": "Server omstart beh\u00f8ves",
+ "LabelNotificationEnabled": "Sl\u00e5 p\u00e5 denne varslingen",
+ "LabelMonitorUsers": "Monitorer aktivitet fra:",
+ "LabelSendNotificationToUsers": "Send varslingen til:",
+ "LabelUseNotificationServices": "Bruk f\u00f8lgende tjeneste:",
+ "CategoryUser": "Bruker",
+ "CategorySystem": "System",
+ "CategoryApplication": "Applikasjon",
+ "CategoryPlugin": "Programtillegg",
+ "LabelMessageTitle": "Meldingstittel:",
+ "LabelAvailableTokens": "Tilgjengelige tokens:",
+ "AdditionalNotificationServices": "Bla gjennom programtillegg katalogen for \u00e5 installere valgfrie varslingstjenester.",
+ "OptionAllUsers": "Alle brukere:",
+ "OptionAdminUsers": "Administratorer",
+ "OptionCustomUsers": "Tilpasset",
+ "ButtonArrowUp": "Opp",
+ "ButtonArrowDown": "Ned",
+ "ButtonArrowLeft": "Venstre",
+ "ButtonArrowRight": "H\u00f8yre",
+ "ButtonBack": "Tilbake",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "P\u00e5 skjermvisning",
+ "ButtonPageUp": "Side Opp",
+ "ButtonPageDown": "Side Ned",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Hjem",
+ "ButtonSearch": "S\u00f8k",
+ "ButtonSettings": "Innstillinger",
+ "ButtonTakeScreenshot": "Ta Skjermbilde",
+ "ButtonLetterUp": "Pil Opp",
+ "ButtonLetterDown": "Pil Ned",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Spilles Av",
+ "TabNavigation": "Navigering",
+ "TabControls": "Kontrollerer",
+ "ButtonFullscreen": "Veksle fullskjerm",
+ "ButtonScenes": "Scener",
+ "ButtonSubtitles": "Undertekster",
+ "ButtonAudioTracks": "Lydspor",
+ "ButtonPreviousTrack": "Forrige Spor",
+ "ButtonNextTrack": "Neste Spor",
+ "ButtonStop": "Stopp",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Neste",
+ "ButtonPrevious": "Forrige",
+ "LabelGroupMoviesIntoCollections": "Grupper filmer inni samlinger",
+ "LabelGroupMoviesIntoCollectionsHelp": "Ved visning av filmlister vil filmer som tilh\u00f8rer en samling vil bli vist som ett grupperende element.",
+ "NotificationOptionPluginError": "Programtillegg feil",
+ "ButtonVolumeUp": "Volum opp",
+ "ButtonVolumeDown": "Volum ned",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Siste Media",
+ "OptionSpecialFeatures": "Spesielle Funksjoner",
+ "HeaderCollections": "Samlinger",
+ "LabelProfileCodecsHelp": "Separert med komma. Dette feltet kan forbli tomt for \u00e5 gjelde alle kodeker.",
+ "LabelProfileContainersHelp": "Separert med komma. Dette feltet kan forbli tomt for \u00e5 gjelde alle kontainere.",
+ "HeaderResponseProfile": "Respons Profil",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Rolle:",
+ "LabelPersonRoleHelp": "Rolle er generelt kun aktuelt for skuespillere.",
+ "LabelProfileContainer": "Kontainer:",
+ "LabelProfileVideoCodecs": "Video kodek:",
+ "LabelProfileAudioCodecs": "Lyd kodek:",
+ "LabelProfileCodecs": "Kodeker:",
+ "HeaderDirectPlayProfile": "Direkte Avspilling Profil",
+ "HeaderTranscodingProfile": "Transcoding Profil",
+ "HeaderCodecProfile": "Kodek Profil",
+ "HeaderCodecProfileHelp": "Kodek profiler indikerer p\u00e5 at begrensninger p\u00e5 en enhet n\u00e5r den spiller av spesifikk kodeker. Hvis en begrensning gjelder vil media bli transcodet, til og med hvis kodeken er konfigurert for direkte avspilling.",
+ "HeaderContainerProfile": "Kontainer Profil",
+ "HeaderContainerProfileHelp": "Container profiler indikerer begrensningene i en enhet n\u00e5r du spiller bestemte formater. Hvis en begrensning gjelder da vil media bli transcodet, selv om formatet er konfigurert for direkte avspilling.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Lyd",
+ "OptionProfileVideoAudio": "Video Lyd",
+ "OptionProfilePhoto": "Bilde",
+ "LabelUserLibrary": "Bruker bibliotek:",
+ "LabelUserLibraryHelp": "Velg hvilket brukerbibliotek som skal vises til enheten. La det st\u00e5 tomt for standard innstillinger.",
+ "OptionPlainStorageFolders": "Vis alle mapper som rene lagringsmapper",
+ "OptionPlainStorageFoldersHelp": "Hvis aktivert, vil alle mapper bli representert i DIDL som \"object.container.storageFolder\" istedet for en mer spesifikk type, som \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Vis alle videoer som ren video elementer",
+ "OptionPlainVideoItemsHelp": "Hvis aktivert, blir alle videoer representert i DIDL som \"object.item.videoItem\" i stedet for en mer bestemt type, for eksempel \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "St\u00f8ttede Media Typer:",
+ "TabIdentification": "Identifisering",
+ "HeaderIdentification": "Identifisering",
+ "TabDirectPlay": "Direkte Avspill",
+ "TabContainers": "Kontainere",
+ "TabCodecs": "Kodeker",
+ "TabResponses": "Svar",
+ "HeaderProfileInformation": "Profil Informasjon",
+ "LabelEmbedAlbumArtDidl": "Bygg inn albumbilder i Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Noen enheter foretrekker denne metoden for \u00e5 motta album art. Andre vil kunne feile \u00e5 avspille hvis dette alternativet er aktivert.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN brukes for album art, innenfor DLNA: profileID attributtet p\u00e5 upnp: albumArtURI. Noen klienter krever en bestemt verdi, uavhengig av st\u00f8rrelsen p\u00e5 bildet.",
+ "LabelAlbumArtMaxWidth": "Album art mat bredde:",
+ "LabelAlbumArtMaxWidthHelp": "Maks oppl\u00f8sning av album art utnyttet via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art maks h\u00f8yde:",
+ "LabelAlbumArtMaxHeightHelp": "Maks oppl\u00f8sning av album er eksonert via upnp:albumARtURI.",
+ "LabelIconMaxWidth": "Ikon maks bredde:",
+ "LabelIconMaxWidthHelp": "Maks oppl\u00f8sning av ikoner utsatt via upnp:icon.",
+ "LabelIconMaxHeight": "Ikon maks h\u00f8yde:",
+ "LabelIconMaxHeightHelp": "Maks oppl\u00f8sning av ikoner utsatt via upnp:icon.",
+ "LabelIdentificationFieldHelp": "Ett case-insensitive substring eller regex uttrykk.",
+ "HeaderProfileServerSettingsHelp": "Disse verdiene kontrollerer hvordan Media Browser vil presentere seg selv til enheten.",
+ "LabelMaxBitrate": "Maks bitrate:",
+ "LabelMaxBitrateHelp": "Spesifiser en maks bitrate i for begrensede b\u00e5ndbredde milj\u00f8er, eller hvis enheten p\u00e5legger sin egen begrensning.",
+ "LabelMaxStreamingBitrate": "Maks streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Spesifiser en maks bitrate n\u00e5r streaming.",
+ "LabelMaxStaticBitrate": "Maks synk bitrate:",
+ "LabelMaxStaticBitrateHelp": "Spesifiser en maks bitrate ved synkronisering av innhold i h\u00f8y kvalitet.",
+ "LabelMusicStaticBitrate": "Musikk synk bitrate:",
+ "LabelMusicStaticBitrateHelp": "Spesifiser en maks bitrate for musikk syncking",
+ "LabelMusicStreamingTranscodingBitrate": "Musikk transkoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Spesifiser en maks bitrate for streaming musikk",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignorer Transcode byte rekkevidde foresp\u00f8rsler",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Hvis aktivert vil disse foresp\u00f8rslene bli honorert men ignorert i byte rekkevidde headeren.",
+ "LabelFriendlyName": "Vennlig navn",
+ "LabelManufacturer": "Produsent",
+ "LabelManufacturerUrl": "Produsent url",
+ "LabelModelName": "Modell navn",
+ "LabelModelNumber": "Modell nummer",
+ "LabelModelDescription": "Model beskrivelse",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serienummer",
+ "LabelDeviceDescription": "Enhet beskrivelse",
+ "HeaderIdentificationCriteriaHelp": "Skriv minst ett identifiserings kriterie",
+ "HeaderDirectPlayProfileHelp": "Legg direkte avspill profiler til \u00e5 indikere hvilket format enheten kan st\u00f8tte.",
+ "HeaderTranscodingProfileHelp": "Legg til transcoding profiler for \u00e5 indikere hvilke format som burde bli brukt n\u00e5r transcoding beh\u00f8ves.",
+ "HeaderResponseProfileHelp": "Respons proiler tilbyr en m\u00e5t \u00e5 tilpasse informasjon som er sent til enheten n\u00e5r den spiller en viss type media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Bestemmer innholdet i X_DLNACAP element i urn: skjemaer-DLNA-org: enhets 1-0 navnerom.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Bestemmer innholdet i X_DLNADOC element i urn: skjemaer-DLNA-org: enhets 1-0 navnerom.",
+ "LabelSonyAggregationFlags": "Sony aggregerigns flagg",
+ "LabelSonyAggregationFlagsHelp": "Bestemmer innholdet i aggregationFlags element i urn: skjemaer-sonycom: av navnerommet.",
+ "LabelTranscodingContainer": "Kontainer:",
+ "LabelTranscodingVideoCodec": "Video kodek:",
+ "LabelTranscodingVideoProfile": "Video profil:",
+ "LabelTranscodingAudioCodec": "lyd kodek:",
+ "OptionEnableM2tsMode": "Sl\u00e5 p\u00e5 M2ts modus",
+ "OptionEnableM2tsModeHelp": "Sl\u00e5 p\u00e5 m2ts modus for enkoding til mpegts.",
+ "OptionEstimateContentLength": "Estimer innholdslengde n\u00e5r transcoding.",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Rapporter at serveren st\u00f8tter byte s\u00f8king n\u00e5r transcoding.",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dette kreves for noen enheter som ikke tidss\u00f8ker veldig godt.",
+ "HeaderSubtitleDownloadingHelp": "N\u00e5r Media Browser skanner videofilene, kan den s\u00f8ke etter savnede undertekster, og laste dem ned med en undertittel leverand\u00f8r som OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Last ned undertekster for:",
+ "MessageNoChapterProviders": "Installer en kapittel tilbyder som eksempelvis ChapterDb for \u00e5 aktivere kapittel muligheter.",
+ "LabelSkipIfGraphicalSubsPresent": "Hopp om videoen inneholder allerede grafiske undertekster",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Ved \u00e5 opprettholde tekst versjoner av undertekster vil medf\u00f8re i mer effektiv levering til mobile enheter.",
+ "TabSubtitles": "Undertekster",
+ "TabChapters": "Kapitler",
+ "HeaderDownloadChaptersFor": "Last ned kapittelnavn for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles brukernavn:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles passord:",
+ "HeaderChapterDownloadingHelp": "N\u00e5r Media Browser s\u00f8ker igjennom dine videofiler s\u00e5 kan den laste ned vennlige kapittelnavn fra internett ved \u00e5 bruke programtillegg som ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Spill av lydsporet uavhengig av spr\u00e5k",
+ "LabelSubtitlePlaybackMode": "Undertekst modus:",
+ "LabelDownloadLanguages": "Last ned spr\u00e5k:",
+ "ButtonRegister": "Registrer",
+ "LabelSkipIfAudioTrackPresent": "Hopp hvis standard lydsporet matcher nedlastingen spr\u00e5k",
+ "LabelSkipIfAudioTrackPresentHelp": "Fjern merkingen for \u00e5 sikre at alle videoene har undertekster, uavhengig av lydspr\u00e5k.",
+ "HeaderSendMessage": "Send Melding",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Meldingstekst:",
+ "MessageNoAvailablePlugins": "Ingen tilgjengelige programtillegg.",
+ "LabelDisplayPluginsFor": "Vis plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episodenavn",
+ "LabelSeriesNamePlain": "Serienavn",
+ "ValueSeriesNamePeriod": "Serier.navn",
+ "ValueSeriesNameUnderscore": "Serie_navn",
+ "ValueEpisodeNamePeriod": "Episode.navn",
+ "ValueEpisodeNameUnderscore": "Episode_navn",
+ "LabelSeasonNumberPlain": "Sesong nummer",
+ "LabelEpisodeNumberPlain": "Episode nummer",
+ "LabelEndingEpisodeNumberPlain": "Siste episode nummer",
+ "HeaderTypeText": "Skriv Tekst",
+ "LabelTypeText": "Tekst",
+ "HeaderSearchForSubtitles": "S\u00f8k etter undertekster",
+ "MessageNoSubtitleSearchResultsFound": "Ingen s\u00f8k funnet.",
+ "TabDisplay": "Skjerm",
+ "TabLanguages": "Spr\u00e5k",
+ "TabWebClient": "Web Klient",
+ "LabelEnableThemeSongs": "Sl\u00e5 p\u00e5 tema sanger",
+ "LabelEnableBackdrops": "Sl\u00e5 p\u00e5 backdrops",
+ "LabelEnableThemeSongsHelp": "Hvis p\u00e5sl\u00e5tt vil tema sanger bli avspilt i bakgrunnen mens man blar igjennom biblioteket.",
+ "LabelEnableBackdropsHelp": "Hvis p\u00e5sl\u00e5tt vil backdrops bli vist i bakgrunnen p\u00e5 noen sider mens man blar igjennom biblioteket.",
+ "HeaderHomePage": "Hjemmeside",
+ "HeaderSettingsForThisDevice": "Innstillinger for denne enheten",
+ "OptionAuto": "Auto",
+ "OptionYes": "Ja",
+ "OptionNo": "Nei",
+ "LabelHomePageSection1": "Hjemme side seksjon 1:",
+ "LabelHomePageSection2": "Hjemme side seksjon 2:",
+ "LabelHomePageSection3": "Hjemme side seksjon 3:",
+ "LabelHomePageSection4": "Hjemme side seksjon 4:",
+ "OptionMyViewsButtons": "Mitt syn (knapper)",
+ "OptionMyViews": "Mitt syn",
+ "OptionMyViewsSmall": "Mitt Syn (liten)",
+ "OptionResumablemedia": "Fortsette",
+ "OptionLatestMedia": "Siste media",
+ "OptionLatestChannelMedia": "Siste kanal elementer",
+ "HeaderLatestChannelItems": "Siste Kanal Elementer",
+ "OptionNone": "Ingen",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Rapporter",
+ "HeaderMetadataManager": "Metadata Behandler",
+ "HeaderPreferences": "Preferanser",
+ "MessageLoadingChannels": "Laster kanal innhold...",
+ "MessageLoadingContent": "Laster innhold...",
+ "ButtonMarkRead": "Marker Som Lest",
+ "OptionDefaultSort": "Standard",
+ "OptionCommunityMostWatchedSort": "Mest Sett",
+ "TabNextUp": "Neste",
+ "MessageNoMovieSuggestionsAvailable": "Ingen film forslag er forel\u00f8pig tilgjengelig. Start med \u00e5 se og ranger filmer. Kom deretter tilbake for \u00e5 f\u00e5 forslag p\u00e5 anbefalinger.",
+ "MessageNoCollectionsAvailable": "Samlinger tillater at du nyter personlig gruppering av filmer, serier, albumer, b\u00f8ker og spill. Klikk p\u00e5 den nye knappen for \u00e5 starte med \u00e5 lage samlinger.",
+ "MessageNoPlaylistsAvailable": "Spillelister tillater deg \u00e5 lage lister over innhold til \u00e5 spille etter hverandre p\u00e5 en gang. For \u00e5 legge til elementer i spillelister, h\u00f8yreklikk eller trykk og hold, og velg Legg til i spilleliste.",
+ "MessageNoPlaylistItemsAvailable": "Denne spillelisten er forel\u00f8pig tom",
+ "HeaderWelcomeToMediaBrowserWebClient": "Velkommen til Media Browser Web Klient",
+ "ButtonDismiss": "Avvis",
+ "ButtonTakeTheTour": "Bli med p\u00e5 omvisning",
+ "ButtonEditOtherUserPreferences": "Rediger denne brukers profil, passord og personlige preferanser.",
+ "LabelChannelStreamQuality": "Foretrukket internet streaming kvalitet.",
+ "LabelChannelStreamQualityHelp": "P\u00e5 en linje med lav b\u00e5ndbredde, vil begrensing av kvalitet hjelpe med \u00e5 gi en mer behagelig streaming opplevelse.",
+ "OptionBestAvailableStreamQuality": "Beste tilgjengelig",
+ "LabelEnableChannelContentDownloadingFor": "Sl\u00e5 p\u00e5 kanal innhold nedlasting for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Noen kanaler st\u00f8tter nedlasting av innhold f\u00f8r visning. Aktiver dette for en linje med lav b\u00e5ndbredde for \u00e5 laste ned kanalinnholdet n\u00e5r serveren ikke benyttes. Innholdet lastes ned som en del av kanalens planlagte oppgave for nedlasting.",
+ "LabelChannelDownloadPath": "Nedlastingsti for Kanal-innhold:",
+ "LabelChannelDownloadPathHelp": "Spesifiser en tilpasset nedlastingsti hvis \u00f8nsket. La feltet ellers st\u00e5 tomt for \u00e5 bruke den interne program data mappen.",
+ "LabelChannelDownloadAge": "Slett innhold etter: (dager)",
+ "LabelChannelDownloadAgeHelp": "Nedlastet innhold eldre enn dette vil bli slettet. Det vil v\u00e6re avspillbart via internett streaming.",
+ "ChannelSettingsFormHelp": "Installer kanaler som eksempel Trailers og Vimeo i programtillegg katalogen.",
+ "LabelSelectCollection": "Velg samling:",
+ "ButtonOptions": "Alternativer",
+ "ViewTypeMovies": "Filmer",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Spill",
+ "ViewTypeMusic": "Musikk",
+ "ViewTypeBoxSets": "Samlinger",
+ "ViewTypeChannels": "Kanaler",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Sendes n\u00e5",
+ "ViewTypeLatestGames": "Siste spill",
+ "ViewTypeRecentlyPlayedGames": "Nylig spilt",
+ "ViewTypeGameFavorites": "Favoritter",
+ "ViewTypeGameSystems": "Spillsystemer",
+ "ViewTypeGameGenres": "Sjangere",
+ "ViewTypeTvResume": "Fortsette",
+ "ViewTypeTvNextUp": "Neste",
+ "ViewTypeTvLatest": "Siste",
+ "ViewTypeTvShowSeries": "Serier",
+ "ViewTypeTvGenres": "Sjangere",
+ "ViewTypeTvFavoriteSeries": "Favoritt serier",
+ "ViewTypeTvFavoriteEpisodes": "Favoritt episoder",
+ "ViewTypeMovieResume": "Fortsette",
+ "ViewTypeMovieLatest": "Siste",
+ "ViewTypeMovieMovies": "Filmer",
+ "ViewTypeMovieCollections": "Samlinger",
+ "ViewTypeMovieFavorites": "Favoritter",
+ "ViewTypeMovieGenres": "Sjangere",
+ "ViewTypeMusicLatest": "Siste",
+ "ViewTypeMusicAlbums": "Albumer",
+ "ViewTypeMusicAlbumArtists": "Album artister",
+ "HeaderOtherDisplaySettings": "Visnings Innstillinger",
+ "ViewTypeMusicSongs": "Sanger",
+ "ViewTypeMusicFavorites": "Favoritter",
+ "ViewTypeMusicFavoriteAlbums": "Favorittalbumer",
+ "ViewTypeMusicFavoriteArtists": "Favorittartister",
+ "ViewTypeMusicFavoriteSongs": "Favorittsanger",
+ "HeaderMyViews": "Mitt Syn",
+ "LabelSelectFolderGroups": "Automatisk gruppering av innhold fra f\u00f8lgende mapper til oversikter som filmer, musikk og TV:",
+ "LabelSelectFolderGroupsHelp": "Mapper som ikke er valgt vil bli vist for seg selv i deres egen visning.",
+ "OptionDisplayAdultContent": "Vis Voksen materiale",
+ "OptionLibraryFolders": "Media Mapper",
+ "TitleRemoteControl": "Ekstern Kontroll",
+ "OptionLatestTvRecordings": "Siste opptak",
+ "LabelProtocolInfo": "Protokoll info:",
+ "LabelProtocolInfoHelp": "Verdien som blir brukt for \u00e5 gi respons til GetProtocolInfo foresp\u00f8rsler fra enheten.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser inkluderer innebygd st\u00f8tte for Kodi Nfo metadata og bilder. For \u00e5 aktivere eller deaktivere Kodi metadata, bruker du fanen Avansert for \u00e5 konfigurere alternativer for medietyper.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Utgivelsesdato format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Lagre bilde stier inne i nfo filer",
+ "LabelKodiMetadataSaveImagePathsHelp": "Dette anbefales hvis du har bilde filnavn som ikke f\u00f8lger Kodi retningslinjer.",
+ "LabelKodiMetadataEnablePathSubstitution": "Aktiver sti erstatter",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverer sti erstatning av bilde stier ved hjelp av serverens sti erstatter innstillinger.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "Vis sti erstatter",
+ "LabelGroupChannelsIntoViews": "Via f\u00f8lgende kanaler direkte gjennom Mitt Syn:",
+ "LabelGroupChannelsIntoViewsHelp": "Hvis sl\u00e5tt p\u00e5 vil disse kanalene bli vist direkte sammen med andre visninger. Hvis avsl\u00e5tt, vil de bli vist sammen med separerte Kanaler visning.",
+ "LabelDisplayCollectionsView": "Vis en samling for \u00e5 vise film samlinger",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Tjenester",
+ "TabLogs": "Logger",
+ "HeaderServerLogFiles": "Server log filer:",
+ "TabBranding": "Merke",
+ "HeaderBrandingHelp": "Tilpass utseende til Media Browser som passer til dine behov for dine grupper eller organiseringer."
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/nl.json b/MediaBrowser.Server.Implementations/Localization/Server/nl.json
index f8878eafc8..04f8092926 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/nl.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/nl.json
@@ -1,591 +1,4 @@
{
- "OptionEpisodes": "Afleveringen",
- "OptionOtherVideos": "Overige Video's",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "Schakel de automatische update in van FanArt.tv",
- "LabelAutomaticUpdatesTmdb": "Schakel de automatische update in van TheMovieDB.org",
- "LabelAutomaticUpdatesTvdb": "Schakel de automatische update in van TheTVDB.com",
- "LabelAutomaticUpdatesFanartHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan fanart.tv. Bestaande afbeeldingen zullen niet worden vervangen.",
- "LabelAutomaticUpdatesTmdbHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan TheMovieDB.org. Bestaande afbeeldingen zullen niet worden vervangen.",
- "LabelAutomaticUpdatesTvdbHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan TheTVDB.com. Bestaande afbeeldingen zullen niet worden vervangen.",
- "ExtractChapterImagesHelp": "Uitpakken van hoofdstuk afbeeldingen geeft de cli\u00ebnt de mogelijkheid om grafische scene selectie menu's te tonen. Het proces kan traag en cpu-intensief zijn en kan enkele gigabytes aan ruimte vereisen. Het word uitgevoerd als nachtelijke taak om 4:00. Deze taak is in te stellen via de geplande taken. Het wordt niet aanbevolen om deze taak uit te voeren tijdens de piekuren.",
- "LabelMetadataDownloadLanguage": "Voorkeurs taal:",
- "ButtonAutoScroll": "Auto-scroll",
- "LabelImageSavingConvention": "Afbeelding opslag conventie:",
- "LabelImageSavingConventionHelp": "Media Browser herkent afbeeldingen van de meeste grote media-applicaties. Het kiezen van uw download conventie is handig als u ook gebruik wilt maken van andere producten.",
- "OptionImageSavingCompatible": "Compatibel - Media Browser \/ Kodi \/ Plex",
- "OptionImageSavingStandard": "Standaard - MB2",
- "ButtonSignIn": "Aanmelden",
- "TitleSignIn": "Aanmelden",
- "HeaderPleaseSignIn": "Wachtwoord in geven",
- "LabelUser": "Gebruiker:",
- "LabelPassword": "Wachtwoord:",
- "ButtonManualLogin": "Handmatige aanmelding:",
- "PasswordLocalhostMessage": "Wachtwoorden zijn niet vereist bij het aanmelden van localhost.",
- "TabGuide": "Gids",
- "TabChannels": "Kanalen",
- "TabCollections": "Verzamelingen",
- "HeaderChannels": "Kanalen",
- "TabRecordings": "Opnamen",
- "TabScheduled": "Gepland",
- "TabSeries": "Serie",
- "TabFavorites": "Favorieten",
- "TabMyLibrary": "Mijn bibliotheek",
- "ButtonCancelRecording": "Opname annuleren",
- "HeaderPrePostPadding": "Vooraf\/Achteraf insteling",
- "LabelPrePaddingMinutes": "Tijd voor het programma (Minuten):",
- "OptionPrePaddingRequired": "Vooraf opnemen is vereist voor opname",
- "LabelPostPaddingMinutes": "Tijd na het programma (Minuten):",
- "OptionPostPaddingRequired": "Langer opnemen is vereist voor opname",
- "HeaderWhatsOnTV": "Nu te zien",
- "HeaderUpcomingTV": "Straks",
- "TabStatus": "Status",
- "TabSettings": "Instellingen",
- "ButtonRefreshGuideData": "Gidsgegevens Vernieuwen",
- "ButtonRefresh": "Vernieuwen",
- "ButtonAdvancedRefresh": "Geavanceerd vernieuwen",
- "OptionPriority": "Prioriteit",
- "OptionRecordOnAllChannels": "Programma van alle kanalen opnemen",
- "OptionRecordAnytime": "Programma elke keer opnemen",
- "OptionRecordOnlyNewEpisodes": "Alleen nieuwe afleveringen opnemen",
- "HeaderDays": "Dagen",
- "HeaderActiveRecordings": "Actieve Opnames",
- "HeaderLatestRecordings": "Nieuwe Opnames",
- "HeaderAllRecordings": "Alle Opnames",
- "ButtonPlay": "Afspelen",
- "ButtonEdit": "Bewerken",
- "ButtonRecord": "Opnemen",
- "ButtonDelete": "Verwijderen",
- "ButtonRemove": "Verwijderen",
- "OptionRecordSeries": "Series Opnemen",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Aantal dagen van de gids om te downloaden:",
- "LabelNumberOfGuideDaysHelp": "Het downloaden van meer dagen van de gids gegevens biedt de mogelijkheid verder vooruit te plannen en een beter overzicht geven, maar het zal ook langer duren om te downloaden. Auto kiest op basis van het aantal kanalen.",
- "LabelActiveService": "Actieve Service:",
- "LabelActiveServiceHelp": "Er kunnen meerdere tv Plug-ins worden ge\u00efnstalleerd, maar er kan er slechts een per keer actief zijn.",
- "OptionAutomatic": "Automatisch",
- "LiveTvPluginRequired": "Een Live TV service provider Plug-in is vereist om door te gaan.",
- "LiveTvPluginRequiredHelp": "Installeer a.u b een van onze beschikbare Plug-ins, zoals Next PVR of ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Aanpassen voor mediatype",
- "OptionDownloadThumbImage": "Miniatuur",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Schijf",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Terug",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primair",
- "HeaderFetchImages": "Afbeeldingen ophalen:",
- "HeaderImageSettings": "Afbeeldingsinstellingen",
- "TabOther": "Overig",
- "LabelMaxBackdropsPerItem": "Maximum aantal achtergronden per item:",
- "LabelMaxScreenshotsPerItem": "Maximum aantal schermafbeeldingen per item:",
- "LabelMinBackdropDownloadWidth": "Minimale achtergrond breedte om te downloaden:",
- "LabelMinScreenshotDownloadWidth": "Minimale schermafbeeldings- breedte om te downloaden:",
- "ButtonAddScheduledTaskTrigger": "Taak Trigger Toevoegen",
- "HeaderAddScheduledTaskTrigger": "Taak Trigger Toevoegen",
- "ButtonAdd": "Toevoegen",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Dagelijks",
- "OptionWeekly": "Wekelijks",
- "OptionOnInterval": "Op interval",
- "OptionOnAppStartup": "Op applicatie start",
- "OptionAfterSystemEvent": "Na een systeem gebeurtenis",
- "LabelDay": "Dag:",
- "LabelTime": "Tijd:",
- "LabelEvent": "Gebeurtenis:",
- "OptionWakeFromSleep": "Uit slaapstand halen",
- "LabelEveryXMinutes": "Iedere:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Galerij",
- "HeaderLatestGames": "Nieuwe Games",
- "HeaderRecentlyPlayedGames": "Recent gespeelde Games",
- "TabGameSystems": "Game Systemen",
- "TitleMediaLibrary": "Media Bibliotheek",
- "TabFolders": "Mappen",
- "TabPathSubstitution": "Pad Vervangen",
- "LabelSeasonZeroDisplayName": "Weergave naam voor Seizoen 0:",
- "LabelEnableRealtimeMonitor": "Real time monitoring inschakelen",
- "LabelEnableRealtimeMonitorHelp": "Wijzigingen worden direct verwerkt, op ondersteunde bestandssystemen.",
- "ButtonScanLibrary": "Scan Bibliotheek",
- "HeaderNumberOfPlayers": "Afspelers:",
- "OptionAnyNumberOfPlayers": "Elke",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Mappen",
- "HeaderThemeVideos": "Thema Video's",
- "HeaderThemeSongs": "Thema Song's",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards en recensies",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Video's",
- "HeaderSpecialFeatures": "Extra's",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Extra onderdelen",
- "ButtonSplitVersionsApart": "Splits Versies Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Ontbreekt",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Pad vervangen worden gebruikt voor het in kaart brengen van een pad op de server naar een pad dat de Cli\u00ebnt in staat stelt om toegang te krijgen. Doordat de Cli\u00ebnt directe toegang tot de media op de server heeft is deze in staat om ze direct af te spelen via het netwerk. Daardoor wordt het gebruik van server resources om te streamen en te transcoderen vermeden.",
- "HeaderFrom": "Van",
- "HeaderTo": "Naar",
- "LabelFrom": "Van:",
- "LabelFromHelp": "Bijvoorbeeld: D:\\Movies (op de server)",
- "LabelTo": "Naar:",
- "LabelToHelp": "Voorbeeld: \\\\MijnServer\\Movies (een pad waar de Cli\u00ebnt toegang toe heeft)",
- "ButtonAddPathSubstitution": "Vervanging toevoegen",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Ontbrekende Afleveringen",
- "OptionUnairedEpisode": "Toekomstige Afleveringen",
- "OptionEpisodeSortName": "Aflevering Sorteer Naam",
- "OptionSeriesSortName": "Serie Naam",
- "OptionTvdbRating": "Tvdb Waardering",
- "HeaderTranscodingQualityPreference": "Transcodeer Kwaliteit voorkeur:",
- "OptionAutomaticTranscodingHelp": "De server zal de kwaliteit en snelheid kiezen",
- "OptionHighSpeedTranscodingHelp": "Lagere kwaliteit, maar snellere codering",
- "OptionHighQualityTranscodingHelp": "Hogere kwaliteit, maar tragere codering",
- "OptionMaxQualityTranscodingHelp": "Beste kwaliteit met tragere codering en hoog CPU-gebruik",
- "OptionHighSpeedTranscoding": "Hogere snelheid",
- "OptionHighQualityTranscoding": "Hogere kwaliteit",
- "OptionMaxQualityTranscoding": "Max kwaliteit",
- "OptionEnableDebugTranscodingLogging": "Transcodeer Foutopsporings logboek inschakelen",
- "OptionEnableDebugTranscodingLoggingHelp": "Dit zal zeer grote logboekbestanden maken en wordt alleen aanbevolen wanneer het nodig is voor het oplossen van problemen.",
- "OptionUpscaling": "Cli\u00ebnts kunnen opgeschaalde video aanvragen",
- "OptionUpscalingHelp": "In sommige gevallen zal dit resulteren in een betere videokwaliteit, maar verhoogd het CPU-gebruik.",
- "EditCollectionItemsHelp": "Toevoegen of verwijderen van alle films, series, albums, boeken of games die u wilt groeperen in deze verzameling.",
- "HeaderAddTitles": "Titels toevoegen",
- "LabelEnableDlnaPlayTo": "DLNA Afspelen met inschakelen",
- "LabelEnableDlnaPlayToHelp": "Media Browser kan apparaten detecteren binnen uw netwerk en de mogelijkheid bieden om ze op afstand te besturen.",
- "LabelEnableDlnaDebugLogging": "DLNA foutopsporings logboek inschakelen",
- "LabelEnableDlnaDebugLoggingHelp": "Dit zal grote logboekbestanden maken en mag alleen worden gebruikt als dat nodig is voor het oplossen van problemen.",
- "LabelEnableDlnaClientDiscoveryInterval": "Interval voor het zoeken naar Cli\u00ebnts (seconden)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bepaalt de duur in seconden van de interval tussen SSDP zoekopdrachten uitgevoerd door Media Browser.",
- "HeaderCustomDlnaProfiles": "Aangepaste profielen",
- "HeaderSystemDlnaProfiles": "Systeem Profielen",
- "CustomDlnaProfilesHelp": "Maak een aangepast profiel om een \u200b\u200bnieuw apparaat aan te maken of overschrijf een systeemprofiel.",
- "SystemDlnaProfilesHelp": "System profielen zijn alleen-lezen. Om een \u200b\u200bsysteem profiel te overschrijven, maakt u een aangepast profiel gericht op hetzelfde apparaat.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Start",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "Systeem Paden",
- "LinkCommunity": "Gemeenschap",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentatie",
- "LabelFriendlyServerName": "Aangepaste servernaam",
- "LabelFriendlyServerNameHelp": "Deze naam wordt gebruikt om deze server te identificeren. Indien leeg gelaten, zal de naam van de computer worden gebruikt.",
- "LabelPreferredDisplayLanguage": "Voorkeurs weergavetaal",
- "LabelPreferredDisplayLanguageHelp": "Het vertalen van Media Browser is een doorlopend project en is nog niet voltooid.",
- "LabelReadHowYouCanContribute": "Lees meer over hoe u kunt bijdragen.",
- "HeaderNewCollection": "Nieuwe Verzamling",
- "HeaderAddToCollection": "Toevoegen aan verzameling",
- "ButtonSubmit": "Uitvoeren",
- "NewCollectionNameExample": "Voorbeeld: Star Wars Collectie",
- "OptionSearchForInternetMetadata": "Zoeken op het internet voor afbeeldingen en metadata",
- "ButtonCreate": "Cre\u00ebren",
- "LabelLocalHttpServerPortNumber": "Lokaal poort nummer:",
- "LabelLocalHttpServerPortNumberHelp": "De TCP poort waarop de Media Browser Server beschikbaar is.",
- "LabelPublicPort": "Publieke poort nummer:",
- "LabelPublicPortHelp": "Het poortnummer op het internet waarop Media Browser beschikbaar is.",
- "LabelWebSocketPortNumber": "Web socket poortnummer:",
- "LabelEnableAutomaticPortMap": "Schakel automatisch poort vertalen in",
- "LabelEnableAutomaticPortMapHelp": "Probeer om de publieke poort automatisch te vertalen naar de lokale poort via UPnP. Dit werk niet op alle routers.",
- "LabelExternalDDNS": "Externe DDNS:",
- "LabelExternalDDNSHelp": "Als u een dynamische DNS heeft kun u die hier invoeren. Media Browser apps zullen het gebruiken om op afstand verbinding te maken.",
- "TabResume": "Hervatten",
- "TabWeather": "Weer",
- "TitleAppSettings": "App Instellingen",
- "LabelMinResumePercentage": "Percentage (Min):",
- "LabelMaxResumePercentage": "Percentage (Max):",
- "LabelMinResumeDuration": "Minimale duur (In seconden):",
- "LabelMinResumePercentageHelp": "Titels worden ingesteld als onafgespeeld indien gestopt voor deze tijd",
- "LabelMaxResumePercentageHelp": "Titels worden ingesteld als volledig afgespeeld als gestopt na deze tijd",
- "LabelMinResumeDurationHelp": "Titels korter deze tijd dit zullen niet hervatbaar zijn",
- "TitleAutoOrganize": "Automatisch Organiseren",
- "TabActivityLog": "Activiteiten Logboek",
- "HeaderName": "Naam",
- "HeaderDate": "Datum",
- "HeaderSource": "Bron",
- "HeaderDestination": "Doel",
- "HeaderProgram": "Programma",
- "HeaderClients": "Clients",
- "LabelCompleted": "Compleet",
- "LabelFailed": "Mislukt",
- "LabelSkipped": "Overgeslagen",
- "HeaderEpisodeOrganization": "Afleveringen Organisatie",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Seizoen nummer:",
- "LabelEpisodeNumber": "Aflevering nummer:",
- "LabelEndingEpisodeNumber": "Laatste aflevering nummer:",
- "LabelEndingEpisodeNumberHelp": "Alleen vereist voor bestanden met meerdere afleveringen",
- "HeaderSupportTheTeam": "Steun het Media Browser Team",
- "LabelSupportAmount": "Bedrag (USD)",
- "HeaderSupportTheTeamHelp": "Door te doneren draagt u mee aan de verdere ontwikkeling van dit project. Een deel van alle donaties zal worden bijgedragen aan de andere gratis tools waarvan we afhankelijk zijn.",
- "ButtonEnterSupporterKey": "Voer supporter sleutel in",
- "DonationNextStep": "Eenmaal voltooid, gaat u terug en voert U Uw supporter sleutel in, die u ontvangt per e-mail.",
- "AutoOrganizeHelp": "Automatisch organiseren monitort de download mappen op nieuwe bestanden en verplaatst ze naar uw mediamappen.",
- "AutoOrganizeTvHelp": "TV bestanden Organiseren voegt alleen afleveringen toe aan de bestaande series. Het zal geen nieuwe serie mappen aanmaken.",
- "OptionEnableEpisodeOrganization": "Nieuwe aflevering organisatie inschakelen",
- "LabelWatchFolder": "Bewaakte map:",
- "LabelWatchFolderHelp": "De server zal deze map doorzoeken tijdens de geplande taak voor 'Organiseren van nieuwe mediabestanden'",
- "ButtonViewScheduledTasks": "Bekijk geplande taken",
- "LabelMinFileSizeForOrganize": "Minimale bestandsgrootte (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Kleinere bestanden dan dit formaat zullen worden genegeerd.",
- "LabelSeasonFolderPattern": "Mapnaam voor Seizoenen:",
- "LabelSeasonZeroFolderName": "Mapnaam voor Specials:",
- "HeaderEpisodeFilePattern": "Afleverings bestandsopmaak",
- "LabelEpisodePattern": "Afleverings opmaak:",
- "LabelMultiEpisodePattern": "Meerdere afleveringen opmaak:",
- "HeaderSupportedPatterns": "Ondersteunde Opmaak",
- "HeaderTerm": "Term",
- "HeaderPattern": "Opmaak",
- "HeaderResult": "Resulteert in:",
- "LabelDeleteEmptyFolders": "Verwijder lege mappen na het organiseren",
- "LabelDeleteEmptyFoldersHelp": "Schakel in om de download map schoon te houden.",
- "LabelDeleteLeftOverFiles": "Verwijder overgebleven bestanden met de volgende extensies:",
- "LabelDeleteLeftOverFilesHelp": "Scheiden met ;. Bijvoorbeeld: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Bestaande afleveringen overschrijven",
- "LabelTransferMethod": "Verplaats methode",
- "OptionCopy": "Kopie",
- "OptionMove": "Verplaats",
- "LabelTransferMethodHelp": "Bestanden kopi\u00ebren of verplaatsen van de bewaakte map",
- "HeaderLatestNews": "Nieuws",
- "HeaderHelpImproveMediaBrowser": "Help Media Browser te verbeteren",
- "HeaderRunningTasks": "Actieve taken",
- "HeaderActiveDevices": "Actieve apparaten",
- "HeaderPendingInstallations": "In afwachting van installaties",
- "HeaerServerInformation": "Server Informatie",
- "ButtonRestartNow": "Nu opnieuw opstarten",
- "ButtonRestart": "Herstart",
- "ButtonShutdown": "Afsluiten",
- "ButtonUpdateNow": "Nu bijwerken",
- "PleaseUpdateManually": "Sluit de server a.u.b. af en werk handmatig bij.",
- "NewServerVersionAvailable": "Er is een nieuwe versie van Media Browser Server beschikbaar!",
- "ServerUpToDate": "Media Browser Server is up-to-date",
- "ErrorConnectingToMediaBrowserRepository": "Er is een fout opgetreden tijdens de verbinding met de externe opslagserver van Media Browser.",
- "LabelComponentsUpdated": "De volgende onderdelen zijn ge\u00efnstalleerd of bijgewerkt:",
- "MessagePleaseRestartServerToFinishUpdating": "Herstart de server om de updates af te ronden en te activeren.",
- "LabelDownMixAudioScale": "Audio boost verbeteren wanneer wordt gemixt:",
- "LabelDownMixAudioScaleHelp": "Boost audio verbeteren wanneer wordt gemixt. Ingesteld op 1 om oorspronkelijke volume waarde te behouden.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Oude supporter sleutel",
- "LabelNewSupporterKey": "Nieuwe supporter sleutel",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Huidige e-mailadres",
- "LabelCurrentEmailAddressHelp": "De huidige e-mailadres waar uw nieuwe sleutel naar is verzonden.",
- "HeaderForgotKey": "Sleutel vergeten",
- "LabelEmailAddress": "E-mailadres",
- "LabelSupporterEmailAddress": "Het e-mailadres dat is gebruikt om de sleutel te kopen.",
- "ButtonRetrieveKey": "Ophalen Sleutel",
- "LabelSupporterKey": "Supporter Sleutel (plakken uit e-mail)",
- "LabelSupporterKeyHelp": "Voer uw supporter sleutel in om te genieten van de vele extra voordelen die de gemeenschap heeft ontwikkeld voor Media Browser.",
- "MessageInvalidKey": "Supporters sleutel ontbreekt of is ongeldig.",
- "ErrorMessageInvalidKey": "Voordat U premium content kunt registreren, moet u eerst een MediaBrowser Supporter zijn. Ondersteun en doneer a.u.b. om de continue verdere ontwikkeling van MediaBrowser te waarborgen. Dank u.",
- "HeaderDisplaySettings": "Weergave-instellingen",
- "TabPlayTo": "Afspelen met",
- "LabelEnableDlnaServer": "DLNA Server inschakelen",
- "LabelEnableDlnaServerHelp": "Hiermee kunnen UPnP-apparaten op uw netwerk Media Browser inhoud doorzoeken en afspelen.",
- "LabelEnableBlastAliveMessages": "Zend alive berichten",
- "LabelEnableBlastAliveMessagesHelp": "Zet dit aan als de server niet betrouwbaar door andere UPnP-apparaten op uw netwerk wordt gedetecteerd.",
- "LabelBlastMessageInterval": "Alive bericht interval (seconden)",
- "LabelBlastMessageIntervalHelp": "Bepaalt de duur in seconden tussen server Alive berichten.",
- "LabelDefaultUser": "Standaard gebruiker:",
- "LabelDefaultUserHelp": "Bepaalt welke gebruikers bibliotheek op aangesloten apparaten moet worden weergegeven. Dit kan worden overschreven voor elk apparaat met behulp van profielen.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Kanalen",
- "HeaderServerSettings": "Server Instellingen",
- "LabelWeatherDisplayLocation": "Weersbericht locatie:",
- "LabelWeatherDisplayLocationHelp": "US postcode \/ plaats, staat, land \/ Stad, Land \/ Weer ID",
- "LabelWeatherDisplayUnit": "Temperatuurs eenheid:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Vereist handmatig aanmelden met gebruikersnaam voor:",
- "HeaderRequireManualLoginHelp": "Indien uitgeschakeld dan toont de cli\u00ebnt een aanmeld scherm met een visuele selectie van gebruikers.",
- "OptionOtherApps": "Overige apps",
- "OptionMobileApps": "Mobiele apps",
- "HeaderNotificationList": "Klik op een melding om de opties voor het versturen ervan te configureren .",
- "NotificationOptionApplicationUpdateAvailable": "Programma-update beschikbaar",
- "NotificationOptionApplicationUpdateInstalled": "Programma-update ge\u00efnstalleerd",
- "NotificationOptionPluginUpdateInstalled": "Plug-in-update ge\u00efnstalleerd",
- "NotificationOptionPluginInstalled": "Plug-in ge\u00efnstalleerd",
- "NotificationOptionPluginUninstalled": "Plug-in verwijderd",
- "NotificationOptionVideoPlayback": "Video afspelen gestart",
- "NotificationOptionAudioPlayback": "Audio afspelen gestart",
- "NotificationOptionGamePlayback": "Game gestart",
- "NotificationOptionVideoPlaybackStopped": "Video afspelen gestopt",
- "NotificationOptionAudioPlaybackStopped": "Audio afspelen gestopt",
- "NotificationOptionGamePlaybackStopped": "Afspelen spel gestopt",
- "NotificationOptionTaskFailed": "Mislukken van de geplande taak",
- "NotificationOptionInstallationFailed": "Mislukken van de installatie",
- "NotificationOptionNewLibraryContent": "Nieuwe content toegevoegd",
- "NotificationOptionNewLibraryContentMultiple": "Nieuwe content toegevoegd (meerdere)",
- "SendNotificationHelp": "Meldingen worden geplaatst in de inbox op het dashboard. Blader door de Plug-in catalogus om aanvullende opties voor meldingen te installeren.",
- "NotificationOptionServerRestartRequired": "Server herstart nodig",
- "LabelNotificationEnabled": "Deze melding inschakelen",
- "LabelMonitorUsers": "Monitor activiteit van:",
- "LabelSendNotificationToUsers": "Stuur de melding naar:",
- "LabelUseNotificationServices": "Gebruik de volgende diensten:",
- "CategoryUser": "Gebruiker",
- "CategorySystem": "Systeem",
- "CategoryApplication": "Toepassing",
- "CategoryPlugin": "Plug-in",
- "LabelMessageTitle": "Titel van het bericht:",
- "LabelAvailableTokens": "Beschikbaar tokens:",
- "AdditionalNotificationServices": "Blader door de Plug-in catalogus om aanvullende meldingsdiensten te installeren.",
- "OptionAllUsers": "Alle gebruikers",
- "OptionAdminUsers": "Beheerders",
- "OptionCustomUsers": "Aangepast",
- "ButtonArrowUp": "Omhoog",
- "ButtonArrowDown": "Omlaag",
- "ButtonArrowLeft": "Links",
- "ButtonArrowRight": "Rechts",
- "ButtonBack": "Terug",
- "ButtonInfo": "Info",
- "ButtonOsd": "Weergave op het scherm",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Start",
- "ButtonSearch": "Zoeken",
- "ButtonSettings": "Instellingen",
- "ButtonTakeScreenshot": "Vang Schermafbeelding",
- "ButtonLetterUp": "Letter omhoog",
- "ButtonLetterDown": "Letter omlaag",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Wordt nu afgespeeld",
- "TabNavigation": "Navigatie",
- "TabControls": "Besturing",
- "ButtonFullscreen": "Schakelen tussen volledig scherm ",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Ondertitels",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Vorige track",
- "ButtonNextTrack": "Volgende track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pauze",
- "ButtonNext": "Volgende",
- "ButtonPrevious": "Vorige",
- "LabelGroupMoviesIntoCollections": "Groepeer films in verzamelingen",
- "LabelGroupMoviesIntoCollectionsHelp": "Bij de weergave van film lijsten, zullen films die behoren tot een verzameling worden weergegeven als een gegroepeerd object.",
- "NotificationOptionPluginError": "Plug-in fout",
- "ButtonVolumeUp": "Volume omhoog",
- "ButtonVolumeDown": "Volume omlaag",
- "ButtonMute": "Dempen",
- "HeaderLatestMedia": "Nieuw in bibliotheek",
- "OptionSpecialFeatures": "Extra's",
- "HeaderCollections": "Verzamelingen",
- "LabelProfileCodecsHelp": "Gescheiden door een komma. Deze kan leeg gelaten worden om te laten gelden voor alle codecs.",
- "LabelProfileContainersHelp": "Gescheiden door een komma. Deze kan leeg gelaten worden om te laten gelden voor alle containers.",
- "HeaderResponseProfile": "Antwoord Profiel",
- "LabelType": "Type:",
- "LabelPersonRole": "Rol:",
- "LabelPersonRoleHelp": "Rol is alleen van toepassing op acteurs.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Afspelen Profiel",
- "HeaderTranscodingProfile": "Direct Afspelen Profiel",
- "HeaderCodecProfile": "Codec Profiel",
- "HeaderCodecProfileHelp": "Codec profielen geven de beperkingen van een apparaat bij het afspelen van bepaalde codecs. Als een beperking geldt dan zal de media getranscodeerd worden, zelfs indien de codec is geconfigureerd voor direct afspelen.",
- "HeaderContainerProfile": "Container Profiel",
- "HeaderContainerProfileHelp": "Container profielen geven de beperkingen van een apparaat bij het afspelen van bepaalde formaten. Als een beperking geldt dan zal de media getranscodeerd worden, zelfs indien het formaat is geconfigureerd voor direct afspelen.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "Gebruikers Bibliotheek:",
- "LabelUserLibraryHelp": "Selecteer welke gebruikers bibliotheek weergegeven moet worden op het apparaat. Laat leeg standaardinstelling te gebruiken.",
- "OptionPlainStorageFolders": "Alle mappen weergeven als gewone opslagmappen",
- "OptionPlainStorageFoldersHelp": "Wanneer ingeschakeld dan worden alle mappen in DIDL weergegeven als 'object.container.storageFolder' in plaats van een meer specifiek type, zoals 'object.container.person.musicArtist'.",
- "OptionPlainVideoItems": "Alle video's weergeven als gewone video items",
- "OptionPlainVideoItemsHelp": "Indien ingeschakeld dan worden alle video's in DIDL weergegeven als 'object.item.videoItem' in plaats van een meer specifiek type, zoals 'object.item.videoItem.movie'.",
- "LabelSupportedMediaTypes": "Ondersteunde Media Types:",
- "TabIdentification": "Identificatie",
- "HeaderIdentification": "Identificatie",
- "TabDirectPlay": "Direct Afspelen",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Reacties",
- "HeaderProfileInformation": "Profiel Informatie",
- "LabelEmbedAlbumArtDidl": "Insluiten van albumhoezen in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Sommige apparaten prefereren deze methode voor het verkrijgen van albumhoezen. Anderen kunnen falen om af te spelen met deze optie ingeschakeld.",
- "LabelAlbumArtPN": "Albumhoes PN:",
- "LabelAlbumArtHelp": "PN gebruikt voor albumhoes, binnen het kenmerk van de dlna:profileID op upnp:albumArtURI. Sommige Cli\u00ebnts eisen een specifieke waarde, ongeacht de grootte van de afbeelding",
- "LabelAlbumArtMaxWidth": "Albumhoes max. breedte:",
- "LabelAlbumArtMaxWidthHelp": "Max. resolutie van albumhoezen weergegeven via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Albumhoes max. hoogte:",
- "LabelAlbumArtMaxHeightHelp": "Max. resolutie van albumhoezen weergegeven via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Pictogram max breedte:",
- "LabelIconMaxWidthHelp": "Max. resolutie van pictogrammen weergegeven via upnp:icon.",
- "LabelIconMaxHeight": "Pictogram max. hoogte:\n",
- "LabelIconMaxHeightHelp": "Max. resolutie van pictogrammen weergegeven via upnp:icon.",
- "LabelIdentificationFieldHelp": "Een niet-hoofdlettergevoelige subtekenreeks of regex expressie.",
- "HeaderProfileServerSettingsHelp": "Deze waarden bepalen hoe Media Browser zichzelf zal presenteren aan het apparaat.",
- "LabelMaxBitrate": "Max. bitrate:",
- "LabelMaxBitrateHelp": "Geef een max. bitrate in bandbreedte beperkte omgevingen, of als het apparaat zijn eigen limiet heeft.",
- "LabelMaxStreamingBitrate": "Maximale streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Geef een maximale bitrate voor streaming op.",
- "LabelMaxStaticBitrate": "Maximale Synchronisatie bitrate:",
- "LabelMaxStaticBitrateHelp": "Geef een maximale bitrate op voor synchroniseren in hoge kwaliteit.",
- "LabelMusicStaticBitrate": "Muzieksynchronisatie bitrate:",
- "LabelMusicStaticBitrateHelp": "Geef een maximum bitrate op voor het synchroniseren van muziek",
- "LabelMusicStreamingTranscodingBitrate": "Muziek transcodering bitrate: ",
- "LabelMusicStreamingTranscodingBitrateHelp": "Geef een maximum bitrate op voor het streamen van muziek",
- "OptionIgnoreTranscodeByteRangeRequests": "Transcodeer byte range-aanvragen negeren",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Indien ingeschakeld, zal deze verzoeken worden gehonoreerd, maar zal de byte bereik header worden genegerd.",
- "LabelFriendlyName": "Aangepaste naam",
- "LabelManufacturer": "Fabrikant",
- "LabelManufacturerUrl": "Url Fabrikant",
- "LabelModelName": "Modelnaam",
- "LabelModelNumber": "Modelnummer",
- "LabelModelDescription": "Model omschrijving",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serienummer",
- "LabelDeviceDescription": "Apparaat omschrijving",
- "HeaderIdentificationCriteriaHelp": "Voer ten minste \u00e9\u00e9n identificatiecriteria in.",
- "HeaderDirectPlayProfileHelp": "Toevoegen direct afspelen profielen om aan te geven welke formaten het apparaat standaard aankan.",
- "HeaderTranscodingProfileHelp": "Transcoding profielen toevoegen om aan te geven welke indelingen moeten worden gebruikt wanneer transcoding vereist is.",
- "HeaderResponseProfileHelp": "Responsprofielen bieden een manier om informatie, verzonden naar het apparaat bij het afspelen van bepaalde soorten media aan te passen.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Bepaalt de inhoud van het X_DLNACAP element in de urn: schemas-dlna-org:device-1-0 namespace. \n",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Bepaalt de inhoud van het X_DLNADOC element in de urn: schemas-dlna-org:device-1-0 namespace. ",
- "LabelSonyAggregationFlags": "Sony aggregatie vlaggen:",
- "LabelSonyAggregationFlagsHelp": "Bepaalt de inhoud van het aggregationFlags element in de urn schemas-sonycom av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "M2ts-modus inschakelen",
- "OptionEnableM2tsModeHelp": "m2ts-modus bij het encoderen naar mpegts inschakelen",
- "OptionEstimateContentLength": "Lengte schatten van de inhoud bij het transcoderen",
- "OptionReportByteRangeSeekingWhenTranscoding": "Rapporteer dat de server byte zoeken tijdens transcoderen ondersteunt",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dit is vereist voor bepaalde apparaten die zo goed op tijd zoeken.",
- "HeaderSubtitleDownloadingHelp": "Bij het scannen van uw videobestanden kan Media Browser naar ontbrekende ondertiteling zoeken en deze downloaden bij ondertiteling providers zoals OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download ondertiteling voor:",
- "MessageNoChapterProviders": "Installeer een hoofdstuk provider Plug-in zoals ChapterDb om extra hoofdstuk opties in te schakelen.",
- "LabelSkipIfGraphicalSubsPresent": "Overslaan als de video al grafische ondertitels bevat",
- "LabelSkipIfGraphicalSubsPresentHelp": "Tekstversies houden van ondertitels zal resulteren in meer effici\u00ebnte levering aan mobiele clients.",
- "TabSubtitles": "Ondertiteling",
- "TabChapters": "Hoofdstukken",
- "HeaderDownloadChaptersFor": "Download hoofdstuk namen voor:",
- "LabelOpenSubtitlesUsername": "Gebruikersnaam Open Subtitles:",
- "LabelOpenSubtitlesPassword": "Wachtwoord Open Subtitles:",
- "HeaderChapterDownloadingHelp": "Wanneer Media Browser uw videobestanden scant kan het gebruiksvriendelijke namen voor hoofdstukken downloaden van het internet met behulp van hoofdstuk Plug-in zoals ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Speel standaard audio spoor ongeacht taal",
- "LabelSubtitlePlaybackMode": "Ondertitelingsmode:",
- "LabelDownloadLanguages": "Download talen:",
- "ButtonRegister": "Aanmelden",
- "LabelSkipIfAudioTrackPresent": "Overslaan als het standaard audio spoor overeenkomt met de taal van de download",
- "LabelSkipIfAudioTrackPresentHelp": "Uitvinken om ervoor te zorgen dat alle video's ondertitels krijgen, ongeacht de gesproken taal.",
- "HeaderSendMessage": "Stuur bericht",
- "ButtonSend": "Stuur",
- "LabelMessageText": "Bericht tekst:",
- "MessageNoAvailablePlugins": "Geen beschikbare Plug-ins.",
- "LabelDisplayPluginsFor": "Toon Plug-ins voor:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Naam aflevering",
- "LabelSeriesNamePlain": "Naam serie",
- "ValueSeriesNamePeriod": "Serie.Naam",
- "ValueSeriesNameUnderscore": "Serie_naam",
- "ValueEpisodeNamePeriod": "Aflevering.naam",
- "ValueEpisodeNameUnderscore": "Aflevering_naam",
- "LabelSeasonNumberPlain": "nummer seizoen",
- "LabelEpisodeNumberPlain": "Nummer aflevering",
- "LabelEndingEpisodeNumberPlain": "Laatste nummer aflevering",
- "HeaderTypeText": "Voer tekst in",
- "LabelTypeText": "Tekst",
- "HeaderSearchForSubtitles": "Zoeken naar Ondertitels",
- "MessageNoSubtitleSearchResultsFound": "Geen zoekresultaten gevonden.",
- "TabDisplay": "Weergave",
- "TabLanguages": "Talen",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Theme songs inschakelen",
- "LabelEnableBackdrops": "Achtergronden inschakelen",
- "LabelEnableThemeSongsHelp": "Indien ingeschakeld, zullen theme songs in de achtergrond worden afgespeeld tijdens het browsen door de bibliotheek.",
- "LabelEnableBackdropsHelp": "Indien ingeschakeld, zullen achtergrondafbeeldingen in de achtergrond worden getoond van een aantal pagina's tijdens het browsen door de bibliotheek.",
- "HeaderHomePage": "Startpagina",
- "HeaderSettingsForThisDevice": "Instellingen voor dit apparaat",
- "OptionAuto": "Auto",
- "OptionYes": "Ja",
- "OptionNo": "Nee",
- "LabelHomePageSection1": "Startpagina sectie 1:",
- "LabelHomePageSection2": "Startpagina sectie 2:",
- "LabelHomePageSection3": "Startpagina sectie 3:",
- "LabelHomePageSection4": "Startpagina sectie 4:",
- "OptionMyViewsButtons": "Mijn overzichten (knoppen)",
- "OptionMyViews": "Mijn overzichten",
- "OptionMyViewsSmall": "Mijn overzichten (klein)",
- "OptionResumablemedia": "Hervatten",
- "OptionLatestMedia": "Nieuwste media",
- "OptionLatestChannelMedia": "Nieuwste kanaal items",
- "HeaderLatestChannelItems": "Nieuwste kanaal items",
- "OptionNone": "Geen",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Rapporten",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Voorkeuren",
- "MessageLoadingChannels": "Laden kanaal inhoud ...",
- "MessageLoadingContent": "Inhoud wordt geladen ...",
- "ButtonMarkRead": "Markeren als gelezen",
- "OptionDefaultSort": "Standaard",
- "OptionCommunityMostWatchedSort": "Meest bekeken",
- "TabNextUp": "Volgend",
- "MessageNoMovieSuggestionsAvailable": "Er zijn momenteel geen film suggesties beschikbaar. Begin met het bekijken en waardeer uw films, kom daarna terug om uw aanbevelingen te bekijken.",
- "MessageNoCollectionsAvailable": "Met Verzamelingen kunt u genieten van gepersonaliseerde groeperingen van films, series, Albums, Boeken en games. Klik op de knop Nieuw om te beginnen met het maken van verzamelingen.",
- "MessageNoPlaylistsAvailable": "Met afspeellijsten kan je een lijst maken waarvan de items achter elkaar afgespeeld worden. Om een item toe te voegen klik je met rechts of tik en hou je het vast om het te selecteren, klik vervolgens op Toevoegen aan afspeellijst.",
- "MessageNoPlaylistItemsAvailable": "De afspeellijst is momenteel leeg.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welkom op de Media Browser Web Client",
- "ButtonDismiss": "Afwijzen",
- "ButtonTakeTheTour": "Neem de tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Voorkeurs kwaliteit internet stream:",
- "LabelChannelStreamQualityHelp": "Bij weinig beschikbare bandbreedte kan het verminderen van de kwaliteit betere streams opleveren.",
- "OptionBestAvailableStreamQuality": "Best beschikbaar",
- "LabelEnableChannelContentDownloadingFor": "Schakel kanaalinhoud downloaden in voor:",
- "LabelEnableChannelContentDownloadingForHelp": "Sommige kanalen ondersteunen downloaden en later kijken. Schakel deze optie in als er weinig bandbreedte beschikbaar is. Inhoud zal dan tijdens de kanaal download taak uitgevoerd worden.",
- "LabelChannelDownloadPath": "Kanaal inhoud download pad:",
- "LabelChannelDownloadPathHelp": "Geef een eigen download pad op als dit gewenst is, leeglaten voor dowloaden naar de interne programa data map.",
- "LabelChannelDownloadAge": "Verwijder inhoud na: (dagen)",
- "LabelChannelDownloadAgeHelp": "Gedownloade inhoud die ouder is zal worden verwijderd. Afspelen via internet streaming blijft mogelijk.",
- "ChannelSettingsFormHelp": "Installeer kanalen zoals Trailers en Vimeo in de Plug-in catalogus.",
- "LabelSelectCollection": "Selecteer verzameling:",
- "ButtonOptions": "Opties",
- "ViewTypeMovies": "Films",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Muziek",
- "ViewTypeBoxSets": "Verzamelingen",
- "ViewTypeChannels": "Kanalen",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Nu uitgezonden",
- "ViewTypeLatestGames": "Nieuwste games",
- "ViewTypeRecentlyPlayedGames": "Recent gespeelt",
- "ViewTypeGameFavorites": "Favorieten",
- "ViewTypeGameSystems": "Gam systemen",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Hervatten",
- "ViewTypeTvNextUp": "Volgende",
- "ViewTypeTvLatest": "Nieuwste",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favoriete Series",
- "ViewTypeTvFavoriteEpisodes": "Favoriete Afleveringen",
- "ViewTypeMovieResume": "Hervatten",
- "ViewTypeMovieLatest": "Nieuwste",
- "ViewTypeMovieMovies": "Films",
- "ViewTypeMovieCollections": "Verzamelingen",
- "ViewTypeMovieFavorites": "Favorieten",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Nieuwste",
"ViewTypeMusicAlbums": "Albums",
"ViewTypeMusicAlbumArtists": "Album artiesten",
"HeaderOtherDisplaySettings": "Beeld instellingen",
@@ -605,7 +18,7 @@
"LabelProtocolInfoHelp": "De waarde die wordt gebruikt bij het reageren op GetProtocolInfo verzoeken van het apparaat.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser heeft standaard ondersteuning voor Kodi NFO metadata en afbeeldingen. Om Kodi metadata aan of uit te zetten gebruikt u het tabblad Geavanceerd om opties voor uw mediatypen te configureren.",
- "LabelKodiMetadataUser": "Voeg gekeken gegevens toe aan NFO's voor (gebruiker):",
+ "LabelKodiMetadataUser": "Synchroniseer gekeken informatie toe aan NFO's voor (gebruiker):",
"LabelKodiMetadataUserHelp": "Schakel in om gekeken informatie tussen Media Browser en Kodi te synchroniseren.",
"LabelKodiMetadataDateFormat": "Uitgave datum formaat:",
"LabelKodiMetadataDateFormatHelp": "Alle datums in NFO's zullen gelezen en geschreven worden met dit formaat.",
@@ -876,7 +289,7 @@
"OptionSaveMetadataAsHidden": "Metagegevens en afbeeldingen opslaan als verborgen bestanden",
"LabelExtractChaptersDuringLibraryScan": "Hoofdstuk afbeeldingen uitpakken tijdens het scannen van de bibliotheek",
"LabelExtractChaptersDuringLibraryScanHelp": "Wanneer ingeschakeld dan worden hoofdstuk afbeeldingen uitgepakt wanneer video's zijn ge\u00efmporteerd tijdens het scannen van de bibliotheek. Wanneer uitgeschakeld dan worden de hoofdstuk afbeeldingen uitgepakt tijdens de geplande taak \"Hoofdstukken uitpakken\", waardoor de standaard bibliotheek scan sneller voltooid is.",
- "LabelConnectGuestUserName": "Hun Media Browser gerbuikersnaam of email adres:",
+ "LabelConnectGuestUserName": "Hun Media Browser gebruikersnaam of email adres:",
"LabelConnectUserName": "Media Browser gebruikersnaam\/emailadres:",
"LabelConnectUserNameHelp": "Koppel deze gebruiker aan een Media Browser account zodat eenvoudig aanmelden met een app bij Media Browser mogelijk is zonder het IP adres te weten.",
"ButtonLearnMoreAboutMediaBrowserConnect": "Meer informatie over Media Browser Connect",
@@ -940,7 +353,7 @@
"LabelCustomDeviceDisplayNameHelp": "Geef een eigen weergave naam op of leeg laten om de naam te gebruiken die het apparaat opgeeft.",
"HeaderInviteUser": "Nodig gebruiker uit",
"LabelConnectGuestUserNameHelp": "Dit is de gebruikersnaam die je vriend(in) gebruikt om aan te melden op de Media Browser website of zijn of haar email adres.",
- "HeaderInviteUserHelp": "Je media met vrieden delen is makkelijker dan ooit met Media Browser Connect.",
+ "HeaderInviteUserHelp": "Je media met vrienden delen is makkelijker dan ooit met Media Browser Connect.",
"ButtonSendInvitation": "Stuur uitnodiging",
"HeaderGuests": "Gasten",
"HeaderLocalUsers": "Lokale gebruikers",
@@ -975,6 +388,10 @@
"HeaderDashboardUserPassword": "Wachtwoorden van gebruikers worden door de gebruiker in het gebruikersprofiel beheerd.",
"HeaderLibraryAccess": "Bibliotheek toegang",
"HeaderChannelAccess": "Kanaal toegang",
+ "HeaderLatestItems": "Nieuwste items",
+ "LabelSelectLastestItemsFolders": "Voeg media van de volgende secties toe aan Nieuwste items",
+ "HeaderShareMediaFolders": "Deel media mappen",
+ "MessageGuestSharingPermissionsHelp": "De meeste features zijn niet direct beschikbaar voor gasten maar kunnen aangezet worden waar gewenst.",
"LabelExit": "Afsluiten",
"LabelVisitCommunity": "Bezoek Gemeenschap",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +666,592 @@
"TabMusic": "Muziek",
"TabOthers": "Overig",
"HeaderExtractChapterImagesFor": "Hoofdstuk afbeeldingen uitpakken voor:",
- "OptionMovies": "Films"
+ "OptionMovies": "Films",
+ "OptionEpisodes": "Afleveringen",
+ "OptionOtherVideos": "Overige Video's",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "Schakel de automatische update in van FanArt.tv",
+ "LabelAutomaticUpdatesTmdb": "Schakel de automatische update in van TheMovieDB.org",
+ "LabelAutomaticUpdatesTvdb": "Schakel de automatische update in van TheTVDB.com",
+ "LabelAutomaticUpdatesFanartHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan fanart.tv. Bestaande afbeeldingen zullen niet worden vervangen.",
+ "LabelAutomaticUpdatesTmdbHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan TheMovieDB.org. Bestaande afbeeldingen zullen niet worden vervangen.",
+ "LabelAutomaticUpdatesTvdbHelp": "Indien ingeschakeld, worden nieuwe afbeeldingen automatisch gedownload wanneer ze zijn toegevoegd aan TheTVDB.com. Bestaande afbeeldingen zullen niet worden vervangen.",
+ "ExtractChapterImagesHelp": "Uitpakken van hoofdstuk afbeeldingen geeft de cli\u00ebnt de mogelijkheid om grafische scene selectie menu's te tonen. Het proces kan traag en cpu-intensief zijn en kan enkele gigabytes aan ruimte vereisen. Het word uitgevoerd als nachtelijke taak om 4:00. Deze taak is in te stellen via de geplande taken. Het wordt niet aanbevolen om deze taak uit te voeren tijdens de piekuren.",
+ "LabelMetadataDownloadLanguage": "Voorkeurs taal:",
+ "ButtonAutoScroll": "Auto-scroll",
+ "LabelImageSavingConvention": "Afbeelding opslag conventie:",
+ "LabelImageSavingConventionHelp": "Media Browser herkent afbeeldingen van de meeste grote media-applicaties. Het kiezen van uw download conventie is handig als u ook gebruik wilt maken van andere producten.",
+ "OptionImageSavingCompatible": "Compatibel - Media Browser \/ Kodi \/ Plex",
+ "OptionImageSavingStandard": "Standaard - MB2",
+ "ButtonSignIn": "Aanmelden",
+ "TitleSignIn": "Aanmelden",
+ "HeaderPleaseSignIn": "Wachtwoord in geven",
+ "LabelUser": "Gebruiker:",
+ "LabelPassword": "Wachtwoord:",
+ "ButtonManualLogin": "Handmatige aanmelding:",
+ "PasswordLocalhostMessage": "Wachtwoorden zijn niet vereist bij het aanmelden van localhost.",
+ "TabGuide": "Gids",
+ "TabChannels": "Kanalen",
+ "TabCollections": "Verzamelingen",
+ "HeaderChannels": "Kanalen",
+ "TabRecordings": "Opnamen",
+ "TabScheduled": "Gepland",
+ "TabSeries": "Serie",
+ "TabFavorites": "Favorieten",
+ "TabMyLibrary": "Mijn bibliotheek",
+ "ButtonCancelRecording": "Opname annuleren",
+ "HeaderPrePostPadding": "Vooraf\/Achteraf insteling",
+ "LabelPrePaddingMinutes": "Tijd voor het programma (Minuten):",
+ "OptionPrePaddingRequired": "Vooraf opnemen is vereist voor opname",
+ "LabelPostPaddingMinutes": "Tijd na het programma (Minuten):",
+ "OptionPostPaddingRequired": "Langer opnemen is vereist voor opname",
+ "HeaderWhatsOnTV": "Nu te zien",
+ "HeaderUpcomingTV": "Straks",
+ "TabStatus": "Status",
+ "TabSettings": "Instellingen",
+ "ButtonRefreshGuideData": "Gidsgegevens Vernieuwen",
+ "ButtonRefresh": "Vernieuwen",
+ "ButtonAdvancedRefresh": "Geavanceerd vernieuwen",
+ "OptionPriority": "Prioriteit",
+ "OptionRecordOnAllChannels": "Programma van alle kanalen opnemen",
+ "OptionRecordAnytime": "Programma elke keer opnemen",
+ "OptionRecordOnlyNewEpisodes": "Alleen nieuwe afleveringen opnemen",
+ "HeaderDays": "Dagen",
+ "HeaderActiveRecordings": "Actieve Opnames",
+ "HeaderLatestRecordings": "Nieuwe Opnames",
+ "HeaderAllRecordings": "Alle Opnames",
+ "ButtonPlay": "Afspelen",
+ "ButtonEdit": "Bewerken",
+ "ButtonRecord": "Opnemen",
+ "ButtonDelete": "Verwijderen",
+ "ButtonRemove": "Verwijderen",
+ "OptionRecordSeries": "Series Opnemen",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Aantal dagen van de gids om te downloaden:",
+ "LabelNumberOfGuideDaysHelp": "Het downloaden van meer dagen van de gids gegevens biedt de mogelijkheid verder vooruit te plannen en een beter overzicht geven, maar het zal ook langer duren om te downloaden. Auto kiest op basis van het aantal kanalen.",
+ "LabelActiveService": "Actieve Service:",
+ "LabelActiveServiceHelp": "Er kunnen meerdere tv Plug-ins worden ge\u00efnstalleerd, maar er kan er slechts een per keer actief zijn.",
+ "OptionAutomatic": "Automatisch",
+ "LiveTvPluginRequired": "Een Live TV service provider Plug-in is vereist om door te gaan.",
+ "LiveTvPluginRequiredHelp": "Installeer a.u b een van onze beschikbare Plug-ins, zoals Next PVR of ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Aanpassen voor mediatype",
+ "OptionDownloadThumbImage": "Miniatuur",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Schijf",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Terug",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primair",
+ "HeaderFetchImages": "Afbeeldingen ophalen:",
+ "HeaderImageSettings": "Afbeeldingsinstellingen",
+ "TabOther": "Overig",
+ "LabelMaxBackdropsPerItem": "Maximum aantal achtergronden per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum aantal schermafbeeldingen per item:",
+ "LabelMinBackdropDownloadWidth": "Minimale achtergrond breedte om te downloaden:",
+ "LabelMinScreenshotDownloadWidth": "Minimale schermafbeeldings- breedte om te downloaden:",
+ "ButtonAddScheduledTaskTrigger": "Taak Trigger Toevoegen",
+ "HeaderAddScheduledTaskTrigger": "Taak Trigger Toevoegen",
+ "ButtonAdd": "Toevoegen",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Dagelijks",
+ "OptionWeekly": "Wekelijks",
+ "OptionOnInterval": "Op interval",
+ "OptionOnAppStartup": "Op applicatie start",
+ "OptionAfterSystemEvent": "Na een systeem gebeurtenis",
+ "LabelDay": "Dag:",
+ "LabelTime": "Tijd:",
+ "LabelEvent": "Gebeurtenis:",
+ "OptionWakeFromSleep": "Uit slaapstand halen",
+ "LabelEveryXMinutes": "Iedere:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Galerij",
+ "HeaderLatestGames": "Nieuwe Games",
+ "HeaderRecentlyPlayedGames": "Recent gespeelde Games",
+ "TabGameSystems": "Game Systemen",
+ "TitleMediaLibrary": "Media Bibliotheek",
+ "TabFolders": "Mappen",
+ "TabPathSubstitution": "Pad Vervangen",
+ "LabelSeasonZeroDisplayName": "Weergave naam voor Seizoen 0:",
+ "LabelEnableRealtimeMonitor": "Real time monitoring inschakelen",
+ "LabelEnableRealtimeMonitorHelp": "Wijzigingen worden direct verwerkt, op ondersteunde bestandssystemen.",
+ "ButtonScanLibrary": "Scan Bibliotheek",
+ "HeaderNumberOfPlayers": "Afspelers:",
+ "OptionAnyNumberOfPlayers": "Elke",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Mappen",
+ "HeaderThemeVideos": "Thema Video's",
+ "HeaderThemeSongs": "Thema Song's",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards en recensies",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Video's",
+ "HeaderSpecialFeatures": "Extra's",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Extra onderdelen",
+ "ButtonSplitVersionsApart": "Splits Versies Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Ontbreekt",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Pad vervangen worden gebruikt voor het in kaart brengen van een pad op de server naar een pad dat de Cli\u00ebnt in staat stelt om toegang te krijgen. Doordat de Cli\u00ebnt directe toegang tot de media op de server heeft is deze in staat om ze direct af te spelen via het netwerk. Daardoor wordt het gebruik van server resources om te streamen en te transcoderen vermeden.",
+ "HeaderFrom": "Van",
+ "HeaderTo": "Naar",
+ "LabelFrom": "Van:",
+ "LabelFromHelp": "Bijvoorbeeld: D:\\Movies (op de server)",
+ "LabelTo": "Naar:",
+ "LabelToHelp": "Voorbeeld: \\\\MijnServer\\Movies (een pad waar de Cli\u00ebnt toegang toe heeft)",
+ "ButtonAddPathSubstitution": "Vervanging toevoegen",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Ontbrekende Afleveringen",
+ "OptionUnairedEpisode": "Toekomstige Afleveringen",
+ "OptionEpisodeSortName": "Aflevering Sorteer Naam",
+ "OptionSeriesSortName": "Serie Naam",
+ "OptionTvdbRating": "Tvdb Waardering",
+ "HeaderTranscodingQualityPreference": "Transcodeer Kwaliteit voorkeur:",
+ "OptionAutomaticTranscodingHelp": "De server zal de kwaliteit en snelheid kiezen",
+ "OptionHighSpeedTranscodingHelp": "Lagere kwaliteit, maar snellere codering",
+ "OptionHighQualityTranscodingHelp": "Hogere kwaliteit, maar tragere codering",
+ "OptionMaxQualityTranscodingHelp": "Beste kwaliteit met tragere codering en hoog CPU-gebruik",
+ "OptionHighSpeedTranscoding": "Hogere snelheid",
+ "OptionHighQualityTranscoding": "Hogere kwaliteit",
+ "OptionMaxQualityTranscoding": "Max kwaliteit",
+ "OptionEnableDebugTranscodingLogging": "Transcodeer Foutopsporings logboek inschakelen",
+ "OptionEnableDebugTranscodingLoggingHelp": "Dit zal zeer grote logboekbestanden maken en wordt alleen aanbevolen wanneer het nodig is voor het oplossen van problemen.",
+ "OptionUpscaling": "Cli\u00ebnts kunnen opgeschaalde video aanvragen",
+ "OptionUpscalingHelp": "In sommige gevallen zal dit resulteren in een betere videokwaliteit, maar verhoogd het CPU-gebruik.",
+ "EditCollectionItemsHelp": "Toevoegen of verwijderen van alle films, series, albums, boeken of games die u wilt groeperen in deze verzameling.",
+ "HeaderAddTitles": "Titels toevoegen",
+ "LabelEnableDlnaPlayTo": "DLNA Afspelen met inschakelen",
+ "LabelEnableDlnaPlayToHelp": "Media Browser kan apparaten detecteren binnen uw netwerk en de mogelijkheid bieden om ze op afstand te besturen.",
+ "LabelEnableDlnaDebugLogging": "DLNA foutopsporings logboek inschakelen",
+ "LabelEnableDlnaDebugLoggingHelp": "Dit zal grote logboekbestanden maken en mag alleen worden gebruikt als dat nodig is voor het oplossen van problemen.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Interval voor het zoeken naar Cli\u00ebnts (seconden)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Bepaalt de duur in seconden van de interval tussen SSDP zoekopdrachten uitgevoerd door Media Browser.",
+ "HeaderCustomDlnaProfiles": "Aangepaste profielen",
+ "HeaderSystemDlnaProfiles": "Systeem Profielen",
+ "CustomDlnaProfilesHelp": "Maak een aangepast profiel om een \u200b\u200bnieuw apparaat aan te maken of overschrijf een systeemprofiel.",
+ "SystemDlnaProfilesHelp": "System profielen zijn alleen-lezen. Om een \u200b\u200bsysteem profiel te overschrijven, maakt u een aangepast profiel gericht op hetzelfde apparaat.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Start",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "Systeem Paden",
+ "LinkCommunity": "Gemeenschap",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentatie",
+ "LabelFriendlyServerName": "Aangepaste servernaam",
+ "LabelFriendlyServerNameHelp": "Deze naam wordt gebruikt om deze server te identificeren. Indien leeg gelaten, zal de naam van de computer worden gebruikt.",
+ "LabelPreferredDisplayLanguage": "Voorkeurs weergavetaal",
+ "LabelPreferredDisplayLanguageHelp": "Het vertalen van Media Browser is een doorlopend project en is nog niet voltooid.",
+ "LabelReadHowYouCanContribute": "Lees meer over hoe u kunt bijdragen.",
+ "HeaderNewCollection": "Nieuwe Verzamling",
+ "HeaderAddToCollection": "Toevoegen aan verzameling",
+ "ButtonSubmit": "Uitvoeren",
+ "NewCollectionNameExample": "Voorbeeld: Star Wars Collectie",
+ "OptionSearchForInternetMetadata": "Zoeken op het internet voor afbeeldingen en metadata",
+ "ButtonCreate": "Cre\u00ebren",
+ "LabelLocalHttpServerPortNumber": "Lokaal poort nummer:",
+ "LabelLocalHttpServerPortNumberHelp": "De TCP poort waarop de Media Browser Server beschikbaar is.",
+ "LabelPublicPort": "Publieke poort nummer:",
+ "LabelPublicPortHelp": "Het poortnummer op het internet waarop Media Browser beschikbaar is.",
+ "LabelWebSocketPortNumber": "Web socket poortnummer:",
+ "LabelEnableAutomaticPortMap": "Schakel automatisch poort vertalen in",
+ "LabelEnableAutomaticPortMapHelp": "Probeer om de publieke poort automatisch te vertalen naar de lokale poort via UPnP. Dit werk niet op alle routers.",
+ "LabelExternalDDNS": "Externe DDNS:",
+ "LabelExternalDDNSHelp": "Als u een dynamische DNS heeft kun u die hier invoeren. Media Browser apps zullen het gebruiken om op afstand verbinding te maken.",
+ "TabResume": "Hervatten",
+ "TabWeather": "Weer",
+ "TitleAppSettings": "App Instellingen",
+ "LabelMinResumePercentage": "Percentage (Min):",
+ "LabelMaxResumePercentage": "Percentage (Max):",
+ "LabelMinResumeDuration": "Minimale duur (In seconden):",
+ "LabelMinResumePercentageHelp": "Titels worden ingesteld als onafgespeeld indien gestopt voor deze tijd",
+ "LabelMaxResumePercentageHelp": "Titels worden ingesteld als volledig afgespeeld als gestopt na deze tijd",
+ "LabelMinResumeDurationHelp": "Titels korter deze tijd dit zullen niet hervatbaar zijn",
+ "TitleAutoOrganize": "Automatisch Organiseren",
+ "TabActivityLog": "Activiteiten Logboek",
+ "HeaderName": "Naam",
+ "HeaderDate": "Datum",
+ "HeaderSource": "Bron",
+ "HeaderDestination": "Doel",
+ "HeaderProgram": "Programma",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Compleet",
+ "LabelFailed": "Mislukt",
+ "LabelSkipped": "Overgeslagen",
+ "HeaderEpisodeOrganization": "Afleveringen Organisatie",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Seizoen nummer:",
+ "LabelEpisodeNumber": "Aflevering nummer:",
+ "LabelEndingEpisodeNumber": "Laatste aflevering nummer:",
+ "LabelEndingEpisodeNumberHelp": "Alleen vereist voor bestanden met meerdere afleveringen",
+ "HeaderSupportTheTeam": "Steun het Media Browser Team",
+ "LabelSupportAmount": "Bedrag (USD)",
+ "HeaderSupportTheTeamHelp": "Door te doneren draagt u mee aan de verdere ontwikkeling van dit project. Een deel van alle donaties zal worden bijgedragen aan de andere gratis tools waarvan we afhankelijk zijn.",
+ "ButtonEnterSupporterKey": "Voer supporter sleutel in",
+ "DonationNextStep": "Eenmaal voltooid, gaat u terug en voert U Uw supporter sleutel in, die u ontvangt per e-mail.",
+ "AutoOrganizeHelp": "Automatisch organiseren monitort de download mappen op nieuwe bestanden en verplaatst ze naar uw mediamappen.",
+ "AutoOrganizeTvHelp": "TV bestanden Organiseren voegt alleen afleveringen toe aan de bestaande series. Het zal geen nieuwe serie mappen aanmaken.",
+ "OptionEnableEpisodeOrganization": "Nieuwe aflevering organisatie inschakelen",
+ "LabelWatchFolder": "Bewaakte map:",
+ "LabelWatchFolderHelp": "De server zal deze map doorzoeken tijdens de geplande taak voor 'Organiseren van nieuwe mediabestanden'",
+ "ButtonViewScheduledTasks": "Bekijk geplande taken",
+ "LabelMinFileSizeForOrganize": "Minimale bestandsgrootte (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Kleinere bestanden dan dit formaat zullen worden genegeerd.",
+ "LabelSeasonFolderPattern": "Mapnaam voor Seizoenen:",
+ "LabelSeasonZeroFolderName": "Mapnaam voor Specials:",
+ "HeaderEpisodeFilePattern": "Afleverings bestandsopmaak",
+ "LabelEpisodePattern": "Afleverings opmaak:",
+ "LabelMultiEpisodePattern": "Meerdere afleveringen opmaak:",
+ "HeaderSupportedPatterns": "Ondersteunde Opmaak",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Opmaak",
+ "HeaderResult": "Resulteert in:",
+ "LabelDeleteEmptyFolders": "Verwijder lege mappen na het organiseren",
+ "LabelDeleteEmptyFoldersHelp": "Schakel in om de download map schoon te houden.",
+ "LabelDeleteLeftOverFiles": "Verwijder overgebleven bestanden met de volgende extensies:",
+ "LabelDeleteLeftOverFilesHelp": "Scheiden met ;. Bijvoorbeeld: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Bestaande afleveringen overschrijven",
+ "LabelTransferMethod": "Verplaats methode",
+ "OptionCopy": "Kopie",
+ "OptionMove": "Verplaats",
+ "LabelTransferMethodHelp": "Bestanden kopi\u00ebren of verplaatsen van de bewaakte map",
+ "HeaderLatestNews": "Nieuws",
+ "HeaderHelpImproveMediaBrowser": "Help Media Browser te verbeteren",
+ "HeaderRunningTasks": "Actieve taken",
+ "HeaderActiveDevices": "Actieve apparaten",
+ "HeaderPendingInstallations": "In afwachting van installaties",
+ "HeaerServerInformation": "Server Informatie",
+ "ButtonRestartNow": "Nu opnieuw opstarten",
+ "ButtonRestart": "Herstart",
+ "ButtonShutdown": "Afsluiten",
+ "ButtonUpdateNow": "Nu bijwerken",
+ "PleaseUpdateManually": "Sluit de server a.u.b. af en werk handmatig bij.",
+ "NewServerVersionAvailable": "Er is een nieuwe versie van Media Browser Server beschikbaar!",
+ "ServerUpToDate": "Media Browser Server is up-to-date",
+ "ErrorConnectingToMediaBrowserRepository": "Er is een fout opgetreden tijdens de verbinding met de externe opslagserver van Media Browser.",
+ "LabelComponentsUpdated": "De volgende onderdelen zijn ge\u00efnstalleerd of bijgewerkt:",
+ "MessagePleaseRestartServerToFinishUpdating": "Herstart de server om de updates af te ronden en te activeren.",
+ "LabelDownMixAudioScale": "Audio boost verbeteren wanneer wordt gemixt:",
+ "LabelDownMixAudioScaleHelp": "Boost audio verbeteren wanneer wordt gemixt. Ingesteld op 1 om oorspronkelijke volume waarde te behouden.",
+ "ButtonLinkKeys": "Verplaats sleutel",
+ "LabelOldSupporterKey": "Oude supporter sleutel",
+ "LabelNewSupporterKey": "Nieuwe supporter sleutel",
+ "HeaderMultipleKeyLinking": "Verplaats naar nieuwe sleutel",
+ "MultipleKeyLinkingHelp": "Als je een nieuwe supportersleutel ontvangen hebt, gebruik dan dit formulier om de registratie van de oude sleutel over te zetten naar de nieuwe sleutel.",
+ "LabelCurrentEmailAddress": "Huidige e-mailadres",
+ "LabelCurrentEmailAddressHelp": "De huidige e-mailadres waar uw nieuwe sleutel naar is verzonden.",
+ "HeaderForgotKey": "Sleutel vergeten",
+ "LabelEmailAddress": "E-mailadres",
+ "LabelSupporterEmailAddress": "Het e-mailadres dat is gebruikt om de sleutel te kopen.",
+ "ButtonRetrieveKey": "Ophalen Sleutel",
+ "LabelSupporterKey": "Supporter Sleutel (plakken uit e-mail)",
+ "LabelSupporterKeyHelp": "Voer uw supporter sleutel in om te genieten van de vele extra voordelen die de gemeenschap heeft ontwikkeld voor Media Browser.",
+ "MessageInvalidKey": "Supporters sleutel ontbreekt of is ongeldig.",
+ "ErrorMessageInvalidKey": "Voordat U premium content kunt registreren, moet u eerst een MediaBrowser Supporter zijn. Ondersteun en doneer a.u.b. om de continue verdere ontwikkeling van MediaBrowser te waarborgen. Dank u.",
+ "HeaderDisplaySettings": "Weergave-instellingen",
+ "TabPlayTo": "Afspelen met",
+ "LabelEnableDlnaServer": "DLNA Server inschakelen",
+ "LabelEnableDlnaServerHelp": "Hiermee kunnen UPnP-apparaten op uw netwerk Media Browser inhoud doorzoeken en afspelen.",
+ "LabelEnableBlastAliveMessages": "Zend alive berichten",
+ "LabelEnableBlastAliveMessagesHelp": "Zet dit aan als de server niet betrouwbaar door andere UPnP-apparaten op uw netwerk wordt gedetecteerd.",
+ "LabelBlastMessageInterval": "Alive bericht interval (seconden)",
+ "LabelBlastMessageIntervalHelp": "Bepaalt de duur in seconden tussen server Alive berichten.",
+ "LabelDefaultUser": "Standaard gebruiker:",
+ "LabelDefaultUserHelp": "Bepaalt welke gebruikers bibliotheek op aangesloten apparaten moet worden weergegeven. Dit kan worden overschreven voor elk apparaat met behulp van profielen.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Kanalen",
+ "HeaderServerSettings": "Server Instellingen",
+ "LabelWeatherDisplayLocation": "Weersbericht locatie:",
+ "LabelWeatherDisplayLocationHelp": "US postcode \/ plaats, staat, land \/ Stad, Land \/ Weer ID",
+ "LabelWeatherDisplayUnit": "Temperatuurs eenheid:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Vereist handmatig aanmelden met gebruikersnaam voor:",
+ "HeaderRequireManualLoginHelp": "Indien uitgeschakeld dan toont de cli\u00ebnt een aanmeld scherm met een visuele selectie van gebruikers.",
+ "OptionOtherApps": "Overige apps",
+ "OptionMobileApps": "Mobiele apps",
+ "HeaderNotificationList": "Klik op een melding om de opties voor het versturen ervan te configureren .",
+ "NotificationOptionApplicationUpdateAvailable": "Programma-update beschikbaar",
+ "NotificationOptionApplicationUpdateInstalled": "Programma-update ge\u00efnstalleerd",
+ "NotificationOptionPluginUpdateInstalled": "Plug-in-update ge\u00efnstalleerd",
+ "NotificationOptionPluginInstalled": "Plug-in ge\u00efnstalleerd",
+ "NotificationOptionPluginUninstalled": "Plug-in verwijderd",
+ "NotificationOptionVideoPlayback": "Video afspelen gestart",
+ "NotificationOptionAudioPlayback": "Audio afspelen gestart",
+ "NotificationOptionGamePlayback": "Game gestart",
+ "NotificationOptionVideoPlaybackStopped": "Video afspelen gestopt",
+ "NotificationOptionAudioPlaybackStopped": "Audio afspelen gestopt",
+ "NotificationOptionGamePlaybackStopped": "Afspelen spel gestopt",
+ "NotificationOptionTaskFailed": "Mislukken van de geplande taak",
+ "NotificationOptionInstallationFailed": "Mislukken van de installatie",
+ "NotificationOptionNewLibraryContent": "Nieuwe content toegevoegd",
+ "NotificationOptionNewLibraryContentMultiple": "Nieuwe content toegevoegd (meerdere)",
+ "SendNotificationHelp": "Meldingen worden geplaatst in de inbox op het dashboard. Blader door de Plug-in catalogus om aanvullende opties voor meldingen te installeren.",
+ "NotificationOptionServerRestartRequired": "Server herstart nodig",
+ "LabelNotificationEnabled": "Deze melding inschakelen",
+ "LabelMonitorUsers": "Monitor activiteit van:",
+ "LabelSendNotificationToUsers": "Stuur de melding naar:",
+ "LabelUseNotificationServices": "Gebruik de volgende diensten:",
+ "CategoryUser": "Gebruiker",
+ "CategorySystem": "Systeem",
+ "CategoryApplication": "Toepassing",
+ "CategoryPlugin": "Plug-in",
+ "LabelMessageTitle": "Titel van het bericht:",
+ "LabelAvailableTokens": "Beschikbaar tokens:",
+ "AdditionalNotificationServices": "Blader door de Plug-in catalogus om aanvullende meldingsdiensten te installeren.",
+ "OptionAllUsers": "Alle gebruikers",
+ "OptionAdminUsers": "Beheerders",
+ "OptionCustomUsers": "Aangepast",
+ "ButtonArrowUp": "Omhoog",
+ "ButtonArrowDown": "Omlaag",
+ "ButtonArrowLeft": "Links",
+ "ButtonArrowRight": "Rechts",
+ "ButtonBack": "Terug",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "Weergave op het scherm",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Start",
+ "ButtonSearch": "Zoeken",
+ "ButtonSettings": "Instellingen",
+ "ButtonTakeScreenshot": "Vang Schermafbeelding",
+ "ButtonLetterUp": "Letter omhoog",
+ "ButtonLetterDown": "Letter omlaag",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Wordt nu afgespeeld",
+ "TabNavigation": "Navigatie",
+ "TabControls": "Besturing",
+ "ButtonFullscreen": "Schakelen tussen volledig scherm ",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Ondertitels",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Vorige track",
+ "ButtonNextTrack": "Volgende track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pauze",
+ "ButtonNext": "Volgende",
+ "ButtonPrevious": "Vorige",
+ "LabelGroupMoviesIntoCollections": "Groepeer films in verzamelingen",
+ "LabelGroupMoviesIntoCollectionsHelp": "Bij de weergave van film lijsten, zullen films die behoren tot een verzameling worden weergegeven als een gegroepeerd object.",
+ "NotificationOptionPluginError": "Plug-in fout",
+ "ButtonVolumeUp": "Volume omhoog",
+ "ButtonVolumeDown": "Volume omlaag",
+ "ButtonMute": "Dempen",
+ "HeaderLatestMedia": "Nieuw in bibliotheek",
+ "OptionSpecialFeatures": "Extra's",
+ "HeaderCollections": "Verzamelingen",
+ "LabelProfileCodecsHelp": "Gescheiden door een komma. Deze kan leeg gelaten worden om te laten gelden voor alle codecs.",
+ "LabelProfileContainersHelp": "Gescheiden door een komma. Deze kan leeg gelaten worden om te laten gelden voor alle containers.",
+ "HeaderResponseProfile": "Antwoord Profiel",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Rol:",
+ "LabelPersonRoleHelp": "Rol is alleen van toepassing op acteurs.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Afspelen Profiel",
+ "HeaderTranscodingProfile": "Direct Afspelen Profiel",
+ "HeaderCodecProfile": "Codec Profiel",
+ "HeaderCodecProfileHelp": "Codec profielen geven de beperkingen van een apparaat bij het afspelen van bepaalde codecs. Als een beperking geldt dan zal de media getranscodeerd worden, zelfs indien de codec is geconfigureerd voor direct afspelen.",
+ "HeaderContainerProfile": "Container Profiel",
+ "HeaderContainerProfileHelp": "Container profielen geven de beperkingen van een apparaat bij het afspelen van bepaalde formaten. Als een beperking geldt dan zal de media getranscodeerd worden, zelfs indien het formaat is geconfigureerd voor direct afspelen.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "Gebruikers Bibliotheek:",
+ "LabelUserLibraryHelp": "Selecteer welke gebruikers bibliotheek weergegeven moet worden op het apparaat. Laat leeg standaardinstelling te gebruiken.",
+ "OptionPlainStorageFolders": "Alle mappen weergeven als gewone opslagmappen",
+ "OptionPlainStorageFoldersHelp": "Wanneer ingeschakeld dan worden alle mappen in DIDL weergegeven als 'object.container.storageFolder' in plaats van een meer specifiek type, zoals 'object.container.person.musicArtist'.",
+ "OptionPlainVideoItems": "Alle video's weergeven als gewone video items",
+ "OptionPlainVideoItemsHelp": "Indien ingeschakeld dan worden alle video's in DIDL weergegeven als 'object.item.videoItem' in plaats van een meer specifiek type, zoals 'object.item.videoItem.movie'.",
+ "LabelSupportedMediaTypes": "Ondersteunde Media Types:",
+ "TabIdentification": "Identificatie",
+ "HeaderIdentification": "Identificatie",
+ "TabDirectPlay": "Direct Afspelen",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Reacties",
+ "HeaderProfileInformation": "Profiel Informatie",
+ "LabelEmbedAlbumArtDidl": "Insluiten van albumhoezen in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Sommige apparaten prefereren deze methode voor het verkrijgen van albumhoezen. Anderen kunnen falen om af te spelen met deze optie ingeschakeld.",
+ "LabelAlbumArtPN": "Albumhoes PN:",
+ "LabelAlbumArtHelp": "PN gebruikt voor albumhoes, binnen het kenmerk van de dlna:profileID op upnp:albumArtURI. Sommige Cli\u00ebnts eisen een specifieke waarde, ongeacht de grootte van de afbeelding",
+ "LabelAlbumArtMaxWidth": "Albumhoes max. breedte:",
+ "LabelAlbumArtMaxWidthHelp": "Max. resolutie van albumhoezen weergegeven via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Albumhoes max. hoogte:",
+ "LabelAlbumArtMaxHeightHelp": "Max. resolutie van albumhoezen weergegeven via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Pictogram max breedte:",
+ "LabelIconMaxWidthHelp": "Max. resolutie van pictogrammen weergegeven via upnp:icon.",
+ "LabelIconMaxHeight": "Pictogram max. hoogte:\n",
+ "LabelIconMaxHeightHelp": "Max. resolutie van pictogrammen weergegeven via upnp:icon.",
+ "LabelIdentificationFieldHelp": "Een niet-hoofdlettergevoelige subtekenreeks of regex expressie.",
+ "HeaderProfileServerSettingsHelp": "Deze waarden bepalen hoe Media Browser zichzelf zal presenteren aan het apparaat.",
+ "LabelMaxBitrate": "Max. bitrate:",
+ "LabelMaxBitrateHelp": "Geef een max. bitrate in bandbreedte beperkte omgevingen, of als het apparaat zijn eigen limiet heeft.",
+ "LabelMaxStreamingBitrate": "Maximale streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Geef een maximale bitrate voor streaming op.",
+ "LabelMaxStaticBitrate": "Maximale Synchronisatie bitrate:",
+ "LabelMaxStaticBitrateHelp": "Geef een maximale bitrate op voor synchroniseren in hoge kwaliteit.",
+ "LabelMusicStaticBitrate": "Muzieksynchronisatie bitrate:",
+ "LabelMusicStaticBitrateHelp": "Geef een maximum bitrate op voor het synchroniseren van muziek",
+ "LabelMusicStreamingTranscodingBitrate": "Muziek transcodering bitrate: ",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Geef een maximum bitrate op voor het streamen van muziek",
+ "OptionIgnoreTranscodeByteRangeRequests": "Transcodeer byte range-aanvragen negeren",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Indien ingeschakeld, zal deze verzoeken worden gehonoreerd, maar zal de byte bereik header worden genegerd.",
+ "LabelFriendlyName": "Aangepaste naam",
+ "LabelManufacturer": "Fabrikant",
+ "LabelManufacturerUrl": "Url Fabrikant",
+ "LabelModelName": "Modelnaam",
+ "LabelModelNumber": "Modelnummer",
+ "LabelModelDescription": "Model omschrijving",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serienummer",
+ "LabelDeviceDescription": "Apparaat omschrijving",
+ "HeaderIdentificationCriteriaHelp": "Voer ten minste \u00e9\u00e9n identificatiecriteria in.",
+ "HeaderDirectPlayProfileHelp": "Toevoegen direct afspelen profielen om aan te geven welke formaten het apparaat standaard aankan.",
+ "HeaderTranscodingProfileHelp": "Transcoding profielen toevoegen om aan te geven welke indelingen moeten worden gebruikt wanneer transcoding vereist is.",
+ "HeaderResponseProfileHelp": "Responsprofielen bieden een manier om informatie, verzonden naar het apparaat bij het afspelen van bepaalde soorten media aan te passen.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Bepaalt de inhoud van het X_DLNACAP element in de urn: schemas-dlna-org:device-1-0 namespace. \n",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Bepaalt de inhoud van het X_DLNADOC element in de urn: schemas-dlna-org:device-1-0 namespace. ",
+ "LabelSonyAggregationFlags": "Sony aggregatie vlaggen:",
+ "LabelSonyAggregationFlagsHelp": "Bepaalt de inhoud van het aggregationFlags element in de urn schemas-sonycom av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "M2ts-modus inschakelen",
+ "OptionEnableM2tsModeHelp": "m2ts-modus bij het encoderen naar mpegts inschakelen",
+ "OptionEstimateContentLength": "Lengte schatten van de inhoud bij het transcoderen",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Rapporteer dat de server byte zoeken tijdens transcoderen ondersteunt",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Dit is vereist voor bepaalde apparaten die zo goed op tijd zoeken.",
+ "HeaderSubtitleDownloadingHelp": "Bij het scannen van uw videobestanden kan Media Browser naar ontbrekende ondertiteling zoeken en deze downloaden bij ondertiteling providers zoals OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download ondertiteling voor:",
+ "MessageNoChapterProviders": "Installeer een hoofdstuk provider Plug-in zoals ChapterDb om extra hoofdstuk opties in te schakelen.",
+ "LabelSkipIfGraphicalSubsPresent": "Overslaan als de video al grafische ondertitels bevat",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Tekstversies houden van ondertitels zal resulteren in meer effici\u00ebnte levering aan mobiele clients.",
+ "TabSubtitles": "Ondertiteling",
+ "TabChapters": "Hoofdstukken",
+ "HeaderDownloadChaptersFor": "Download hoofdstuk namen voor:",
+ "LabelOpenSubtitlesUsername": "Gebruikersnaam Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "Wachtwoord Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "Wanneer Media Browser uw videobestanden scant kan het gebruiksvriendelijke namen voor hoofdstukken downloaden van het internet met behulp van hoofdstuk Plug-in zoals ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Speel standaard audio spoor ongeacht taal",
+ "LabelSubtitlePlaybackMode": "Ondertitelingsmode:",
+ "LabelDownloadLanguages": "Download talen:",
+ "ButtonRegister": "Aanmelden",
+ "LabelSkipIfAudioTrackPresent": "Overslaan als het standaard audio spoor overeenkomt met de taal van de download",
+ "LabelSkipIfAudioTrackPresentHelp": "Uitvinken om ervoor te zorgen dat alle video's ondertitels krijgen, ongeacht de gesproken taal.",
+ "HeaderSendMessage": "Stuur bericht",
+ "ButtonSend": "Stuur",
+ "LabelMessageText": "Bericht tekst:",
+ "MessageNoAvailablePlugins": "Geen beschikbare Plug-ins.",
+ "LabelDisplayPluginsFor": "Toon Plug-ins voor:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Naam aflevering",
+ "LabelSeriesNamePlain": "Naam serie",
+ "ValueSeriesNamePeriod": "Serie.Naam",
+ "ValueSeriesNameUnderscore": "Serie_naam",
+ "ValueEpisodeNamePeriod": "Aflevering.naam",
+ "ValueEpisodeNameUnderscore": "Aflevering_naam",
+ "LabelSeasonNumberPlain": "nummer seizoen",
+ "LabelEpisodeNumberPlain": "Nummer aflevering",
+ "LabelEndingEpisodeNumberPlain": "Laatste nummer aflevering",
+ "HeaderTypeText": "Voer tekst in",
+ "LabelTypeText": "Tekst",
+ "HeaderSearchForSubtitles": "Zoeken naar Ondertitels",
+ "MessageNoSubtitleSearchResultsFound": "Geen zoekresultaten gevonden.",
+ "TabDisplay": "Weergave",
+ "TabLanguages": "Talen",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Theme songs inschakelen",
+ "LabelEnableBackdrops": "Achtergronden inschakelen",
+ "LabelEnableThemeSongsHelp": "Indien ingeschakeld, zullen theme songs in de achtergrond worden afgespeeld tijdens het browsen door de bibliotheek.",
+ "LabelEnableBackdropsHelp": "Indien ingeschakeld, zullen achtergrondafbeeldingen in de achtergrond worden getoond van een aantal pagina's tijdens het browsen door de bibliotheek.",
+ "HeaderHomePage": "Startpagina",
+ "HeaderSettingsForThisDevice": "Instellingen voor dit apparaat",
+ "OptionAuto": "Auto",
+ "OptionYes": "Ja",
+ "OptionNo": "Nee",
+ "LabelHomePageSection1": "Startpagina sectie 1:",
+ "LabelHomePageSection2": "Startpagina sectie 2:",
+ "LabelHomePageSection3": "Startpagina sectie 3:",
+ "LabelHomePageSection4": "Startpagina sectie 4:",
+ "OptionMyViewsButtons": "Mijn overzichten (knoppen)",
+ "OptionMyViews": "Mijn overzichten",
+ "OptionMyViewsSmall": "Mijn overzichten (klein)",
+ "OptionResumablemedia": "Hervatten",
+ "OptionLatestMedia": "Nieuwste media",
+ "OptionLatestChannelMedia": "Nieuwste kanaal items",
+ "HeaderLatestChannelItems": "Nieuwste kanaal items",
+ "OptionNone": "Geen",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Rapporten",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Voorkeuren",
+ "MessageLoadingChannels": "Laden kanaal inhoud ...",
+ "MessageLoadingContent": "Inhoud wordt geladen ...",
+ "ButtonMarkRead": "Markeren als gelezen",
+ "OptionDefaultSort": "Standaard",
+ "OptionCommunityMostWatchedSort": "Meest bekeken",
+ "TabNextUp": "Volgend",
+ "MessageNoMovieSuggestionsAvailable": "Er zijn momenteel geen film suggesties beschikbaar. Begin met het bekijken en waardeer uw films, kom daarna terug om uw aanbevelingen te bekijken.",
+ "MessageNoCollectionsAvailable": "Met Verzamelingen kunt u genieten van gepersonaliseerde groeperingen van films, series, Albums, Boeken en games. Klik op de knop Nieuw om te beginnen met het maken van verzamelingen.",
+ "MessageNoPlaylistsAvailable": "Met afspeellijsten kan je een lijst maken waarvan de items achter elkaar afgespeeld worden. Om een item toe te voegen klik je met rechts of tik en hou je het vast om het te selecteren, klik vervolgens op Toevoegen aan afspeellijst.",
+ "MessageNoPlaylistItemsAvailable": "De afspeellijst is momenteel leeg.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welkom op de Media Browser Web Client",
+ "ButtonDismiss": "Afwijzen",
+ "ButtonTakeTheTour": "Neem de tour",
+ "ButtonEditOtherUserPreferences": "Wijzig het gebruikersprofiel, wachtwoord en persoonlijke voorkeuren voor deze gebruiker.",
+ "LabelChannelStreamQuality": "Voorkeurs kwaliteit internet stream:",
+ "LabelChannelStreamQualityHelp": "Bij weinig beschikbare bandbreedte kan het verminderen van de kwaliteit betere streams opleveren.",
+ "OptionBestAvailableStreamQuality": "Best beschikbaar",
+ "LabelEnableChannelContentDownloadingFor": "Schakel kanaalinhoud downloaden in voor:",
+ "LabelEnableChannelContentDownloadingForHelp": "Sommige kanalen ondersteunen downloaden en later kijken. Schakel deze optie in als er weinig bandbreedte beschikbaar is. Inhoud zal dan tijdens de kanaal download taak uitgevoerd worden.",
+ "LabelChannelDownloadPath": "Kanaal inhoud download pad:",
+ "LabelChannelDownloadPathHelp": "Geef een eigen download pad op als dit gewenst is, leeglaten voor dowloaden naar de interne programa data map.",
+ "LabelChannelDownloadAge": "Verwijder inhoud na: (dagen)",
+ "LabelChannelDownloadAgeHelp": "Gedownloade inhoud die ouder is zal worden verwijderd. Afspelen via internet streaming blijft mogelijk.",
+ "ChannelSettingsFormHelp": "Installeer kanalen zoals Trailers en Vimeo in de Plug-in catalogus.",
+ "LabelSelectCollection": "Selecteer verzameling:",
+ "ButtonOptions": "Opties",
+ "ViewTypeMovies": "Films",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Muziek",
+ "ViewTypeBoxSets": "Verzamelingen",
+ "ViewTypeChannels": "Kanalen",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Nu uitgezonden",
+ "ViewTypeLatestGames": "Nieuwste games",
+ "ViewTypeRecentlyPlayedGames": "Recent gespeelt",
+ "ViewTypeGameFavorites": "Favorieten",
+ "ViewTypeGameSystems": "Gam systemen",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Hervatten",
+ "ViewTypeTvNextUp": "Volgende",
+ "ViewTypeTvLatest": "Nieuwste",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favoriete Series",
+ "ViewTypeTvFavoriteEpisodes": "Favoriete Afleveringen",
+ "ViewTypeMovieResume": "Hervatten",
+ "ViewTypeMovieLatest": "Nieuwste",
+ "ViewTypeMovieMovies": "Films",
+ "ViewTypeMovieCollections": "Verzamelingen",
+ "ViewTypeMovieFavorites": "Favorieten",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Nieuwste"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/pl.json b/MediaBrowser.Server.Implementations/Localization/Server/pl.json
index 901d43d3da..f9864dd747 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/pl.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/pl.json
@@ -1,595 +1,4 @@
{
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "What's On",
- "HeaderUpcomingTV": "Upcoming TV",
- "TabStatus": "Status",
- "TabSettings": "Settings",
- "ButtonRefreshGuideData": "Refresh Guide Data",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Priority",
- "OptionRecordOnAllChannels": "Record program on all channels",
- "OptionRecordAnytime": "Record program at any time",
- "OptionRecordOnlyNewEpisodes": "Record only new episodes",
- "HeaderDays": "Days",
- "HeaderActiveRecordings": "Active Recordings",
- "HeaderLatestRecordings": "Latest Recordings",
- "HeaderAllRecordings": "All Recordings",
- "ButtonPlay": "Play",
- "ButtonEdit": "Edit",
- "ButtonRecord": "Record",
- "ButtonDelete": "Delete",
- "ButtonRemove": "Remove",
- "OptionRecordSeries": "Record Series",
- "HeaderDetails": "Details",
- "TitleLiveTV": "Live TV",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "Disc",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Back",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Add",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Day:",
- "LabelTime": "Time:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "Any",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "From",
- "HeaderTo": "To",
- "LabelFrom": "From:",
- "LabelFromHelp": "Example: D:\\Movies (on the server)",
- "LabelTo": "To:",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Higher quality",
- "OptionMaxQualityTranscoding": "Max quality",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "Custom Profiles",
- "HeaderSystemDlnaProfiles": "System Profiles",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "Search",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Services",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Server log files:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
"LabelLoginDisclaimer": "Login disclaimer:",
"LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
"LabelAutomaticallyDonate": "Automatically donate this amount every month",
@@ -941,6 +350,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Wyj\u015b\u0107",
"LabelVisitCommunity": "Odwied\u017a spo\u0142eczno\u015b\u0107",
"LabelGithubWiki": "Wiki Github",
@@ -1249,5 +662,596 @@
"TabFavorites": "Favorites",
"TabMyLibrary": "My Library",
"ButtonCancelRecording": "Cancel Recording",
- "HeaderPrePostPadding": "Pre\/Post Padding"
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "What's On",
+ "HeaderUpcomingTV": "Upcoming TV",
+ "TabStatus": "Status",
+ "TabSettings": "Settings",
+ "ButtonRefreshGuideData": "Refresh Guide Data",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Priority",
+ "OptionRecordOnAllChannels": "Record program on all channels",
+ "OptionRecordAnytime": "Record program at any time",
+ "OptionRecordOnlyNewEpisodes": "Record only new episodes",
+ "HeaderDays": "Days",
+ "HeaderActiveRecordings": "Active Recordings",
+ "HeaderLatestRecordings": "Latest Recordings",
+ "HeaderAllRecordings": "All Recordings",
+ "ButtonPlay": "Play",
+ "ButtonEdit": "Edit",
+ "ButtonRecord": "Record",
+ "ButtonDelete": "Delete",
+ "ButtonRemove": "Remove",
+ "OptionRecordSeries": "Record Series",
+ "HeaderDetails": "Details",
+ "TitleLiveTV": "Live TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "Disc",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Back",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Add",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Day:",
+ "LabelTime": "Time:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "Any",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "From",
+ "HeaderTo": "To",
+ "LabelFrom": "From:",
+ "LabelFromHelp": "Example: D:\\Movies (on the server)",
+ "LabelTo": "To:",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Higher quality",
+ "OptionMaxQualityTranscoding": "Max quality",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "Custom Profiles",
+ "HeaderSystemDlnaProfiles": "System Profiles",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "Search",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization."
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/pt_BR.json b/MediaBrowser.Server.Implementations/Localization/Server/pt_BR.json
index a82fcdd085..bb440b0eb8 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/pt_BR.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/pt_BR.json
@@ -1,595 +1,4 @@
{
- "OptionPostPaddingRequired": "\u00c9 necess\u00e1rio post-padding para poder gravar.",
- "HeaderWhatsOnTV": "No ar",
- "HeaderUpcomingTV": "Breve na TV",
- "TabStatus": "Status",
- "TabSettings": "Ajustes",
- "ButtonRefreshGuideData": "Atualizar Dados do Guia",
- "ButtonRefresh": "Atualizar",
- "ButtonAdvancedRefresh": "Atualiza\u00e7\u00e3o Avan\u00e7ada",
- "OptionPriority": "Prioridade",
- "OptionRecordOnAllChannels": "Gravar programa em todos os canais",
- "OptionRecordAnytime": "Gravar programa a qualquer hora",
- "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios",
- "HeaderDays": "Dias",
- "HeaderActiveRecordings": "Grava\u00e7\u00f5es Ativas",
- "HeaderLatestRecordings": "Grava\u00e7\u00f5es Recentes",
- "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es",
- "ButtonPlay": "Reproduzir",
- "ButtonEdit": "Editar",
- "ButtonRecord": "Gravar",
- "ButtonDelete": "Apagar",
- "ButtonRemove": "Remover",
- "OptionRecordSeries": "Gravar S\u00e9ries",
- "HeaderDetails": "Detalhes",
- "TitleLiveTV": "TV ao Vivo",
- "LabelNumberOfGuideDays": "N\u00famero de dias de dados do guia para download:",
- "LabelNumberOfGuideDaysHelp": "Fazer download de mais dias de dados do guia permite agendar com mais anteced\u00eancia e ver mais itens, mas tamb\u00e9m levar\u00e1 mais tempo para o download. Auto escolher\u00e1 com base no n\u00famero de canais.",
- "LabelActiveService": "Servi\u00e7o Ativo:",
- "LabelActiveServiceHelp": "V\u00e1rios plugins de tv podem ser instalados, mas apenas um pode estar ativo de cada vez.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "Um provedor de servi\u00e7o de TV ao Vivo \u00e9 necess\u00e1rio para continuar.",
- "LiveTvPluginRequiredHelp": "Por favor, instale um de nossos plugins dispon\u00edveis como, por exemplo, Next Pvr ou ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Personalizar para o tipo de m\u00eddia:",
- "OptionDownloadThumbImage": "\u00cdcone",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Caixa",
- "OptionDownloadDiscImage": "Disco",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Traseira",
- "OptionDownloadArtImage": "Arte",
- "OptionDownloadPrimaryImage": "Prim\u00e1ria",
- "HeaderFetchImages": "Buscar Imagens:",
- "HeaderImageSettings": "Ajustes da Imagem",
- "TabOther": "Outros",
- "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de imagens de fundo por item:",
- "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de imagens de tela por item:",
- "LabelMinBackdropDownloadWidth": "Tamanho m\u00ednimo da imagem de fundo para download:",
- "LabelMinScreenshotDownloadWidth": "Tamanho m\u00ednimo da imagem de tela para download:",
- "ButtonAddScheduledTaskTrigger": "Adicionar Disparador da Tarefa",
- "HeaderAddScheduledTaskTrigger": "Adicionar Disparador da Tarefa",
- "ButtonAdd": "Adicionar",
- "LabelTriggerType": "Tipo de Disparador:",
- "OptionDaily": "Di\u00e1rio",
- "OptionWeekly": "Semanal",
- "OptionOnInterval": "Em um intervalo",
- "OptionOnAppStartup": "Ao iniciar a aplica\u00e7\u00e3o",
- "OptionAfterSystemEvent": "Depois de um evento do sistema",
- "LabelDay": "Dia:",
- "LabelTime": "Hora:",
- "LabelEvent": "Evento:",
- "OptionWakeFromSleep": "Despertar da hiberna\u00e7\u00e3o",
- "LabelEveryXMinutes": "Todo(a):",
- "HeaderTvTuners": "Sintonizador",
- "HeaderGallery": "Galeria",
- "HeaderLatestGames": "Jogos Recentes",
- "HeaderRecentlyPlayedGames": "Jogos Jogados Recentemente",
- "TabGameSystems": "Sistemas de Jogo",
- "TitleMediaLibrary": "Biblioteca de M\u00eddia",
- "TabFolders": "Pastas",
- "TabPathSubstitution": "Substitui\u00e7\u00e3o de Caminho",
- "LabelSeasonZeroDisplayName": "Nome de exibi\u00e7\u00e3o da temporada 0:",
- "LabelEnableRealtimeMonitor": "Ativar monitoramento em tempo real",
- "LabelEnableRealtimeMonitorHelp": "As altera\u00e7\u00f5es ser\u00e3o processadas imediatamente em sistemas de arquivos suportados.",
- "ButtonScanLibrary": "Rastrear Biblioteca",
- "HeaderNumberOfPlayers": "Reprodutores:",
- "OptionAnyNumberOfPlayers": "Qualquer",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Pastas de M\u00eddia",
- "HeaderThemeVideos": "V\u00eddeos-Tema",
- "HeaderThemeSongs": "M\u00fasicas-Tema",
- "HeaderScenes": "Cenas",
- "HeaderAwardsAndReviews": "Pr\u00eamios e Cr\u00edticas",
- "HeaderSoundtracks": "Trilhas Sonoras",
- "HeaderMusicVideos": "V\u00eddeos Musicais",
- "HeaderSpecialFeatures": "Funcionalidades Especiais",
- "HeaderCastCrew": "Elenco & Equipe",
- "HeaderAdditionalParts": "Partes Adicionais",
- "ButtonSplitVersionsApart": "Separar Vers\u00f5es",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Faltando",
- "LabelOffline": "Desconectado",
- "PathSubstitutionHelp": "Substitui\u00e7\u00f5es de caminho s\u00e3o usadas para mapear um caminho no servidor que possa ser acessado pelos clientes. Ao permitir o acesso dos clientes \u00e0 m\u00eddia no servidor, eles podem reproduzir diretamente atrav\u00e9s da rede e evitar o uso de recursos do servidor para fazer stream ou transcodifica\u00e7\u00e3o.",
- "HeaderFrom": "De",
- "HeaderTo": "Para",
- "LabelFrom": "De:",
- "LabelFromHelp": "Exemplo: D:\\Filmes (no servidor)",
- "LabelTo": "Para:",
- "LabelToHelp": "Exemplo: \\\\MeuServidor\\Filmes (um caminho que os clientes possam acessar)",
- "ButtonAddPathSubstitution": "Adicionar Substitui\u00e7\u00e3o",
- "OptionSpecialEpisode": "Especiais",
- "OptionMissingEpisode": "Epis\u00f3dios Faltantes",
- "OptionUnairedEpisode": "Epis\u00f3dios Por Estrear",
- "OptionEpisodeSortName": "Nome de Ordena\u00e7\u00e3o do Epis\u00f3dio",
- "OptionSeriesSortName": "Nome da S\u00e9rie",
- "OptionTvdbRating": "Avalia\u00e7\u00e3o Tvdb",
- "HeaderTranscodingQualityPreference": "Prefer\u00eancia de Qualidade de Transcodifica\u00e7\u00e3o:",
- "OptionAutomaticTranscodingHelp": "O servidor decidir\u00e1 a qualidade e a velocidade",
- "OptionHighSpeedTranscodingHelp": "Qualidade pior, mas codifica\u00e7\u00e3o mais r\u00e1pida",
- "OptionHighQualityTranscodingHelp": "Qualidade melhor, mas codifica\u00e7\u00e3o mais lenta",
- "OptionMaxQualityTranscodingHelp": "A melhor qualidade com codifica\u00e7\u00e3o mais lenta e alto uso de CPU",
- "OptionHighSpeedTranscoding": "Velocidade mais alta",
- "OptionHighQualityTranscoding": "Qualidade melhor",
- "OptionMaxQualityTranscoding": "Max qualidade",
- "OptionEnableDebugTranscodingLogging": "Ativar log de depura\u00e7\u00e3o de transcodifica\u00e7\u00e3o",
- "OptionEnableDebugTranscodingLoggingHelp": "Isto criar\u00e1 arquivos de log muito grandes e s\u00f3 \u00e9 recomendado para identificar problemas.",
- "OptionUpscaling": "Permitir aos clientes solicitar o aumento da resolu\u00e7\u00e3o do v\u00eddeo",
- "OptionUpscalingHelp": "Em alguns casos, isto resultar\u00e1 em melhor qualidade de v\u00eddeo mas aumentar\u00e1 o uso de CPU.",
- "EditCollectionItemsHelp": "Adicione ou remova qualquer filme, s\u00e9rie, \u00e1lbum, livro ou jogo que desejar agrupar dentro desta cole\u00e7\u00e3o.",
- "HeaderAddTitles": "Adicionar T\u00edtulos",
- "LabelEnableDlnaPlayTo": "Ativar Reproduzir Em usando DLNA",
- "LabelEnableDlnaPlayToHelp": "O Media Browser pode detectar dispositivos dentro de sua rede e possibilitar o controle remoto deles.",
- "LabelEnableDlnaDebugLogging": "Ativar o log de depura\u00e7\u00e3o de DLNA",
- "LabelEnableDlnaDebugLoggingHelp": "Isto criar\u00e1 arquivos de log grandes e s\u00f3 dever\u00e1 ser usado para resolver um problema.",
- "LabelEnableDlnaClientDiscoveryInterval": "Intervalo para descoberta do cliente (segundos)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos do intervalo entre as buscas SSDP feitas pelo Media Browser.",
- "HeaderCustomDlnaProfiles": "Personalizar Perfis",
- "HeaderSystemDlnaProfiles": "Perfis do Sistema",
- "CustomDlnaProfilesHelp": "Criar um perfil personalizado para um determinado novo dispositivo ou sobrescrever um perfil do sistema.",
- "SystemDlnaProfilesHelp": "Os perfis do sistema s\u00e3o somente-leitura. As altera\u00e7\u00f5es feitas no perfil do sistema ser\u00e3o salvas em um novo perfil personalizado.",
- "TitleDashboard": "Painel",
- "TabHome": "In\u00edcio",
- "TabInfo": "Info",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "Caminhos do Sistema",
- "LinkCommunity": "Comunidade",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Documenta\u00e7\u00e3o da Api",
- "LabelFriendlyServerName": "Nome amig\u00e1vel do servidor:",
- "LabelFriendlyServerNameHelp": "Este nome ser\u00e1 usado para identificar este servidor. Se deixado em branco, ser\u00e1 usado o nome do computador.",
- "LabelPreferredDisplayLanguage": "Idioma preferido para exibi\u00e7\u00e3o",
- "LabelPreferredDisplayLanguageHelp": "A tradu\u00e7\u00e3o do Media Browser \u00e9 um projeto cont\u00ednuo e ainda n\u00e3o finalizado.",
- "LabelReadHowYouCanContribute": "Leia sobre como voc\u00ea pode contribuir.",
- "HeaderNewCollection": "Nova Cole\u00e7\u00e3o",
- "HeaderAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o",
- "ButtonSubmit": "Enviar",
- "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Star Wars",
- "OptionSearchForInternetMetadata": "Buscar artwork e metadados na internet",
- "ButtonCreate": "Criar",
- "LabelLocalHttpServerPortNumber": "N\u00famero da porta local:",
- "LabelLocalHttpServerPortNumberHelp": "O n\u00famero da porta tcp que o servidor http do Media Browser utilizar\u00e1.",
- "LabelPublicPort": "N\u00famero da porta p\u00fablica:",
- "LabelPublicPortHelp": "O n\u00famero da porta p\u00fablica que deve ser mapeado para a porta local.",
- "LabelWebSocketPortNumber": "N\u00famero da porta do web socket:",
- "LabelEnableAutomaticPortMap": "Habilitar mapeamento autom\u00e1tico de portas",
- "LabelEnableAutomaticPortMapHelp": "Tentativa de mapear automaticamente a porta p\u00fablica para a local atrav\u00e9s de uPnP. Isto poder\u00e1 n\u00e3o funcionar em alguns modelos de roteadores.",
- "LabelExternalDDNS": "DDNS Externo:",
- "LabelExternalDDNSHelp": "Se voc\u00ea tem um DNS din\u00e2mico digite aqui. O Media Browser o usar\u00e1 quando conectar remotamente.",
- "TabResume": "Retomar",
- "TabWeather": "Tempo",
- "TitleAppSettings": "Configura\u00e7\u00f5es da App",
- "LabelMinResumePercentage": "Porcentagem m\u00ednima para retomar:",
- "LabelMaxResumePercentage": "Porcentagem m\u00e1xima para retomar:",
- "LabelMinResumeDuration": "Dura\u00e7\u00e3o m\u00ednima para retomar (segundos):",
- "LabelMinResumePercentageHelp": "T\u00edtulos s\u00e3o considerados como n\u00e3o assistidos se parados antes deste tempo",
- "LabelMaxResumePercentageHelp": "T\u00edtulos s\u00e3o considerados totalmente assistidos se parados depois deste tempo",
- "LabelMinResumeDurationHelp": "T\u00edtulos mais curtos que isto n\u00e3o poder\u00e3o ser retomados",
- "TitleAutoOrganize": "Auto-Organizar",
- "TabActivityLog": "Log de Atividades",
- "HeaderName": "Nome",
- "HeaderDate": "Data",
- "HeaderSource": "Fonte",
- "HeaderDestination": "Destino",
- "HeaderProgram": "Programa",
- "HeaderClients": "Clientes",
- "LabelCompleted": "Completa",
- "LabelFailed": "Falhou",
- "LabelSkipped": "Ignorada",
- "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o do Epis\u00f3dio",
- "LabelSeries": "S\u00e9rie:",
- "LabelSeasonNumber": "N\u00famero da temporada:",
- "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:",
- "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:",
- "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios",
- "HeaderSupportTheTeam": "Apoie a Equipe do Media Browser",
- "LabelSupportAmount": "Valor (USD)",
- "HeaderSupportTheTeamHelp": "Ajude a assegurar a continuidade do desenvolvimento deste projeto atrav\u00e9s de doa\u00e7\u00e3o. Uma parte de todas as doa\u00e7\u00f5es ser\u00e1 dividida por outras ferramentas gr\u00e1tis de quais dependemos.",
- "ButtonEnterSupporterKey": "Digite a chave de colaborador",
- "DonationNextStep": "Depois de terminar, por favor volte e digite a chave de colaborador que recebeu por email.",
- "AutoOrganizeHelp": "Auto-organizar monitora suas pastas de download em busca de novos arquivos e os move para seus diret\u00f3rios de m\u00eddia.",
- "AutoOrganizeTvHelp": "A organiza\u00e7\u00e3o de arquivos de TV s\u00f3 adicionar\u00e1 arquivos \u00e0s s\u00e9ries existentes. Ela n\u00e3o criar\u00e1 novas pastas de s\u00e9ries.",
- "OptionEnableEpisodeOrganization": "Ativar a organiza\u00e7\u00e3o de novos epis\u00f3dios",
- "LabelWatchFolder": "Pasta de Monitora\u00e7\u00e3o:",
- "LabelWatchFolderHelp": "O servidor ir\u00e1 pesquisar esta pasta durante a tarefa agendada 'Organizar novos arquivos de m\u00eddia'.",
- "ButtonViewScheduledTasks": "Visualizar tarefas agendadas",
- "LabelMinFileSizeForOrganize": "Tamanho m\u00ednimo de arquivo (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Arquivos menores que este tamanho ser\u00e3o ignorados.",
- "LabelSeasonFolderPattern": "Padr\u00e3o da pasta de temporada:",
- "LabelSeasonZeroFolderName": "Nome da pasta da temporada zero:",
- "HeaderEpisodeFilePattern": "Padr\u00e3o do arquivo de epis\u00f3dio",
- "LabelEpisodePattern": "Padr\u00e3o do epis\u00f3dio:",
- "LabelMultiEpisodePattern": "Padr\u00e3o de multi-epis\u00f3dios:",
- "HeaderSupportedPatterns": "Padr\u00f5es Suportados",
- "HeaderTerm": "Termo",
- "HeaderPattern": "Padr\u00e3o",
- "HeaderResult": "Resultado",
- "LabelDeleteEmptyFolders": "Apagar pastas vazias depois da organiza\u00e7\u00e3o",
- "LabelDeleteEmptyFoldersHelp": "Ativar esta op\u00e7\u00e3o para manter o diret\u00f3rio de download limpo.",
- "LabelDeleteLeftOverFiles": "Apagar os arquivos deixados com as seguintes extens\u00f5es:",
- "LabelDeleteLeftOverFilesHelp": "Separar com ;. Por exemplo: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Sobrescrever epis\u00f3dios existentes",
- "LabelTransferMethod": "M\u00e9todo de transfer\u00eancia",
- "OptionCopy": "Copiar",
- "OptionMove": "Mover",
- "LabelTransferMethodHelp": "Copiar ou mover arquivos da pasta de monitora\u00e7\u00e3o",
- "HeaderLatestNews": "Not\u00edcias Recentes",
- "HeaderHelpImproveMediaBrowser": "Ajude a Melhorar o Media Browser",
- "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o",
- "HeaderActiveDevices": "Dispositivos Ativos",
- "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes",
- "HeaerServerInformation": "Informa\u00e7\u00f5es do Servidor",
- "ButtonRestartNow": "Reiniciar Agora",
- "ButtonRestart": "Reiniciar",
- "ButtonShutdown": "Desligar",
- "ButtonUpdateNow": "Atualizar Agora",
- "PleaseUpdateManually": "Por favor, desligue o servidor e atualize-o manualmente.",
- "NewServerVersionAvailable": "Uma nova vers\u00e3o do Servidor Media Browser est\u00e1 dispon\u00edvel!",
- "ServerUpToDate": "O Servidor Media Browser est\u00e1 atualizado",
- "ErrorConnectingToMediaBrowserRepository": "Ocorreu um erro ao conectar com o reposit\u00f3rio remoto do Media Browser",
- "LabelComponentsUpdated": "Os seguintes componentes foram instalados ou atualizados:",
- "MessagePleaseRestartServerToFinishUpdating": "Por favor, reinicie o servidor para terminar de aplicar as atualiza\u00e7\u00f5es.",
- "LabelDownMixAudioScale": "Aumento do \u00e1udio ao executar downmix:",
- "LabelDownMixAudioScaleHelp": "Aumentar o \u00e1udio quando executar downmix. Defina como 1 para preservar o volume original.",
- "ButtonLinkKeys": "Transferir Chave",
- "LabelOldSupporterKey": "Chave antiga de colaborador",
- "LabelNewSupporterKey": "Chave nova de colaborador",
- "HeaderMultipleKeyLinking": "Transferir para Nova Chave",
- "MultipleKeyLinkingHelp": "Se voc\u00ea possui uma nova chave de colaborador, use este formul\u00e1rio para transferir os registros das chaves antigas para as novas.",
- "LabelCurrentEmailAddress": "Endere\u00e7o de email atual",
- "LabelCurrentEmailAddressHelp": "O endere\u00e7o de email atual para o qual suas novas chaves ser\u00e3o enviadas.",
- "HeaderForgotKey": "Esqueci a Chave",
- "LabelEmailAddress": "Endere\u00e7o de email",
- "LabelSupporterEmailAddress": "O endere\u00e7o de email que foi usado para comprar a chave.",
- "ButtonRetrieveKey": "Recuperar Chave",
- "LabelSupporterKey": "Chave de Colaborador (cole do email)",
- "LabelSupporterKeyHelp": "Digite sua chave de colaborador para aproveitar os benef\u00edcios adicionais que a comunidade desenvolveu para o Media Browser.",
- "MessageInvalidKey": "Chave do colaborador ausente ou inv\u00e1lida.",
- "ErrorMessageInvalidKey": "Para registrar conte\u00fado premium, voc\u00ea deve ser um colaborador do Media Browser. Por favor, fa\u00e7a uma doa\u00e7\u00e3o e colabore com o desenvolvimento cont\u00ednuo do produto. Obrigado.",
- "HeaderDisplaySettings": "Ajustes de Exibi\u00e7\u00e3o",
- "TabPlayTo": "Reproduzir Em",
- "LabelEnableDlnaServer": "Ativar servidor Dlna",
- "LabelEnableDlnaServerHelp": "Permite aos dispositivos UPnP em sua rede navegar e reproduzir conte\u00fado do Media Browser.",
- "LabelEnableBlastAliveMessages": "Enviar mensagens de explora\u00e7\u00e3o",
- "LabelEnableBlastAliveMessagesHelp": "Ative esta fun\u00e7\u00e3o se o servidor n\u00e3o for detectado por outros dispositivos UPnP em sua rede.",
- "LabelBlastMessageInterval": "Intervalo das mensagens de explora\u00e7\u00e3o (segundos)",
- "LabelBlastMessageIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as mensagens de explora\u00e7\u00e3o enviadas pelo servidor.",
- "LabelDefaultUser": "Usu\u00e1rio padr\u00e3o:",
- "LabelDefaultUserHelp": "Determina qual usu\u00e1rio ser\u00e1 exibido nos dispositivos conectados. Isto pode ser ignorado para cada dispositivo usando perfis.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Canais",
- "HeaderServerSettings": "Ajustes do Servidor",
- "LabelWeatherDisplayLocation": "Local da exibi\u00e7\u00e3o do tempo:",
- "LabelWeatherDisplayLocationHelp": "CEP dos EUA \/ Cidade, Estado, Pa\u00eds \/ Cidade, Pa\u00eds",
- "LabelWeatherDisplayUnit": "Unidade de exibi\u00e7\u00e3o do Tempo:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Necessita a digita\u00e7\u00e3o manual de um nome para:",
- "HeaderRequireManualLoginHelp": "Quando desativados, os clientes podem mostrar a tela de login com uma sele\u00e7\u00e3o visual de usu\u00e1rios.",
- "OptionOtherApps": "Outras apps",
- "OptionMobileApps": "Apps m\u00f3veis",
- "HeaderNotificationList": "Clique em uma notifica\u00e7\u00e3o para configurar suas op\u00e7\u00f5es de envio.",
- "NotificationOptionApplicationUpdateAvailable": "Atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o disponivel",
- "NotificationOptionApplicationUpdateInstalled": "Atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o instalada",
- "NotificationOptionPluginUpdateInstalled": "Atualiza\u00e7\u00e3o do plugin instalada",
- "NotificationOptionPluginInstalled": "Plugin instalado",
- "NotificationOptionPluginUninstalled": "Plugin desinstalado",
- "NotificationOptionVideoPlayback": "Reprodu\u00e7\u00e3o de v\u00eddeo iniciada",
- "NotificationOptionAudioPlayback": "Reprodu\u00e7\u00e3o de \u00e1udio iniciada",
- "NotificationOptionGamePlayback": "Reprodu\u00e7\u00e3o de jogo iniciada",
- "NotificationOptionVideoPlaybackStopped": "Reprodu\u00e7\u00e3o de v\u00eddeo parada",
- "NotificationOptionAudioPlaybackStopped": "Reprodu\u00e7\u00e3o de \u00e1udio parada",
- "NotificationOptionGamePlaybackStopped": "Reprodu\u00e7\u00e3o de jogo parada",
- "NotificationOptionTaskFailed": "Falha na tarefa agendada",
- "NotificationOptionInstallationFailed": "Falha na instala\u00e7\u00e3o",
- "NotificationOptionNewLibraryContent": "Novo conte\u00fado adicionado",
- "NotificationOptionNewLibraryContentMultiple": "Novo conte\u00fado adicionado (m\u00faltiplo)",
- "SendNotificationHelp": "Por padr\u00e3o, notifica\u00e7\u00f5es s\u00e3o entregues \u00e0 caixa de entrada do painel. Navegue pelo cat\u00e1logo de plugins para instalar op\u00e7\u00f5es adicionais de notifica\u00e7\u00f5es.",
- "NotificationOptionServerRestartRequired": "Necessidade de reiniciar servidor",
- "LabelNotificationEnabled": "Ativar esta notifica\u00e7\u00e3o",
- "LabelMonitorUsers": "Monitorar atividade de:",
- "LabelSendNotificationToUsers": "Enviar notifica\u00e7\u00e3o para:",
- "LabelUseNotificationServices": "Usar os seguintes servi\u00e7os:",
- "CategoryUser": "Usu\u00e1rio",
- "CategorySystem": "Sistema",
- "CategoryApplication": "Aplica\u00e7\u00e3o",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "T\u00edtulo da mensagem:",
- "LabelAvailableTokens": "Tokens dispon\u00edveis:",
- "AdditionalNotificationServices": "Navegue pelo cat\u00e1logo do plugin para instalar servi\u00e7os adicionais de notifica\u00e7\u00e3o.",
- "OptionAllUsers": "Todos os usu\u00e1rios",
- "OptionAdminUsers": "Administradores",
- "OptionCustomUsers": "Personalizado",
- "ButtonArrowUp": "Para cima",
- "ButtonArrowDown": "Para baixo",
- "ButtonArrowLeft": "Esquerda",
- "ButtonArrowRight": "Direita",
- "ButtonBack": "Voltar",
- "ButtonInfo": "Info",
- "ButtonOsd": "Exibi\u00e7\u00e3o na tela",
- "ButtonPageUp": "Subir P\u00e1gina",
- "ButtonPageDown": "Descer P\u00e1gina",
- "PageAbbreviation": "PG",
- "ButtonHome": "In\u00edcio",
- "ButtonSearch": "Busca",
- "ButtonSettings": "Ajustes",
- "ButtonTakeScreenshot": "Capturar Tela",
- "ButtonLetterUp": "Letra Acima",
- "ButtonLetterDown": "Letra Abaixo",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Reproduzindo Agora",
- "TabNavigation": "Navega\u00e7\u00e3o",
- "TabControls": "Controles",
- "ButtonFullscreen": "Alternar para tela cheia",
- "ButtonScenes": "Cenas",
- "ButtonSubtitles": "Legendas",
- "ButtonAudioTracks": "Faixas de \u00e1udio",
- "ButtonPreviousTrack": "Faixa anterior",
- "ButtonNextTrack": "Faixa seguinte",
- "ButtonStop": "Parar",
- "ButtonPause": "Pausar",
- "ButtonNext": "Pr\u00f3xima",
- "ButtonPrevious": "Anterior",
- "LabelGroupMoviesIntoCollections": "Agrupar filmes nas cole\u00e7\u00f5es",
- "LabelGroupMoviesIntoCollectionsHelp": "Ao exibir listas de filmes, filmes que perten\u00e7am a uma cole\u00e7\u00e3o ser\u00e3o exibidos como um \u00fanico item agrupado.",
- "NotificationOptionPluginError": "Falha no plugin",
- "ButtonVolumeUp": "Aumentar volume",
- "ButtonVolumeDown": "Diminuir volume",
- "ButtonMute": "Mudo",
- "HeaderLatestMedia": "M\u00eddias Recentes",
- "OptionSpecialFeatures": "Funcionalidades Especiais",
- "HeaderCollections": "Cole\u00e7\u00f5es",
- "LabelProfileCodecsHelp": "Separados por v\u00edrgula. Pode ser deixado em branco para usar com todos os codecs.",
- "LabelProfileContainersHelp": "Separados por v\u00edrgula. Pode ser deixado em branco para usar com todos os containers.",
- "HeaderResponseProfile": "Perfil de Resposta",
- "LabelType": "Tipo:",
- "LabelPersonRole": "Personagem:",
- "LabelPersonRoleHelp": "O personagem geralmente s\u00f3 aplica para atores.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Codecs de v\u00eddeo:",
- "LabelProfileAudioCodecs": "Codecs de \u00e1udio:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Perfil da Reprodu\u00e7\u00e3o Direta",
- "HeaderTranscodingProfile": "Perfil da Transcodifica\u00e7\u00e3o",
- "HeaderCodecProfile": "Perfil do Codec",
- "HeaderCodecProfileHelp": "Perfis do Codec indicam as limita\u00e7\u00f5es de um dispositivo ao reproduzir codecs espec\u00edficos. Se uma limita\u00e7\u00e3o ocorre, a m\u00eddia ser\u00e1 transcodificada, mesmo se o codec estiver configurado para reprodu\u00e7\u00e3o direta.",
- "HeaderContainerProfile": "Perfil do Container",
- "HeaderContainerProfileHelp": "Perfis do Container indicam as limita\u00e7\u00f5es de um dispositivo ao reproduzir formatos espec\u00edficos. Se uma limita\u00e7\u00e3o ocorre, a m\u00eddia ser\u00e1 transcodificada, mesmo se o formato estiver configurado para reprodu\u00e7\u00e3o direta.",
- "OptionProfileVideo": "V\u00eddeo",
- "OptionProfileAudio": "\u00c1udio",
- "OptionProfileVideoAudio": "\u00c1udio do V\u00eddeo",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "Biblioteca do usu\u00e1rio:",
- "LabelUserLibraryHelp": "Selecione qual biblioteca de usu\u00e1rio ser\u00e1 exibida no dispositivo. Deixe em branco para usar a configura\u00e7\u00e3o padr\u00e3o.",
- "OptionPlainStorageFolders": "Exibir todas as pastas como pastas de armazenamento simples",
- "OptionPlainStorageFoldersHelp": "Se ativado, todas as pastas s\u00e3o representadas no DIDL como \"object.container.storageFolder\" ao inv\u00e9s de um tipo mais espec\u00edfico como, por exemplo, \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Exibir todos os v\u00eddeos como itens de v\u00eddeo simples",
- "OptionPlainVideoItemsHelp": "Se ativado, todos os v\u00eddeos s\u00e3o representados no DIDL como \"object.item.videoItem\" ao inv\u00e9s de um tipo mais espec\u00edfico como, por exemplo, \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Tipos de M\u00eddia Suportados:",
- "TabIdentification": "Identifica\u00e7\u00e3o",
- "HeaderIdentification": "Identifica\u00e7\u00e3o",
- "TabDirectPlay": "Reprodu\u00e7\u00e3o Direta",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Respostas",
- "HeaderProfileInformation": "Informa\u00e7\u00e3o do Perfil",
- "LabelEmbedAlbumArtDidl": "Embutir a capa do \u00e1lbum no Didl",
- "LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este m\u00e9todo para obter a capa do \u00e1lbum. Outros podem falhar para reproduzir com esta op\u00e7\u00e3o ativada",
- "LabelAlbumArtPN": "PN da capa do \u00e1lbum:",
- "LabelAlbumArtHelp": "O PN usado para a capa do album, dentro do atributo dlna:profileID em upnp:albumArtURI. Alguns clientes requerem um valor espec\u00edfico, independente do tamanho da imagem.",
- "LabelAlbumArtMaxWidth": "Largura m\u00e1xima da capa do \u00e1lbum:",
- "LabelAlbumArtMaxWidthHelp": "Resolu\u00e7\u00e3o m\u00e1xima da capa do \u00e1lbum que \u00e9 exposta via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Altura m\u00e1xima da capa do \u00e1lbum:",
- "LabelAlbumArtMaxHeightHelp": "Resolu\u00e7\u00e3o m\u00e1xima da capa do \u00e1lbum que \u00e9 exposta via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Largura m\u00e1xima do \u00edcone:",
- "LabelIconMaxWidthHelp": "Resolu\u00e7\u00e3o m\u00e1xima do \u00edcone que \u00e9 exposto via upnp:icon.",
- "LabelIconMaxHeight": "Altura m\u00e1xima do \u00edcone:",
- "LabelIconMaxHeightHelp": "Resolu\u00e7\u00e3o m\u00e1xima do \u00edcone que \u00e9 exposto via upnp:icon.",
- "LabelIdentificationFieldHelp": "Uma substring ou express\u00e3o regex que n\u00e3o diferencia mai\u00fascula de min\u00fasculas.",
- "HeaderProfileServerSettingsHelp": "Estes valores controlam como o Media Browser ser\u00e1 exibido no dispositivo.",
- "LabelMaxBitrate": "Taxa de bits m\u00e1xima:",
- "LabelMaxBitrateHelp": "Especifique uma taxa de bits m\u00e1xima para ambientes com restri\u00e7\u00e3o de tamanho de banda, ou se o dispositivo imp\u00f5e esse limite.",
- "LabelMaxStreamingBitrate": "Taxa m\u00e1xima para streaming:",
- "LabelMaxStreamingBitrateHelp": "Defina uma taxa m\u00e1xima para fazer streaming.",
- "LabelMaxStaticBitrate": "Taxa m\u00e1xima para sincronizar:",
- "LabelMaxStaticBitrateHelp": "Defina uma taxa m\u00e1xima quando sincronizar conte\u00fado em alta qualidade.",
- "LabelMusicStaticBitrate": "Taxa de sincroniza\u00e7\u00e3o das m\u00fasicas:",
- "LabelMusicStaticBitrateHelp": "Defina a taxa m\u00e1xima ao sincronizar m\u00fasicas",
- "LabelMusicStreamingTranscodingBitrate": "Taxa de transcodifica\u00e7\u00e3o das m\u00fasicas:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Defina a taxa m\u00e1xima ao fazer streaming das m\u00fasicas",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignorar requisi\u00e7\u00f5es de extens\u00e3o do byte de transcodifica\u00e7\u00e3o",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Se ativadas, estas requisi\u00e7\u00f5es ser\u00e3o honradas mas ir\u00e3o ignorar o cabe\u00e7alho da extens\u00e3o do byte.",
- "LabelFriendlyName": "Nome amig\u00e1vel",
- "LabelManufacturer": "Fabricante",
- "LabelManufacturerUrl": "Url do fabricante",
- "LabelModelName": "Nome do modelo",
- "LabelModelNumber": "N\u00famero do modelo",
- "LabelModelDescription": "Descri\u00e7\u00e3o do modelo",
- "LabelModelUrl": "Url do modelo",
- "LabelSerialNumber": "N\u00famero de s\u00e9rie",
- "LabelDeviceDescription": "Descri\u00e7\u00e3o do dispositivo",
- "HeaderIdentificationCriteriaHelp": "Digite, ao menos, um crit\u00e9rio de identifica\u00e7\u00e3o.",
- "HeaderDirectPlayProfileHelp": "Adicionar perfis de reprodu\u00e7\u00e3o direta que indiquem que formatos o dispositivo pode suportar nativamente.",
- "HeaderTranscodingProfileHelp": "Adicionar perfis de transcodifica\u00e7\u00e3o que indiquem que formatos dever\u00e3o ser usados quando a transcodifica\u00e7\u00e3o \u00e9 necess\u00e1ria.",
- "HeaderResponseProfileHelp": "Perfis de resposta oferecem uma forma de personalizar a informa\u00e7\u00e3o enviada para o dispositivo ao executar certos tipos de m\u00eddia.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determina o conte\u00fado do elemento X_DLNACAP no namespace urn:schemas-dlna-org:device-1-0.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determina o conte\u00fado do elemento X_DLNADOC no namespace urn:schemas-dlna-org:device-1-0",
- "LabelSonyAggregationFlags": "Flags de agrega\u00e7\u00e3o da Sony:",
- "LabelSonyAggregationFlagsHelp": "Determina o conte\u00fado do elemento aggregationFlags no namespace urn:schemas-sonycom:av.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Codec do v\u00eddeo:",
- "LabelTranscodingVideoProfile": "Perfil do v\u00eddeo:",
- "LabelTranscodingAudioCodec": "Codec do \u00c1udio:",
- "OptionEnableM2tsMode": "Ativar modo M2ts",
- "OptionEnableM2tsModeHelp": "Ative o modo m2ts quando codificar para mpegts.",
- "OptionEstimateContentLength": "Estimar o tamanho do conte\u00fado quando transcodificar",
- "OptionReportByteRangeSeekingWhenTranscoding": "Reportar que o servidor suporta busca de byte quando transcodificar",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Isto \u00e9 necess\u00e1rio para alguns dispositivos que n\u00e3o buscam o tempo muito bem.",
- "HeaderSubtitleDownloadingHelp": "Quando o Media Browser verificar seus arquivos de v\u00eddeo, ele pode buscar legendas que n\u00e3o existam e fazer download usando um provedor de legendas como, por exemplo, o OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Fazer download de legendas para:",
- "MessageNoChapterProviders": "Instale um plugin provedor de cap\u00edtulos como o ChapterDb para habilitar mais op\u00e7\u00f5es de cap\u00edtulos.",
- "LabelSkipIfGraphicalSubsPresent": "Ignorar se o v\u00eddeo j\u00e1 possuir legendas gr\u00e1ficas",
- "LabelSkipIfGraphicalSubsPresentHelp": "Manter vers\u00f5es das legendas em texto resultar\u00e1 em uma entrega mais eficiente para os clientes m\u00f3veis.",
- "TabSubtitles": "Legendas",
- "TabChapters": "Cap\u00edtulos",
- "HeaderDownloadChaptersFor": "Fazer download de nomes de cap\u00edtulos para:",
- "LabelOpenSubtitlesUsername": "Nome do usu\u00e1rio do Open Subtitles:",
- "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:",
- "HeaderChapterDownloadingHelp": "Quando o Media Browser verifica seus arquivos de v\u00eddeo, pode fazer download de nomes amig\u00e1veis para os cap\u00edtulos atrav\u00e9s de plugins como o ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Reproduzir a faixa de \u00e1udio padr\u00e3o independente do idioma",
- "LabelSubtitlePlaybackMode": "Modo da Legenda:",
- "LabelDownloadLanguages": "Idiomas para download:",
- "ButtonRegister": "Registrar",
- "LabelSkipIfAudioTrackPresent": "Ignorar se a faixa de \u00e1udio padr\u00e3o coincidir com o idioma de download",
- "LabelSkipIfAudioTrackPresentHelp": "Desmarque esta op\u00e7\u00e3o para garantir que todos os v\u00eddeos t\u00eam legendas, independente do idioma do \u00e1udio.",
- "HeaderSendMessage": "Enviar mensagem",
- "ButtonSend": "Enviar",
- "LabelMessageText": "Texto da mensagem:",
- "MessageNoAvailablePlugins": "N\u00e3o existem plugins dispon\u00edveis.",
- "LabelDisplayPluginsFor": "Exibir plugins para:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Nome do epis\u00f3dio",
- "LabelSeriesNamePlain": "Nome da s\u00e9rie",
- "ValueSeriesNamePeriod": "Nome.s\u00e9rie",
- "ValueSeriesNameUnderscore": "Nome_s\u00e9rie",
- "ValueEpisodeNamePeriod": "Nome.epis\u00f3dio",
- "ValueEpisodeNameUnderscore": "Nome_epis\u00f3dio",
- "LabelSeasonNumberPlain": "N\u00famero da temporada",
- "LabelEpisodeNumberPlain": "N\u00famero do epis\u00f3dio",
- "LabelEndingEpisodeNumberPlain": "N\u00famero do epis\u00f3dio final",
- "HeaderTypeText": "Digitar texto",
- "LabelTypeText": "Texto",
- "HeaderSearchForSubtitles": "Buscar Legendas",
- "MessageNoSubtitleSearchResultsFound": "N\u00e3o foi encontrado nenhum resultado.",
- "TabDisplay": "Exibi\u00e7\u00e3o",
- "TabLanguages": "Idiomas",
- "TabWebClient": "Cliente Web",
- "LabelEnableThemeSongs": "Ativar m\u00fasicas-tema",
- "LabelEnableBackdrops": "Ativar imagens de fundo",
- "LabelEnableThemeSongsHelp": "Se ativadas, m\u00fasicas-tema ser\u00e3o reproduzidas em segundo plano ao navegar pela biblioteca.",
- "LabelEnableBackdropsHelp": "Se ativadas, imagens de fundo ser\u00e3o exibidas ao fundo de algumas p\u00e1ginas ao navegar pela biblioteca.",
- "HeaderHomePage": "P\u00e1gina Inicial",
- "HeaderSettingsForThisDevice": "Ajustes para Este Dispositivo",
- "OptionAuto": "Auto",
- "OptionYes": "Sim",
- "OptionNo": "N\u00e3o",
- "LabelHomePageSection1": "Tela de in\u00edcio se\u00e7\u00e3o 1:",
- "LabelHomePageSection2": "Tela de in\u00edcio se\u00e7\u00e3o 2:",
- "LabelHomePageSection3": "Tela de in\u00edcio se\u00e7\u00e3o 3:",
- "LabelHomePageSection4": "Tela de in\u00edcio se\u00e7\u00e3o 4:",
- "OptionMyViewsButtons": "Minhas visualiza\u00e7\u00f5es (bot\u00f5es)",
- "OptionMyViews": "Minhas visualiza\u00e7\u00f5es",
- "OptionMyViewsSmall": "Minhas visualiza\u00e7\u00f5es (pequeno)",
- "OptionResumablemedia": "Retomar",
- "OptionLatestMedia": "M\u00eddias recentes",
- "OptionLatestChannelMedia": "Itens recentes de canal",
- "HeaderLatestChannelItems": "Itens Recentes de Canal",
- "OptionNone": "Nenhum",
- "HeaderLiveTv": "TV ao Vivo",
- "HeaderReports": "Relat\u00f3rios",
- "HeaderMetadataManager": "Gerenciador de Metadados",
- "HeaderPreferences": "Prefer\u00eancias",
- "MessageLoadingChannels": "Carregando conte\u00fado do canal...",
- "MessageLoadingContent": "Carregando conte\u00fado...",
- "ButtonMarkRead": "Marcar com lido",
- "OptionDefaultSort": "Padr\u00e3o",
- "OptionCommunityMostWatchedSort": "Mais Assistidos",
- "TabNextUp": "Pr\u00f3ximos",
- "MessageNoMovieSuggestionsAvailable": "N\u00e3o existem sugest\u00f5es de filmes dispon\u00edveis atualmente. Comece por assistir e avaliar seus filmes e, ent\u00e3o, volte para verificar suas recomenda\u00e7\u00f5es.",
- "MessageNoCollectionsAvailable": "Cole\u00e7\u00f5es permitem que voc\u00ea agrupe os Filmes, S\u00e9ries, Livros e Jogos de forma personalizada. Clique no bot\u00e3o Nova para iniciar a cria\u00e7\u00e3o de Cole\u00e7\u00f5es.",
- "MessageNoPlaylistsAvailable": "Listas de reprodu\u00e7\u00e3o permitem criar listas com conte\u00fado para reproduzir consecutivamente, de uma s\u00f3 vez. Para adicionar itens \u00e0s listas de reprodu\u00e7\u00e3o, clique com o bot\u00e3o direito ou toque a tela por alguns segundos, depois selecione Adicionar \u00e0 Lista de Reprodu\u00e7\u00e3o.",
- "MessageNoPlaylistItemsAvailable": "Esta lista de reprodu\u00e7\u00e3o est\u00e1 vazia.",
- "HeaderWelcomeToMediaBrowserWebClient": "Bem-vindo ao Cliente Web do Media Browser",
- "ButtonDismiss": "Descartar",
- "ButtonTakeTheTour": "Fa\u00e7a o tour",
- "ButtonEditOtherUserPreferences": "Editar este perfil de usu\u00e1rio, senha e prefer\u00eancias pessoais.",
- "LabelChannelStreamQuality": "Qualidade preferida do stream de internet:",
- "LabelChannelStreamQualityHelp": "Em um ambiente com banda larga de pouca velocidade, limitar a qualidade pode ajudar a assegurar um streaming mais flu\u00eddo.",
- "OptionBestAvailableStreamQuality": "Melhor dispon\u00edvel",
- "LabelEnableChannelContentDownloadingFor": "Ativar o download de conte\u00fado do canal para:",
- "LabelEnableChannelContentDownloadingForHelp": "Alguns canais suportam o download de conte\u00fado antes de sua visualiza\u00e7\u00e3o. Ative esta fun\u00e7\u00e3o em ambientes com banda larga de baixa velocidade para fazer o download do conte\u00fado do canal durante horas sem uso. O conte\u00fado \u00e9 transferido como parte da tarefa agendada de download do canal.",
- "LabelChannelDownloadPath": "Caminho para download do conte\u00fado do canal:",
- "LabelChannelDownloadPathHelp": "Se desejar, defina um caminho personalizado para a transfer\u00eancia. Deixe em branco para fazer download para uma pasta interna do programa.",
- "LabelChannelDownloadAge": "Excluir conte\u00fado depois de: (dias)",
- "LabelChannelDownloadAgeHelp": "O conte\u00fado transferido que for mais velho que este valor ser\u00e1 exclu\u00eddo. Poder\u00e1 seguir reproduzindo-o atrav\u00e9s de streaming da internet.",
- "ChannelSettingsFormHelp": "Instalar canais como, por exemplo, Trailers e Vimeo no cat\u00e1logo de plugins.",
- "LabelSelectCollection": "Selecione cole\u00e7\u00e3o:",
- "ButtonOptions": "Op\u00e7\u00f5es",
- "ViewTypeMovies": "Filmes",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Jogos",
- "ViewTypeMusic": "M\u00fasicas",
- "ViewTypeBoxSets": "Cole\u00e7\u00f5es",
- "ViewTypeChannels": "Canais",
- "ViewTypeLiveTV": "TV ao Vivo",
- "ViewTypeLiveTvNowPlaying": "Exibindo Agora",
- "ViewTypeLatestGames": "Jogos Recentes",
- "ViewTypeRecentlyPlayedGames": "Reproduzido Recentemente",
- "ViewTypeGameFavorites": "Favoritos",
- "ViewTypeGameSystems": "Sistemas de Jogo",
- "ViewTypeGameGenres": "G\u00eaneros",
- "ViewTypeTvResume": "Retomar",
- "ViewTypeTvNextUp": "Pr\u00f3ximos",
- "ViewTypeTvLatest": "Recentes",
- "ViewTypeTvShowSeries": "S\u00e9ries",
- "ViewTypeTvGenres": "G\u00eaneros",
- "ViewTypeTvFavoriteSeries": "S\u00e9ries Favoritas",
- "ViewTypeTvFavoriteEpisodes": "Epis\u00f3dios Favoritos",
- "ViewTypeMovieResume": "Retomar",
- "ViewTypeMovieLatest": "Recentes",
- "ViewTypeMovieMovies": "Filmes",
- "ViewTypeMovieCollections": "Cole\u00e7\u00f5es",
- "ViewTypeMovieFavorites": "Favoritos",
- "ViewTypeMovieGenres": "G\u00eaneros",
- "ViewTypeMusicLatest": "Recentes",
- "ViewTypeMusicAlbums": "\u00c1lbuns",
- "ViewTypeMusicAlbumArtists": "Artistas do \u00c1lbum",
- "HeaderOtherDisplaySettings": "Ajustes de Exibi\u00e7\u00e3o",
- "ViewTypeMusicSongs": "M\u00fasicas",
- "ViewTypeMusicFavorites": "Favoritos",
- "ViewTypeMusicFavoriteAlbums": "\u00c1lbuns Favoritos",
- "ViewTypeMusicFavoriteArtists": "Artistas Favoritos",
- "ViewTypeMusicFavoriteSongs": "M\u00fasicas Favoritas",
- "HeaderMyViews": "Minhas Visualiza\u00e7\u00f5es",
- "LabelSelectFolderGroups": "Agrupar automaticamente o conte\u00fado das seguintes pastas dentro das visualiza\u00e7\u00f5es como Filmes, M\u00fasicas e TV:",
- "LabelSelectFolderGroupsHelp": "Pastas que n\u00e3o est\u00e3o marcadas ser\u00e3o exibidas em sua pr\u00f3pria visualiza\u00e7\u00e3o.",
- "OptionDisplayAdultContent": "Exibir conte\u00fado adulto",
- "OptionLibraryFolders": "Pastas de m\u00eddias",
- "TitleRemoteControl": "Controle Remoto",
- "OptionLatestTvRecordings": "\u00daltimas grava\u00e7\u00f5es",
- "LabelProtocolInfo": "Informa\u00e7\u00e3o do protocolo:",
- "LabelProtocolInfoHelp": "O valor que ser\u00e1 usado ao responder os pedidos GetProtocolInfo do dispositivo.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "O Media Browser inclui suporte nativo aos metadados e imagens Nfo do Kodi. Para ativar ou desativar os metadados do Kodi, use a aba Avan\u00e7ado e configure as op\u00e7\u00f5es dos seus tipos de m\u00eddia.",
- "LabelKodiMetadataUser": "Adicionar informa\u00e7\u00f5es do que o usu\u00e1rio assiste aos nfo's para:",
- "LabelKodiMetadataUserHelp": "Ativar esta op\u00e7\u00e3o para manter os dados sincronizados entre o Media Browser e o Kodi.",
- "LabelKodiMetadataDateFormat": "Formato da data de lan\u00e7amento:",
- "LabelKodiMetadataDateFormatHelp": "Todas as datas dentro dos nfo's ser\u00e3o lidas e gravadas usando este formato.",
- "LabelKodiMetadataSaveImagePaths": "Salvar o caminho das imagens dentro dos arquivos nfo's",
- "LabelKodiMetadataSaveImagePathsHelp": "Esta op\u00e7\u00e3o \u00e9 recomendada se voc\u00ea tiver nomes de arquivos de imagem que n\u00e3o est\u00e3o de acordo \u00e0s recomenda\u00e7\u00f5es do Kodi.",
- "LabelKodiMetadataEnablePathSubstitution": "Ativar substitui\u00e7\u00e3o de caminho",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Ativa a substitui\u00e7\u00e3o do caminho das imagens usando as op\u00e7\u00f5es de substitui\u00e7\u00e3o de caminho no servidor.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "Ver substitui\u00e7\u00e3o de caminho.",
- "LabelGroupChannelsIntoViews": "Exibir os seguintes canais diretamente dentro de minhas visualiza\u00e7\u00f5es:",
- "LabelGroupChannelsIntoViewsHelp": "Se ativados, estes canais ser\u00e3o exibidos imediatamente ao lado de outras visualiza\u00e7\u00f5es. Se desativado, eles ser\u00e3o exibidos dentro de uma visualiza\u00e7\u00e3o separada de Canais.",
- "LabelDisplayCollectionsView": "Exibir uma visualiza\u00e7\u00e3o de cole\u00e7\u00f5es para mostrar colet\u00e2neas de filmes",
- "LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart para extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "Ao fazer download das imagens, elas podem ser salvas em ambas extrafanart e extrathumbs para uma maior compatibilidade com as skins do Kodi.",
- "TabServices": "Servi\u00e7os",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Arquivos de log do servidor:",
- "TabBranding": "Marca",
- "HeaderBrandingHelp": "Personalize a apar\u00eancia do Media Browser para as necessidades de seu grupo ou organiza\u00e7\u00e3o.",
- "LabelLoginDisclaimer": "Aviso legal no login:",
- "LabelLoginDisclaimerHelp": "Este aviso ser\u00e1 exibido na parte inferior da p\u00e1gina de login.",
- "LabelAutomaticallyDonate": "Doar automaticamente este valor a cada m\u00eas",
"LabelAutomaticallyDonateHelp": "Voc\u00ea pode cancelar a qualquer momento atrav\u00e9s de sua conta do PayPal.",
"OptionList": "Lista",
"TabDashboard": "Painel",
@@ -630,7 +39,7 @@
"TabUsers": "Usu\u00e1rios",
"LabelSortName": "Nome para ordena\u00e7\u00e3o:",
"LabelDateAdded": "Data de adi\u00e7\u00e3o:",
- "HeaderFeatures": "Funcionalidades",
+ "HeaderFeatures": "Recursos",
"HeaderAdvanced": "Avan\u00e7ado",
"ButtonSync": "Sincronizar",
"TabScheduledTasks": "Tarefas Agendadas",
@@ -659,7 +68,7 @@
"HeaderAddUpdateImage": "Adicionar\/Atualizar Imagem",
"LabelJpgPngOnly": "Apenas JPG\/PNG",
"LabelImageType": "Tipo de imagem:",
- "OptionPrimary": "Prim\u00e1ria",
+ "OptionPrimary": "Capa",
"OptionArt": "Arte",
"OptionBox": "Caixa",
"OptionBoxRear": "Traseira da Caixa",
@@ -708,14 +117,14 @@
"SubtitleDownloadFailureForItem": "Falha ao baixar legendas para {0}",
"LabelRunningTimeValue": "Dura\u00e7\u00e3o: {0}",
"LabelIpAddressValue": "Endere\u00e7o Ip: {0}",
- "UserConfigurationUpdatedWithName": "A configura\u00e7\u00e3o de usu\u00e1rio de {0} foi atualizada",
+ "UserConfigurationUpdatedWithName": "A configura\u00e7\u00e3o do usu\u00e1rio {0} foi atualizada",
"UserCreatedWithName": "O usu\u00e1rio {0} foi criado",
"UserPasswordChangedWithName": "A senha do usu\u00e1rio {0} foi alterada",
"UserDeletedWithName": "O usu\u00e1rio {0} foi exclu\u00eddo",
"MessageServerConfigurationUpdated": "A configura\u00e7\u00e3o do servidor foi atualizada",
"MessageNamedServerConfigurationUpdatedWithValue": "A se\u00e7\u00e3o {0} da configura\u00e7\u00e3o do servidor foi atualizada",
"MessageApplicationUpdated": "O Servidor Media Browser foi atualizado",
- "AuthenticationSucceededWithUserName": "{0} se autenticou com sucesso",
+ "AuthenticationSucceededWithUserName": "{0} autenticou-se com sucesso",
"FailedLoginAttemptWithUserName": "Falha em tentativa de login de {0}",
"UserStartedPlayingItemWithValues": "{0} come\u00e7ou a reproduzir {1}",
"UserStoppedPlayingItemWithValues": "{0} parou de reproduzir {1}",
@@ -841,7 +250,7 @@
"LabelExtractChaptersDuringLibraryScanHelp": "Se ativado, as imagens dos cap\u00edtulos ser\u00e3o extra\u00eddas quando os v\u00eddeos forem importados durante o rastreamento da biblioteca. Se desativado, elas ser\u00e3o extra\u00eddas durante a tarefa agendada de imagens dos cap\u00edtulos, permitindo que a tarefa de rastreamento da biblioteca seja mais r\u00e1pida.",
"LabelConnectGuestUserName": "Seu nome de usu\u00e1rio ou endere\u00e7o de email do Media Browser:",
"LabelConnectUserName": "Usu\u00e1rio\/email do Media Browser:",
- "LabelConnectUserNameHelp": "Conectar este usu\u00e1rio \u00e0 conta do Media Browser para ativar o acesso f\u00e1cil de qualquer app do Media Browser sem a necessidade de conhecer o endere\u00e7o ip do servidor.",
+ "LabelConnectUserNameHelp": "Conecte este usu\u00e1rio \u00e0 conta do Media Browser para ativar o acesso f\u00e1cil de qualquer app do Media Browser sem a necessidade de conhecer o endere\u00e7o ip do servidor.",
"ButtonLearnMoreAboutMediaBrowserConnect": "Saiba mais sobre o Media Browser Connect",
"LabelExternalPlayers": "Reprodutores externos:",
"LabelExternalPlayersHelp": "Exibir bot\u00f5es para reproduzir conte\u00fado em reprodutores externos. Isto est\u00e1 dispon\u00edvel apenas em dispositivos que suportam esquemas url, geralmente Android e iOS. Com os reprodutores externos, geralmente n\u00e3o existe suporte para controle remoto ou para retomar.",
@@ -936,8 +345,12 @@
"TitleNewUser": "Novo Usu\u00e1rio",
"ButtonConfigurePassword": "Configurar Senha",
"HeaderDashboardUserPassword": "As senhas do usu\u00e1rio s\u00e3o gerenciadas dentro das prefer\u00eancias de cada perfil de usu\u00e1rio.",
- "HeaderLibraryAccess": "Library Access",
- "HeaderChannelAccess": "Channel Access",
+ "HeaderLibraryAccess": "Acesso \u00e0 Biblioteca",
+ "HeaderChannelAccess": "Acesso ao Canal",
+ "HeaderLatestItems": "Itens Recentes",
+ "LabelSelectLastestItemsFolders": "Incluir m\u00eddia das seguintes se\u00e7\u00f5es nos Itens Recentes",
+ "HeaderShareMediaFolders": "Compartilhar Pastas de M\u00eddia",
+ "MessageGuestSharingPermissionsHelp": "A maioria dos recursos est\u00e3o inicialmente indispon\u00edveis para convidados, mas podem ser ativados conforme necess\u00e1rio.",
"LabelExit": "Sair",
"LabelVisitCommunity": "Visitar a Comunidade",
"LabelGithubWiki": "Wiki do Github",
@@ -1025,7 +438,7 @@
"MaxParentalRatingHelp": "Conte\u00fado com classifica\u00e7\u00e3o maior ser\u00e1 ocultado do usu\u00e1rio.",
"LibraryAccessHelp": "Selecionar as pastas de m\u00eddia para compartilhar com este usu\u00e1rio. Administradores poder\u00e3o editar todas as pastas usando o gerenciador de metadados.",
"ChannelAccessHelp": "Selecione os canais a compartilhar com este usu\u00e1rio. Administradores poder\u00e3o editar todos os canais usando o gerenciador de metadados.",
- "ButtonDeleteImage": "Apagar Imagem",
+ "ButtonDeleteImage": "Excluir Imagem",
"LabelSelectUsers": "Selecionar usu\u00e1rios:",
"ButtonUpload": "Carregar",
"HeaderUploadNewImage": "Carregar Nova Imagem",
@@ -1102,13 +515,13 @@
"HeaderLatestSongs": "M\u00fasicas Recentes",
"HeaderRecentlyPlayed": "Reprodu\u00e7\u00f5es Recentes",
"HeaderFrequentlyPlayed": "Reprodu\u00e7\u00f5es Frequentes",
- "DevBuildWarning": "Vers\u00f5es Dev s\u00e3o as mais atuais. Lan\u00e7adas frequentemente, estas vers\u00f5es n\u00e3o foram testadas. A aplica\u00e7\u00e3o pode falhar e v\u00e1rias funcionalidades podem n\u00e3o funcionar.",
+ "DevBuildWarning": "Vers\u00f5es Dev s\u00e3o as mais atuais. Lan\u00e7adas frequentemente, estas vers\u00f5es n\u00e3o foram testadas. A aplica\u00e7\u00e3o pode falhar e v\u00e1rios recursos podem n\u00e3o funcionar.",
"LabelVideoType": "Tipo de V\u00eddeo:",
"OptionBluray": "Bluray",
"OptionDvd": "Dvd",
"OptionIso": "Iso",
"Option3D": "3D",
- "LabelFeatures": "Funcionalidades:",
+ "LabelFeatures": "Recursos:",
"LabelService": "Servi\u00e7o:",
"LabelStatus": "Status:",
"LabelVersion": "Vers\u00e3o:",
@@ -1124,7 +537,7 @@
"LabelArtistsHelp": "Separar m\u00faltiplos usando ;",
"HeaderLatestMovies": "Filmes Recentes",
"HeaderLatestTrailers": "Trailers Recentes",
- "OptionHasSpecialFeatures": "Funcionalidades Especiais",
+ "OptionHasSpecialFeatures": "Recursos Especiais",
"OptionImdbRating": "Avalia\u00e7\u00e3o IMDb",
"OptionParentalRating": "Classifica\u00e7\u00e3o Parental",
"OptionPremiereDate": "Data da Estr\u00e9ia",
@@ -1168,7 +581,7 @@
"HeaderFeatureAccess": "Acesso aos Recursos",
"OptionAllowMediaPlayback": "Permitir reprodu\u00e7\u00e3o de m\u00eddia",
"OptionAllowBrowsingLiveTv": "Permitir navega\u00e7\u00e3o na tv ao vivo",
- "OptionAllowDeleteLibraryContent": "Permitir a este usu\u00e1rio apagar conte\u00fado da biblioteca",
+ "OptionAllowDeleteLibraryContent": "Permitir a este usu\u00e1rio excluir conte\u00fado da biblioteca",
"OptionAllowManageLiveTv": "Permitir a administra\u00e7\u00e3o de grava\u00e7\u00f5es da tv ao vivo",
"OptionAllowRemoteControlOthers": "Permitir a este usu\u00e1rio controlar remotamente outros usu\u00e1rios",
"OptionMissingTmdbId": "Faltando Id Tmdb",
@@ -1249,5 +662,596 @@
"HeaderPrePostPadding": "Pre\/Post Padding",
"LabelPrePaddingMinutes": "Minutos de Pre-padding:",
"OptionPrePaddingRequired": "\u00c9 necess\u00e1rio pre-padding para poder gravar.",
- "LabelPostPaddingMinutes": "Minutos de Post-padding:"
+ "LabelPostPaddingMinutes": "Minutos de Post-padding:",
+ "OptionPostPaddingRequired": "\u00c9 necess\u00e1rio post-padding para poder gravar.",
+ "HeaderWhatsOnTV": "No ar",
+ "HeaderUpcomingTV": "Breve na TV",
+ "TabStatus": "Status",
+ "TabSettings": "Ajustes",
+ "ButtonRefreshGuideData": "Atualizar Dados do Guia",
+ "ButtonRefresh": "Atualizar",
+ "ButtonAdvancedRefresh": "Atualiza\u00e7\u00e3o Avan\u00e7ada",
+ "OptionPriority": "Prioridade",
+ "OptionRecordOnAllChannels": "Gravar programa em todos os canais",
+ "OptionRecordAnytime": "Gravar programa a qualquer hora",
+ "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios",
+ "HeaderDays": "Dias",
+ "HeaderActiveRecordings": "Grava\u00e7\u00f5es Ativas",
+ "HeaderLatestRecordings": "Grava\u00e7\u00f5es Recentes",
+ "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es",
+ "ButtonPlay": "Reproduzir",
+ "ButtonEdit": "Editar",
+ "ButtonRecord": "Gravar",
+ "ButtonDelete": "Excluir",
+ "ButtonRemove": "Remover",
+ "OptionRecordSeries": "Gravar S\u00e9ries",
+ "HeaderDetails": "Detalhes",
+ "TitleLiveTV": "TV ao Vivo",
+ "LabelNumberOfGuideDays": "N\u00famero de dias de dados do guia para download:",
+ "LabelNumberOfGuideDaysHelp": "Fazer download de mais dias de dados do guia permite agendar com mais anteced\u00eancia e ver mais itens, mas tamb\u00e9m levar\u00e1 mais tempo para o download. Auto escolher\u00e1 com base no n\u00famero de canais.",
+ "LabelActiveService": "Servi\u00e7o Ativo:",
+ "LabelActiveServiceHelp": "V\u00e1rios plugins de tv podem ser instalados, mas apenas um pode estar ativo de cada vez.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "Um provedor de servi\u00e7o de TV ao Vivo \u00e9 necess\u00e1rio para continuar.",
+ "LiveTvPluginRequiredHelp": "Por favor, instale um de nossos plugins dispon\u00edveis como, por exemplo, Next Pvr ou ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Personalizar para o tipo de m\u00eddia:",
+ "OptionDownloadThumbImage": "\u00cdcone",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Caixa",
+ "OptionDownloadDiscImage": "Disco",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Traseira",
+ "OptionDownloadArtImage": "Arte",
+ "OptionDownloadPrimaryImage": "Capa",
+ "HeaderFetchImages": "Buscar Imagens:",
+ "HeaderImageSettings": "Ajustes da Imagem",
+ "TabOther": "Outros",
+ "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de imagens de fundo por item:",
+ "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de imagens de tela por item:",
+ "LabelMinBackdropDownloadWidth": "Tamanho m\u00ednimo da imagem de fundo para download:",
+ "LabelMinScreenshotDownloadWidth": "Tamanho m\u00ednimo da imagem de tela para download:",
+ "ButtonAddScheduledTaskTrigger": "Adicionar Disparador da Tarefa",
+ "HeaderAddScheduledTaskTrigger": "Adicionar Disparador da Tarefa",
+ "ButtonAdd": "Adicionar",
+ "LabelTriggerType": "Tipo de Disparador:",
+ "OptionDaily": "Di\u00e1rio",
+ "OptionWeekly": "Semanal",
+ "OptionOnInterval": "Em um intervalo",
+ "OptionOnAppStartup": "Ao iniciar a aplica\u00e7\u00e3o",
+ "OptionAfterSystemEvent": "Depois de um evento do sistema",
+ "LabelDay": "Dia:",
+ "LabelTime": "Hora:",
+ "LabelEvent": "Evento:",
+ "OptionWakeFromSleep": "Despertar da hiberna\u00e7\u00e3o",
+ "LabelEveryXMinutes": "Todo(a):",
+ "HeaderTvTuners": "Sintonizador",
+ "HeaderGallery": "Galeria",
+ "HeaderLatestGames": "Jogos Recentes",
+ "HeaderRecentlyPlayedGames": "Jogos Jogados Recentemente",
+ "TabGameSystems": "Sistemas de Jogo",
+ "TitleMediaLibrary": "Biblioteca de M\u00eddia",
+ "TabFolders": "Pastas",
+ "TabPathSubstitution": "Substitui\u00e7\u00e3o de Caminho",
+ "LabelSeasonZeroDisplayName": "Nome de exibi\u00e7\u00e3o da temporada 0:",
+ "LabelEnableRealtimeMonitor": "Ativar monitoramento em tempo real",
+ "LabelEnableRealtimeMonitorHelp": "As altera\u00e7\u00f5es ser\u00e3o processadas imediatamente em sistemas de arquivos suportados.",
+ "ButtonScanLibrary": "Rastrear Biblioteca",
+ "HeaderNumberOfPlayers": "Reprodutores:",
+ "OptionAnyNumberOfPlayers": "Qualquer",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Pastas de M\u00eddia",
+ "HeaderThemeVideos": "V\u00eddeos-Tema",
+ "HeaderThemeSongs": "M\u00fasicas-Tema",
+ "HeaderScenes": "Cenas",
+ "HeaderAwardsAndReviews": "Pr\u00eamios e Cr\u00edticas",
+ "HeaderSoundtracks": "Trilhas Sonoras",
+ "HeaderMusicVideos": "V\u00eddeos Musicais",
+ "HeaderSpecialFeatures": "Recursos Especiais",
+ "HeaderCastCrew": "Elenco & Equipe",
+ "HeaderAdditionalParts": "Partes Adicionais",
+ "ButtonSplitVersionsApart": "Separar Vers\u00f5es",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Faltando",
+ "LabelOffline": "Desconectado",
+ "PathSubstitutionHelp": "Substitui\u00e7\u00f5es de caminho s\u00e3o usadas para mapear um caminho no servidor que possa ser acessado pelos clientes. Ao permitir o acesso dos clientes \u00e0 m\u00eddia no servidor, eles podem reproduzir diretamente atrav\u00e9s da rede e evitar o uso de recursos do servidor para fazer stream ou transcodifica\u00e7\u00e3o.",
+ "HeaderFrom": "De",
+ "HeaderTo": "Para",
+ "LabelFrom": "De:",
+ "LabelFromHelp": "Exemplo: D:\\Filmes (no servidor)",
+ "LabelTo": "Para:",
+ "LabelToHelp": "Exemplo: \\\\MeuServidor\\Filmes (um caminho que os clientes possam acessar)",
+ "ButtonAddPathSubstitution": "Adicionar Substitui\u00e7\u00e3o",
+ "OptionSpecialEpisode": "Especiais",
+ "OptionMissingEpisode": "Epis\u00f3dios Faltantes",
+ "OptionUnairedEpisode": "Epis\u00f3dios Por Estrear",
+ "OptionEpisodeSortName": "Nome de Ordena\u00e7\u00e3o do Epis\u00f3dio",
+ "OptionSeriesSortName": "Nome da S\u00e9rie",
+ "OptionTvdbRating": "Avalia\u00e7\u00e3o Tvdb",
+ "HeaderTranscodingQualityPreference": "Prefer\u00eancia de Qualidade de Transcodifica\u00e7\u00e3o:",
+ "OptionAutomaticTranscodingHelp": "O servidor decidir\u00e1 a qualidade e a velocidade",
+ "OptionHighSpeedTranscodingHelp": "Qualidade pior, mas codifica\u00e7\u00e3o mais r\u00e1pida",
+ "OptionHighQualityTranscodingHelp": "Qualidade melhor, mas codifica\u00e7\u00e3o mais lenta",
+ "OptionMaxQualityTranscodingHelp": "A melhor qualidade com codifica\u00e7\u00e3o mais lenta e alto uso de CPU",
+ "OptionHighSpeedTranscoding": "Velocidade mais alta",
+ "OptionHighQualityTranscoding": "Qualidade melhor",
+ "OptionMaxQualityTranscoding": "Max qualidade",
+ "OptionEnableDebugTranscodingLogging": "Ativar log de depura\u00e7\u00e3o de transcodifica\u00e7\u00e3o",
+ "OptionEnableDebugTranscodingLoggingHelp": "Isto criar\u00e1 arquivos de log muito grandes e s\u00f3 \u00e9 recomendado para identificar problemas.",
+ "OptionUpscaling": "Permitir aos clientes solicitar o aumento da resolu\u00e7\u00e3o do v\u00eddeo",
+ "OptionUpscalingHelp": "Em alguns casos, isto resultar\u00e1 em melhor qualidade de v\u00eddeo mas aumentar\u00e1 o uso de CPU.",
+ "EditCollectionItemsHelp": "Adicione ou remova qualquer filme, s\u00e9rie, \u00e1lbum, livro ou jogo que desejar agrupar dentro desta cole\u00e7\u00e3o.",
+ "HeaderAddTitles": "Adicionar T\u00edtulos",
+ "LabelEnableDlnaPlayTo": "Ativar Reproduzir Em usando DLNA",
+ "LabelEnableDlnaPlayToHelp": "O Media Browser pode detectar dispositivos dentro de sua rede e possibilitar o controle remoto deles.",
+ "LabelEnableDlnaDebugLogging": "Ativar o log de depura\u00e7\u00e3o de DLNA",
+ "LabelEnableDlnaDebugLoggingHelp": "Isto criar\u00e1 arquivos de log grandes e s\u00f3 dever\u00e1 ser usado para resolver um problema.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Intervalo para descoberta do cliente (segundos)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos do intervalo entre as buscas SSDP feitas pelo Media Browser.",
+ "HeaderCustomDlnaProfiles": "Personalizar Perfis",
+ "HeaderSystemDlnaProfiles": "Perfis do Sistema",
+ "CustomDlnaProfilesHelp": "Criar um perfil personalizado para um determinado novo dispositivo ou sobrescrever um perfil do sistema.",
+ "SystemDlnaProfilesHelp": "Os perfis do sistema s\u00e3o somente-leitura. As altera\u00e7\u00f5es feitas no perfil do sistema ser\u00e3o salvas em um novo perfil personalizado.",
+ "TitleDashboard": "Painel",
+ "TabHome": "In\u00edcio",
+ "TabInfo": "Info",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "Caminhos do Sistema",
+ "LinkCommunity": "Comunidade",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Documenta\u00e7\u00e3o da Api",
+ "LabelFriendlyServerName": "Nome amig\u00e1vel do servidor:",
+ "LabelFriendlyServerNameHelp": "Este nome ser\u00e1 usado para identificar este servidor. Se deixado em branco, ser\u00e1 usado o nome do computador.",
+ "LabelPreferredDisplayLanguage": "Idioma preferido para exibi\u00e7\u00e3o",
+ "LabelPreferredDisplayLanguageHelp": "A tradu\u00e7\u00e3o do Media Browser \u00e9 um projeto cont\u00ednuo e ainda n\u00e3o finalizado.",
+ "LabelReadHowYouCanContribute": "Leia sobre como voc\u00ea pode contribuir.",
+ "HeaderNewCollection": "Nova Cole\u00e7\u00e3o",
+ "HeaderAddToCollection": "Adicionar \u00e0 Cole\u00e7\u00e3o",
+ "ButtonSubmit": "Enviar",
+ "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Star Wars",
+ "OptionSearchForInternetMetadata": "Buscar artwork e metadados na internet",
+ "ButtonCreate": "Criar",
+ "LabelLocalHttpServerPortNumber": "N\u00famero da porta local:",
+ "LabelLocalHttpServerPortNumberHelp": "O n\u00famero da porta tcp que o servidor http do Media Browser utilizar\u00e1.",
+ "LabelPublicPort": "N\u00famero da porta p\u00fablica:",
+ "LabelPublicPortHelp": "O n\u00famero da porta p\u00fablica que deve ser mapeado para a porta local.",
+ "LabelWebSocketPortNumber": "N\u00famero da porta do web socket:",
+ "LabelEnableAutomaticPortMap": "Habilitar mapeamento autom\u00e1tico de portas",
+ "LabelEnableAutomaticPortMapHelp": "Tentativa de mapear automaticamente a porta p\u00fablica para a local atrav\u00e9s de uPnP. Isto poder\u00e1 n\u00e3o funcionar em alguns modelos de roteadores.",
+ "LabelExternalDDNS": "DDNS Externo:",
+ "LabelExternalDDNSHelp": "Se voc\u00ea tem um DNS din\u00e2mico digite aqui. O Media Browser o usar\u00e1 quando conectar remotamente.",
+ "TabResume": "Retomar",
+ "TabWeather": "Tempo",
+ "TitleAppSettings": "Configura\u00e7\u00f5es da App",
+ "LabelMinResumePercentage": "Porcentagem m\u00ednima para retomar:",
+ "LabelMaxResumePercentage": "Porcentagem m\u00e1xima para retomar:",
+ "LabelMinResumeDuration": "Dura\u00e7\u00e3o m\u00ednima para retomar (segundos):",
+ "LabelMinResumePercentageHelp": "T\u00edtulos s\u00e3o considerados como n\u00e3o assistidos se parados antes deste tempo",
+ "LabelMaxResumePercentageHelp": "T\u00edtulos s\u00e3o considerados totalmente assistidos se parados depois deste tempo",
+ "LabelMinResumeDurationHelp": "T\u00edtulos mais curtos que isto n\u00e3o poder\u00e3o ser retomados",
+ "TitleAutoOrganize": "Auto-Organizar",
+ "TabActivityLog": "Log de Atividades",
+ "HeaderName": "Nome",
+ "HeaderDate": "Data",
+ "HeaderSource": "Fonte",
+ "HeaderDestination": "Destino",
+ "HeaderProgram": "Programa",
+ "HeaderClients": "Clientes",
+ "LabelCompleted": "Completa",
+ "LabelFailed": "Falhou",
+ "LabelSkipped": "Ignorada",
+ "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o do Epis\u00f3dio",
+ "LabelSeries": "S\u00e9rie:",
+ "LabelSeasonNumber": "N\u00famero da temporada:",
+ "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:",
+ "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:",
+ "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios",
+ "HeaderSupportTheTeam": "Apoie a Equipe do Media Browser",
+ "LabelSupportAmount": "Valor (USD)",
+ "HeaderSupportTheTeamHelp": "Ajude a assegurar a continuidade do desenvolvimento deste projeto atrav\u00e9s de doa\u00e7\u00e3o. Uma parte de todas as doa\u00e7\u00f5es ser\u00e1 dividida por outras ferramentas gr\u00e1tis de quais dependemos.",
+ "ButtonEnterSupporterKey": "Digite a chave de colaborador",
+ "DonationNextStep": "Depois de terminar, por favor volte e digite a chave de colaborador que recebeu por email.",
+ "AutoOrganizeHelp": "Auto-organizar monitora suas pastas de download em busca de novos arquivos e os move para seus diret\u00f3rios de m\u00eddia.",
+ "AutoOrganizeTvHelp": "A organiza\u00e7\u00e3o de arquivos de TV s\u00f3 adicionar\u00e1 arquivos \u00e0s s\u00e9ries existentes. Ela n\u00e3o criar\u00e1 novas pastas de s\u00e9ries.",
+ "OptionEnableEpisodeOrganization": "Ativar a organiza\u00e7\u00e3o de novos epis\u00f3dios",
+ "LabelWatchFolder": "Pasta de Monitora\u00e7\u00e3o:",
+ "LabelWatchFolderHelp": "O servidor ir\u00e1 pesquisar esta pasta durante a tarefa agendada 'Organizar novos arquivos de m\u00eddia'.",
+ "ButtonViewScheduledTasks": "Visualizar tarefas agendadas",
+ "LabelMinFileSizeForOrganize": "Tamanho m\u00ednimo de arquivo (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Arquivos menores que este tamanho ser\u00e3o ignorados.",
+ "LabelSeasonFolderPattern": "Padr\u00e3o da pasta de temporada:",
+ "LabelSeasonZeroFolderName": "Nome da pasta da temporada zero:",
+ "HeaderEpisodeFilePattern": "Padr\u00e3o do arquivo de epis\u00f3dio",
+ "LabelEpisodePattern": "Padr\u00e3o do epis\u00f3dio:",
+ "LabelMultiEpisodePattern": "Padr\u00e3o de multi-epis\u00f3dios:",
+ "HeaderSupportedPatterns": "Padr\u00f5es Suportados",
+ "HeaderTerm": "Termo",
+ "HeaderPattern": "Padr\u00e3o",
+ "HeaderResult": "Resultado",
+ "LabelDeleteEmptyFolders": "Excluir pastas vazias depois da organiza\u00e7\u00e3o",
+ "LabelDeleteEmptyFoldersHelp": "Ativar esta op\u00e7\u00e3o para manter o diret\u00f3rio de download limpo.",
+ "LabelDeleteLeftOverFiles": "Excluir os arquivos deixados com as seguintes extens\u00f5es:",
+ "LabelDeleteLeftOverFilesHelp": "Separar com ;. Por exemplo: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Sobrescrever epis\u00f3dios existentes",
+ "LabelTransferMethod": "M\u00e9todo de transfer\u00eancia",
+ "OptionCopy": "Copiar",
+ "OptionMove": "Mover",
+ "LabelTransferMethodHelp": "Copiar ou mover arquivos da pasta de monitora\u00e7\u00e3o",
+ "HeaderLatestNews": "Not\u00edcias Recentes",
+ "HeaderHelpImproveMediaBrowser": "Ajude a Melhorar o Media Browser",
+ "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o",
+ "HeaderActiveDevices": "Dispositivos Ativos",
+ "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes",
+ "HeaerServerInformation": "Informa\u00e7\u00f5es do Servidor",
+ "ButtonRestartNow": "Reiniciar Agora",
+ "ButtonRestart": "Reiniciar",
+ "ButtonShutdown": "Desligar",
+ "ButtonUpdateNow": "Atualizar Agora",
+ "PleaseUpdateManually": "Por favor, desligue o servidor e atualize-o manualmente.",
+ "NewServerVersionAvailable": "Uma nova vers\u00e3o do Servidor Media Browser est\u00e1 dispon\u00edvel!",
+ "ServerUpToDate": "O Servidor Media Browser est\u00e1 atualizado",
+ "ErrorConnectingToMediaBrowserRepository": "Ocorreu um erro ao conectar com o reposit\u00f3rio remoto do Media Browser",
+ "LabelComponentsUpdated": "Os seguintes componentes foram instalados ou atualizados:",
+ "MessagePleaseRestartServerToFinishUpdating": "Por favor, reinicie o servidor para terminar de aplicar as atualiza\u00e7\u00f5es.",
+ "LabelDownMixAudioScale": "Aumento do \u00e1udio ao executar downmix:",
+ "LabelDownMixAudioScaleHelp": "Aumentar o \u00e1udio quando executar downmix. Defina como 1 para preservar o volume original.",
+ "ButtonLinkKeys": "Transferir Chave",
+ "LabelOldSupporterKey": "Chave antiga de colaborador",
+ "LabelNewSupporterKey": "Chave nova de colaborador",
+ "HeaderMultipleKeyLinking": "Transferir para Nova Chave",
+ "MultipleKeyLinkingHelp": "Se voc\u00ea possui uma nova chave de colaborador, use este formul\u00e1rio para transferir os registros das chaves antigas para as novas.",
+ "LabelCurrentEmailAddress": "Endere\u00e7o de email atual",
+ "LabelCurrentEmailAddressHelp": "O endere\u00e7o de email atual para o qual suas novas chaves ser\u00e3o enviadas.",
+ "HeaderForgotKey": "Esqueci a Chave",
+ "LabelEmailAddress": "Endere\u00e7o de email",
+ "LabelSupporterEmailAddress": "O endere\u00e7o de email que foi usado para comprar a chave.",
+ "ButtonRetrieveKey": "Recuperar Chave",
+ "LabelSupporterKey": "Chave de Colaborador (cole do email)",
+ "LabelSupporterKeyHelp": "Digite sua chave de colaborador para aproveitar os benef\u00edcios adicionais que a comunidade desenvolveu para o Media Browser.",
+ "MessageInvalidKey": "Chave do colaborador ausente ou inv\u00e1lida.",
+ "ErrorMessageInvalidKey": "Para registrar conte\u00fado premium, voc\u00ea deve ser um colaborador do Media Browser. Por favor, fa\u00e7a uma doa\u00e7\u00e3o e colabore com o desenvolvimento cont\u00ednuo do produto. Obrigado.",
+ "HeaderDisplaySettings": "Ajustes de Exibi\u00e7\u00e3o",
+ "TabPlayTo": "Reproduzir Em",
+ "LabelEnableDlnaServer": "Ativar servidor Dlna",
+ "LabelEnableDlnaServerHelp": "Permite aos dispositivos UPnP em sua rede navegar e reproduzir conte\u00fado do Media Browser.",
+ "LabelEnableBlastAliveMessages": "Enviar mensagens de explora\u00e7\u00e3o",
+ "LabelEnableBlastAliveMessagesHelp": "Ative esta fun\u00e7\u00e3o se o servidor n\u00e3o for detectado por outros dispositivos UPnP em sua rede.",
+ "LabelBlastMessageInterval": "Intervalo das mensagens de explora\u00e7\u00e3o (segundos)",
+ "LabelBlastMessageIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as mensagens de explora\u00e7\u00e3o enviadas pelo servidor.",
+ "LabelDefaultUser": "Usu\u00e1rio padr\u00e3o:",
+ "LabelDefaultUserHelp": "Determina qual usu\u00e1rio ser\u00e1 exibido nos dispositivos conectados. Isto pode ser ignorado para cada dispositivo usando perfis.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Canais",
+ "HeaderServerSettings": "Ajustes do Servidor",
+ "LabelWeatherDisplayLocation": "Local da exibi\u00e7\u00e3o do tempo:",
+ "LabelWeatherDisplayLocationHelp": "CEP dos EUA \/ Cidade, Estado, Pa\u00eds \/ Cidade, Pa\u00eds",
+ "LabelWeatherDisplayUnit": "Unidade de exibi\u00e7\u00e3o do Tempo:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Necessita a digita\u00e7\u00e3o manual de um nome para:",
+ "HeaderRequireManualLoginHelp": "Quando desativados, os clientes podem mostrar a tela de login com uma sele\u00e7\u00e3o visual de usu\u00e1rios.",
+ "OptionOtherApps": "Outras apps",
+ "OptionMobileApps": "Apps m\u00f3veis",
+ "HeaderNotificationList": "Clique em uma notifica\u00e7\u00e3o para configurar suas op\u00e7\u00f5es de envio.",
+ "NotificationOptionApplicationUpdateAvailable": "Atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o disponivel",
+ "NotificationOptionApplicationUpdateInstalled": "Atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o instalada",
+ "NotificationOptionPluginUpdateInstalled": "Atualiza\u00e7\u00e3o do plugin instalada",
+ "NotificationOptionPluginInstalled": "Plugin instalado",
+ "NotificationOptionPluginUninstalled": "Plugin desinstalado",
+ "NotificationOptionVideoPlayback": "Reprodu\u00e7\u00e3o de v\u00eddeo iniciada",
+ "NotificationOptionAudioPlayback": "Reprodu\u00e7\u00e3o de \u00e1udio iniciada",
+ "NotificationOptionGamePlayback": "Reprodu\u00e7\u00e3o de jogo iniciada",
+ "NotificationOptionVideoPlaybackStopped": "Reprodu\u00e7\u00e3o de v\u00eddeo parada",
+ "NotificationOptionAudioPlaybackStopped": "Reprodu\u00e7\u00e3o de \u00e1udio parada",
+ "NotificationOptionGamePlaybackStopped": "Reprodu\u00e7\u00e3o de jogo parada",
+ "NotificationOptionTaskFailed": "Falha na tarefa agendada",
+ "NotificationOptionInstallationFailed": "Falha na instala\u00e7\u00e3o",
+ "NotificationOptionNewLibraryContent": "Novo conte\u00fado adicionado",
+ "NotificationOptionNewLibraryContentMultiple": "Novo conte\u00fado adicionado (m\u00faltiplo)",
+ "SendNotificationHelp": "Por padr\u00e3o, notifica\u00e7\u00f5es s\u00e3o entregues \u00e0 caixa de entrada do painel. Navegue pelo cat\u00e1logo de plugins para instalar op\u00e7\u00f5es adicionais de notifica\u00e7\u00f5es.",
+ "NotificationOptionServerRestartRequired": "Necessidade de reiniciar servidor",
+ "LabelNotificationEnabled": "Ativar esta notifica\u00e7\u00e3o",
+ "LabelMonitorUsers": "Monitorar atividade de:",
+ "LabelSendNotificationToUsers": "Enviar notifica\u00e7\u00e3o para:",
+ "LabelUseNotificationServices": "Usar os seguintes servi\u00e7os:",
+ "CategoryUser": "Usu\u00e1rio",
+ "CategorySystem": "Sistema",
+ "CategoryApplication": "Aplica\u00e7\u00e3o",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "T\u00edtulo da mensagem:",
+ "LabelAvailableTokens": "Tokens dispon\u00edveis:",
+ "AdditionalNotificationServices": "Navegue pelo cat\u00e1logo do plugin para instalar servi\u00e7os adicionais de notifica\u00e7\u00e3o.",
+ "OptionAllUsers": "Todos os usu\u00e1rios",
+ "OptionAdminUsers": "Administradores",
+ "OptionCustomUsers": "Personalizado",
+ "ButtonArrowUp": "Para cima",
+ "ButtonArrowDown": "Para baixo",
+ "ButtonArrowLeft": "Esquerda",
+ "ButtonArrowRight": "Direita",
+ "ButtonBack": "Voltar",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "Exibi\u00e7\u00e3o na tela",
+ "ButtonPageUp": "Subir P\u00e1gina",
+ "ButtonPageDown": "Descer P\u00e1gina",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "In\u00edcio",
+ "ButtonSearch": "Busca",
+ "ButtonSettings": "Ajustes",
+ "ButtonTakeScreenshot": "Capturar Tela",
+ "ButtonLetterUp": "Letra Acima",
+ "ButtonLetterDown": "Letra Abaixo",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Reproduzindo Agora",
+ "TabNavigation": "Navega\u00e7\u00e3o",
+ "TabControls": "Controles",
+ "ButtonFullscreen": "Alternar para tela cheia",
+ "ButtonScenes": "Cenas",
+ "ButtonSubtitles": "Legendas",
+ "ButtonAudioTracks": "Faixas de \u00e1udio",
+ "ButtonPreviousTrack": "Faixa anterior",
+ "ButtonNextTrack": "Faixa seguinte",
+ "ButtonStop": "Parar",
+ "ButtonPause": "Pausar",
+ "ButtonNext": "Pr\u00f3xima",
+ "ButtonPrevious": "Anterior",
+ "LabelGroupMoviesIntoCollections": "Agrupar filmes nas cole\u00e7\u00f5es",
+ "LabelGroupMoviesIntoCollectionsHelp": "Ao exibir listas de filmes, filmes que perten\u00e7am a uma cole\u00e7\u00e3o ser\u00e3o exibidos como um \u00fanico item agrupado.",
+ "NotificationOptionPluginError": "Falha no plugin",
+ "ButtonVolumeUp": "Aumentar volume",
+ "ButtonVolumeDown": "Diminuir volume",
+ "ButtonMute": "Mudo",
+ "HeaderLatestMedia": "M\u00eddias Recentes",
+ "OptionSpecialFeatures": "Recursos Especiais",
+ "HeaderCollections": "Cole\u00e7\u00f5es",
+ "LabelProfileCodecsHelp": "Separados por v\u00edrgula. Pode ser deixado em branco para usar com todos os codecs.",
+ "LabelProfileContainersHelp": "Separados por v\u00edrgula. Pode ser deixado em branco para usar com todos os containers.",
+ "HeaderResponseProfile": "Perfil de Resposta",
+ "LabelType": "Tipo:",
+ "LabelPersonRole": "Personagem:",
+ "LabelPersonRoleHelp": "O personagem geralmente s\u00f3 aplica para atores.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Codecs de v\u00eddeo:",
+ "LabelProfileAudioCodecs": "Codecs de \u00e1udio:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Perfil da Reprodu\u00e7\u00e3o Direta",
+ "HeaderTranscodingProfile": "Perfil da Transcodifica\u00e7\u00e3o",
+ "HeaderCodecProfile": "Perfil do Codec",
+ "HeaderCodecProfileHelp": "Perfis do Codec indicam as limita\u00e7\u00f5es de um dispositivo ao reproduzir codecs espec\u00edficos. Se uma limita\u00e7\u00e3o ocorre, a m\u00eddia ser\u00e1 transcodificada, mesmo se o codec estiver configurado para reprodu\u00e7\u00e3o direta.",
+ "HeaderContainerProfile": "Perfil do Container",
+ "HeaderContainerProfileHelp": "Perfis do Container indicam as limita\u00e7\u00f5es de um dispositivo ao reproduzir formatos espec\u00edficos. Se uma limita\u00e7\u00e3o ocorre, a m\u00eddia ser\u00e1 transcodificada, mesmo se o formato estiver configurado para reprodu\u00e7\u00e3o direta.",
+ "OptionProfileVideo": "V\u00eddeo",
+ "OptionProfileAudio": "\u00c1udio",
+ "OptionProfileVideoAudio": "\u00c1udio do V\u00eddeo",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "Biblioteca do usu\u00e1rio:",
+ "LabelUserLibraryHelp": "Selecione qual biblioteca de usu\u00e1rio ser\u00e1 exibida no dispositivo. Deixe em branco para usar a configura\u00e7\u00e3o padr\u00e3o.",
+ "OptionPlainStorageFolders": "Exibir todas as pastas como pastas de armazenamento simples",
+ "OptionPlainStorageFoldersHelp": "Se ativado, todas as pastas s\u00e3o representadas no DIDL como \"object.container.storageFolder\" ao inv\u00e9s de um tipo mais espec\u00edfico como, por exemplo, \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Exibir todos os v\u00eddeos como itens de v\u00eddeo simples",
+ "OptionPlainVideoItemsHelp": "Se ativado, todos os v\u00eddeos s\u00e3o representados no DIDL como \"object.item.videoItem\" ao inv\u00e9s de um tipo mais espec\u00edfico como, por exemplo, \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Tipos de M\u00eddia Suportados:",
+ "TabIdentification": "Identifica\u00e7\u00e3o",
+ "HeaderIdentification": "Identifica\u00e7\u00e3o",
+ "TabDirectPlay": "Reprodu\u00e7\u00e3o Direta",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Respostas",
+ "HeaderProfileInformation": "Informa\u00e7\u00e3o do Perfil",
+ "LabelEmbedAlbumArtDidl": "Embutir a capa do \u00e1lbum no Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este m\u00e9todo para obter a capa do \u00e1lbum. Outros podem falhar para reproduzir com esta op\u00e7\u00e3o ativada",
+ "LabelAlbumArtPN": "PN da capa do \u00e1lbum:",
+ "LabelAlbumArtHelp": "O PN usado para a capa do album, dentro do atributo dlna:profileID em upnp:albumArtURI. Alguns clientes requerem um valor espec\u00edfico, independente do tamanho da imagem.",
+ "LabelAlbumArtMaxWidth": "Largura m\u00e1xima da capa do \u00e1lbum:",
+ "LabelAlbumArtMaxWidthHelp": "Resolu\u00e7\u00e3o m\u00e1xima da capa do \u00e1lbum que \u00e9 exposta via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Altura m\u00e1xima da capa do \u00e1lbum:",
+ "LabelAlbumArtMaxHeightHelp": "Resolu\u00e7\u00e3o m\u00e1xima da capa do \u00e1lbum que \u00e9 exposta via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Largura m\u00e1xima do \u00edcone:",
+ "LabelIconMaxWidthHelp": "Resolu\u00e7\u00e3o m\u00e1xima do \u00edcone que \u00e9 exposto via upnp:icon.",
+ "LabelIconMaxHeight": "Altura m\u00e1xima do \u00edcone:",
+ "LabelIconMaxHeightHelp": "Resolu\u00e7\u00e3o m\u00e1xima do \u00edcone que \u00e9 exposto via upnp:icon.",
+ "LabelIdentificationFieldHelp": "Uma substring ou express\u00e3o regex que n\u00e3o diferencia mai\u00fascula de min\u00fasculas.",
+ "HeaderProfileServerSettingsHelp": "Estes valores controlam como o Media Browser ser\u00e1 exibido no dispositivo.",
+ "LabelMaxBitrate": "Taxa de bits m\u00e1xima:",
+ "LabelMaxBitrateHelp": "Especifique uma taxa de bits m\u00e1xima para ambientes com restri\u00e7\u00e3o de tamanho de banda, ou se o dispositivo imp\u00f5e esse limite.",
+ "LabelMaxStreamingBitrate": "Taxa m\u00e1xima para streaming:",
+ "LabelMaxStreamingBitrateHelp": "Defina uma taxa m\u00e1xima para fazer streaming.",
+ "LabelMaxStaticBitrate": "Taxa m\u00e1xima para sincronizar:",
+ "LabelMaxStaticBitrateHelp": "Defina uma taxa m\u00e1xima quando sincronizar conte\u00fado em alta qualidade.",
+ "LabelMusicStaticBitrate": "Taxa de sincroniza\u00e7\u00e3o das m\u00fasicas:",
+ "LabelMusicStaticBitrateHelp": "Defina a taxa m\u00e1xima ao sincronizar m\u00fasicas",
+ "LabelMusicStreamingTranscodingBitrate": "Taxa de transcodifica\u00e7\u00e3o das m\u00fasicas:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Defina a taxa m\u00e1xima ao fazer streaming das m\u00fasicas",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignorar requisi\u00e7\u00f5es de extens\u00e3o do byte de transcodifica\u00e7\u00e3o",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Se ativadas, estas requisi\u00e7\u00f5es ser\u00e3o honradas mas ir\u00e3o ignorar o cabe\u00e7alho da extens\u00e3o do byte.",
+ "LabelFriendlyName": "Nome amig\u00e1vel",
+ "LabelManufacturer": "Fabricante",
+ "LabelManufacturerUrl": "Url do fabricante",
+ "LabelModelName": "Nome do modelo",
+ "LabelModelNumber": "N\u00famero do modelo",
+ "LabelModelDescription": "Descri\u00e7\u00e3o do modelo",
+ "LabelModelUrl": "Url do modelo",
+ "LabelSerialNumber": "N\u00famero de s\u00e9rie",
+ "LabelDeviceDescription": "Descri\u00e7\u00e3o do dispositivo",
+ "HeaderIdentificationCriteriaHelp": "Digite, ao menos, um crit\u00e9rio de identifica\u00e7\u00e3o.",
+ "HeaderDirectPlayProfileHelp": "Adicionar perfis de reprodu\u00e7\u00e3o direta que indiquem que formatos o dispositivo pode suportar nativamente.",
+ "HeaderTranscodingProfileHelp": "Adicionar perfis de transcodifica\u00e7\u00e3o que indiquem que formatos dever\u00e3o ser usados quando a transcodifica\u00e7\u00e3o \u00e9 necess\u00e1ria.",
+ "HeaderResponseProfileHelp": "Perfis de resposta oferecem uma forma de personalizar a informa\u00e7\u00e3o enviada para o dispositivo ao executar certos tipos de m\u00eddia.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determina o conte\u00fado do elemento X_DLNACAP no namespace urn:schemas-dlna-org:device-1-0.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determina o conte\u00fado do elemento X_DLNADOC no namespace urn:schemas-dlna-org:device-1-0",
+ "LabelSonyAggregationFlags": "Flags de agrega\u00e7\u00e3o da Sony:",
+ "LabelSonyAggregationFlagsHelp": "Determina o conte\u00fado do elemento aggregationFlags no namespace urn:schemas-sonycom:av.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Codec do v\u00eddeo:",
+ "LabelTranscodingVideoProfile": "Perfil do v\u00eddeo:",
+ "LabelTranscodingAudioCodec": "Codec do \u00c1udio:",
+ "OptionEnableM2tsMode": "Ativar modo M2ts",
+ "OptionEnableM2tsModeHelp": "Ative o modo m2ts quando codificar para mpegts.",
+ "OptionEstimateContentLength": "Estimar o tamanho do conte\u00fado quando transcodificar",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Reportar que o servidor suporta busca de byte quando transcodificar",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Isto \u00e9 necess\u00e1rio para alguns dispositivos que n\u00e3o buscam o tempo muito bem.",
+ "HeaderSubtitleDownloadingHelp": "Quando o Media Browser verificar seus arquivos de v\u00eddeo, ele pode buscar legendas que n\u00e3o existam e fazer download usando um provedor de legendas como, por exemplo, o OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Fazer download de legendas para:",
+ "MessageNoChapterProviders": "Instale um plugin provedor de cap\u00edtulos como o ChapterDb para habilitar mais op\u00e7\u00f5es de cap\u00edtulos.",
+ "LabelSkipIfGraphicalSubsPresent": "Ignorar se o v\u00eddeo j\u00e1 possuir legendas gr\u00e1ficas",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Manter vers\u00f5es das legendas em texto resultar\u00e1 em uma entrega mais eficiente para os clientes m\u00f3veis.",
+ "TabSubtitles": "Legendas",
+ "TabChapters": "Cap\u00edtulos",
+ "HeaderDownloadChaptersFor": "Fazer download de nomes de cap\u00edtulos para:",
+ "LabelOpenSubtitlesUsername": "Nome do usu\u00e1rio do Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "Quando o Media Browser verifica seus arquivos de v\u00eddeo, pode fazer download de nomes amig\u00e1veis para os cap\u00edtulos atrav\u00e9s de plugins como o ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Reproduzir a faixa de \u00e1udio padr\u00e3o, independente do idioma",
+ "LabelSubtitlePlaybackMode": "Modo da Legenda:",
+ "LabelDownloadLanguages": "Idiomas para download:",
+ "ButtonRegister": "Registrar",
+ "LabelSkipIfAudioTrackPresent": "Ignorar se a faixa de \u00e1udio padr\u00e3o coincidir com o idioma de download",
+ "LabelSkipIfAudioTrackPresentHelp": "Desmarque esta op\u00e7\u00e3o para garantir que todos os v\u00eddeos t\u00eam legendas, independente do idioma do \u00e1udio.",
+ "HeaderSendMessage": "Enviar mensagem",
+ "ButtonSend": "Enviar",
+ "LabelMessageText": "Texto da mensagem:",
+ "MessageNoAvailablePlugins": "N\u00e3o existem plugins dispon\u00edveis.",
+ "LabelDisplayPluginsFor": "Exibir plugins para:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Nome do epis\u00f3dio",
+ "LabelSeriesNamePlain": "Nome da s\u00e9rie",
+ "ValueSeriesNamePeriod": "Nome.s\u00e9rie",
+ "ValueSeriesNameUnderscore": "Nome_s\u00e9rie",
+ "ValueEpisodeNamePeriod": "Nome.epis\u00f3dio",
+ "ValueEpisodeNameUnderscore": "Nome_epis\u00f3dio",
+ "LabelSeasonNumberPlain": "N\u00famero da temporada",
+ "LabelEpisodeNumberPlain": "N\u00famero do epis\u00f3dio",
+ "LabelEndingEpisodeNumberPlain": "N\u00famero do epis\u00f3dio final",
+ "HeaderTypeText": "Digitar texto",
+ "LabelTypeText": "Texto",
+ "HeaderSearchForSubtitles": "Buscar Legendas",
+ "MessageNoSubtitleSearchResultsFound": "N\u00e3o foi encontrado nenhum resultado.",
+ "TabDisplay": "Exibi\u00e7\u00e3o",
+ "TabLanguages": "Idiomas",
+ "TabWebClient": "Cliente Web",
+ "LabelEnableThemeSongs": "Ativar m\u00fasicas-tema",
+ "LabelEnableBackdrops": "Ativar imagens de fundo",
+ "LabelEnableThemeSongsHelp": "Se ativadas, m\u00fasicas-tema ser\u00e3o reproduzidas em segundo plano ao navegar pela biblioteca.",
+ "LabelEnableBackdropsHelp": "Se ativadas, imagens de fundo ser\u00e3o exibidas ao fundo de algumas p\u00e1ginas ao navegar pela biblioteca.",
+ "HeaderHomePage": "P\u00e1gina Inicial",
+ "HeaderSettingsForThisDevice": "Ajustes para Este Dispositivo",
+ "OptionAuto": "Auto",
+ "OptionYes": "Sim",
+ "OptionNo": "N\u00e3o",
+ "LabelHomePageSection1": "Tela de in\u00edcio se\u00e7\u00e3o 1:",
+ "LabelHomePageSection2": "Tela de in\u00edcio se\u00e7\u00e3o 2:",
+ "LabelHomePageSection3": "Tela de in\u00edcio se\u00e7\u00e3o 3:",
+ "LabelHomePageSection4": "Tela de in\u00edcio se\u00e7\u00e3o 4:",
+ "OptionMyViewsButtons": "Minhas visualiza\u00e7\u00f5es (bot\u00f5es)",
+ "OptionMyViews": "Minhas visualiza\u00e7\u00f5es",
+ "OptionMyViewsSmall": "Minhas visualiza\u00e7\u00f5es (pequeno)",
+ "OptionResumablemedia": "Retomar",
+ "OptionLatestMedia": "M\u00eddias recentes",
+ "OptionLatestChannelMedia": "Itens recentes de canal",
+ "HeaderLatestChannelItems": "Itens Recentes de Canal",
+ "OptionNone": "Nenhum",
+ "HeaderLiveTv": "TV ao Vivo",
+ "HeaderReports": "Relat\u00f3rios",
+ "HeaderMetadataManager": "Gerenciador de Metadados",
+ "HeaderPreferences": "Prefer\u00eancias",
+ "MessageLoadingChannels": "Carregando conte\u00fado do canal...",
+ "MessageLoadingContent": "Carregando conte\u00fado...",
+ "ButtonMarkRead": "Marcar com lido",
+ "OptionDefaultSort": "Padr\u00e3o",
+ "OptionCommunityMostWatchedSort": "Mais Assistidos",
+ "TabNextUp": "Pr\u00f3ximos",
+ "MessageNoMovieSuggestionsAvailable": "N\u00e3o existem sugest\u00f5es de filmes dispon\u00edveis atualmente. Comece por assistir e avaliar seus filmes e, ent\u00e3o, volte para verificar suas recomenda\u00e7\u00f5es.",
+ "MessageNoCollectionsAvailable": "Cole\u00e7\u00f5es permitem que voc\u00ea agrupe os Filmes, S\u00e9ries, Livros e Jogos de forma personalizada. Clique no bot\u00e3o Nova para iniciar a cria\u00e7\u00e3o de Cole\u00e7\u00f5es.",
+ "MessageNoPlaylistsAvailable": "Listas de reprodu\u00e7\u00e3o permitem criar listas com conte\u00fado para reproduzir consecutivamente, de uma s\u00f3 vez. Para adicionar itens \u00e0s listas de reprodu\u00e7\u00e3o, clique com o bot\u00e3o direito ou toque a tela por alguns segundos, depois selecione Adicionar \u00e0 Lista de Reprodu\u00e7\u00e3o.",
+ "MessageNoPlaylistItemsAvailable": "Esta lista de reprodu\u00e7\u00e3o est\u00e1 vazia.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Bem-vindo ao Cliente Web do Media Browser",
+ "ButtonDismiss": "Descartar",
+ "ButtonTakeTheTour": "Fa\u00e7a o tour",
+ "ButtonEditOtherUserPreferences": "Editar este perfil de usu\u00e1rio, senha e prefer\u00eancias pessoais.",
+ "LabelChannelStreamQuality": "Qualidade preferida do stream de internet:",
+ "LabelChannelStreamQualityHelp": "Em um ambiente com banda larga de pouca velocidade, limitar a qualidade pode ajudar a assegurar um streaming mais flu\u00eddo.",
+ "OptionBestAvailableStreamQuality": "Melhor dispon\u00edvel",
+ "LabelEnableChannelContentDownloadingFor": "Ativar o download de conte\u00fado do canal para:",
+ "LabelEnableChannelContentDownloadingForHelp": "Alguns canais suportam o download de conte\u00fado antes de sua visualiza\u00e7\u00e3o. Ative esta fun\u00e7\u00e3o em ambientes com banda larga de baixa velocidade para fazer o download do conte\u00fado do canal durante horas sem uso. O conte\u00fado \u00e9 transferido como parte da tarefa agendada de download do canal.",
+ "LabelChannelDownloadPath": "Caminho para download do conte\u00fado do canal:",
+ "LabelChannelDownloadPathHelp": "Se desejar, defina um caminho personalizado para a transfer\u00eancia. Deixe em branco para fazer download para uma pasta interna do programa.",
+ "LabelChannelDownloadAge": "Excluir conte\u00fado depois de: (dias)",
+ "LabelChannelDownloadAgeHelp": "O conte\u00fado transferido que for mais velho que este valor ser\u00e1 exclu\u00eddo. Poder\u00e1 seguir reproduzindo-o atrav\u00e9s de streaming da internet.",
+ "ChannelSettingsFormHelp": "Instalar canais como, por exemplo, Trailers e Vimeo no cat\u00e1logo de plugins.",
+ "LabelSelectCollection": "Selecione cole\u00e7\u00e3o:",
+ "ButtonOptions": "Op\u00e7\u00f5es",
+ "ViewTypeMovies": "Filmes",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Jogos",
+ "ViewTypeMusic": "M\u00fasicas",
+ "ViewTypeBoxSets": "Cole\u00e7\u00f5es",
+ "ViewTypeChannels": "Canais",
+ "ViewTypeLiveTV": "TV ao Vivo",
+ "ViewTypeLiveTvNowPlaying": "Exibindo Agora",
+ "ViewTypeLatestGames": "Jogos Recentes",
+ "ViewTypeRecentlyPlayedGames": "Reproduzido Recentemente",
+ "ViewTypeGameFavorites": "Favoritos",
+ "ViewTypeGameSystems": "Sistemas de Jogo",
+ "ViewTypeGameGenres": "G\u00eaneros",
+ "ViewTypeTvResume": "Retomar",
+ "ViewTypeTvNextUp": "Pr\u00f3ximos",
+ "ViewTypeTvLatest": "Recentes",
+ "ViewTypeTvShowSeries": "S\u00e9ries",
+ "ViewTypeTvGenres": "G\u00eaneros",
+ "ViewTypeTvFavoriteSeries": "S\u00e9ries Favoritas",
+ "ViewTypeTvFavoriteEpisodes": "Epis\u00f3dios Favoritos",
+ "ViewTypeMovieResume": "Retomar",
+ "ViewTypeMovieLatest": "Recentes",
+ "ViewTypeMovieMovies": "Filmes",
+ "ViewTypeMovieCollections": "Cole\u00e7\u00f5es",
+ "ViewTypeMovieFavorites": "Favoritos",
+ "ViewTypeMovieGenres": "G\u00eaneros",
+ "ViewTypeMusicLatest": "Recentes",
+ "ViewTypeMusicAlbums": "\u00c1lbuns",
+ "ViewTypeMusicAlbumArtists": "Artistas do \u00c1lbum",
+ "HeaderOtherDisplaySettings": "Ajustes de Exibi\u00e7\u00e3o",
+ "ViewTypeMusicSongs": "M\u00fasicas",
+ "ViewTypeMusicFavorites": "Favoritos",
+ "ViewTypeMusicFavoriteAlbums": "\u00c1lbuns Favoritos",
+ "ViewTypeMusicFavoriteArtists": "Artistas Favoritos",
+ "ViewTypeMusicFavoriteSongs": "M\u00fasicas Favoritas",
+ "HeaderMyViews": "Minhas Visualiza\u00e7\u00f5es",
+ "LabelSelectFolderGroups": "Agrupar automaticamente o conte\u00fado das seguintes pastas dentro das visualiza\u00e7\u00f5es como Filmes, M\u00fasicas e TV:",
+ "LabelSelectFolderGroupsHelp": "Pastas que n\u00e3o est\u00e3o marcadas ser\u00e3o exibidas em sua pr\u00f3pria visualiza\u00e7\u00e3o.",
+ "OptionDisplayAdultContent": "Exibir conte\u00fado adulto",
+ "OptionLibraryFolders": "Pastas de m\u00eddias",
+ "TitleRemoteControl": "Controle Remoto",
+ "OptionLatestTvRecordings": "\u00daltimas grava\u00e7\u00f5es",
+ "LabelProtocolInfo": "Informa\u00e7\u00e3o do protocolo:",
+ "LabelProtocolInfoHelp": "O valor que ser\u00e1 usado ao responder os pedidos GetProtocolInfo do dispositivo.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "O Media Browser inclui suporte nativo aos metadados e imagens Nfo do Kodi. Para ativar ou desativar os metadados do Kodi, use a aba Avan\u00e7ado e configure as op\u00e7\u00f5es dos seus tipos de m\u00eddia.",
+ "LabelKodiMetadataUser": "Adicionar informa\u00e7\u00f5es do que o usu\u00e1rio assiste aos nfo's para:",
+ "LabelKodiMetadataUserHelp": "Ativar esta op\u00e7\u00e3o para manter os dados sincronizados entre o Media Browser e o Kodi.",
+ "LabelKodiMetadataDateFormat": "Formato da data de lan\u00e7amento:",
+ "LabelKodiMetadataDateFormatHelp": "Todas as datas dentro dos nfo's ser\u00e3o lidas e gravadas usando este formato.",
+ "LabelKodiMetadataSaveImagePaths": "Salvar o caminho das imagens dentro dos arquivos nfo's",
+ "LabelKodiMetadataSaveImagePathsHelp": "Esta op\u00e7\u00e3o \u00e9 recomendada se voc\u00ea tiver nomes de arquivos de imagem que n\u00e3o est\u00e3o de acordo \u00e0s recomenda\u00e7\u00f5es do Kodi.",
+ "LabelKodiMetadataEnablePathSubstitution": "Ativar substitui\u00e7\u00e3o de caminho",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Ativa a substitui\u00e7\u00e3o do caminho das imagens usando as op\u00e7\u00f5es de substitui\u00e7\u00e3o de caminho no servidor.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "Ver substitui\u00e7\u00e3o de caminho.",
+ "LabelGroupChannelsIntoViews": "Exibir os seguintes canais diretamente dentro de minhas visualiza\u00e7\u00f5es:",
+ "LabelGroupChannelsIntoViewsHelp": "Se ativados, estes canais ser\u00e3o exibidos imediatamente ao lado de outras visualiza\u00e7\u00f5es. Se desativado, eles ser\u00e3o exibidos dentro de uma visualiza\u00e7\u00e3o separada de Canais.",
+ "LabelDisplayCollectionsView": "Exibir uma visualiza\u00e7\u00e3o de cole\u00e7\u00f5es para mostrar colet\u00e2neas de filmes",
+ "LabelKodiMetadataEnableExtraThumbs": "Copiar extrafanart para extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "Ao fazer download das imagens, elas podem ser salvas em ambas extrafanart e extrathumbs para uma maior compatibilidade com as skins do Kodi.",
+ "TabServices": "Servi\u00e7os",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Arquivos de log do servidor:",
+ "TabBranding": "Marca",
+ "HeaderBrandingHelp": "Personalize a apar\u00eancia do Media Browser para as necessidades de seu grupo ou organiza\u00e7\u00e3o.",
+ "LabelLoginDisclaimer": "Aviso legal no login:",
+ "LabelLoginDisclaimerHelp": "Este aviso ser\u00e1 exibido na parte inferior da p\u00e1gina de login.",
+ "LabelAutomaticallyDonate": "Doar automaticamente este valor a cada m\u00eas"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/pt_PT.json b/MediaBrowser.Server.Implementations/Localization/Server/pt_PT.json
index 9bf58eeef9..274b21f9a6 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/pt_PT.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/pt_PT.json
@@ -1,595 +1,4 @@
{
- "LabelPrePaddingMinutes": "Minutos pr\u00e9vios extra:",
- "OptionPrePaddingRequired": "S\u00e3o necess\u00e1rios minutos pr\u00e9vios extra para poder gravar.",
- "LabelPostPaddingMinutes": "Minutos posteriores extra:",
- "OptionPostPaddingRequired": "S\u00e3o necess\u00e1rios minutos posteriores extra para poder gravar.",
- "HeaderWhatsOnTV": "Agora a exibir",
- "HeaderUpcomingTV": "Pr\u00f3ximos Programas",
- "TabStatus": "Estado",
- "TabSettings": "Configura\u00e7\u00f5es",
- "ButtonRefreshGuideData": "Atualizar Dados do Guia",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "Prioridade",
- "OptionRecordOnAllChannels": "Gravar programa em todos os canais",
- "OptionRecordAnytime": "Gravar programa em qualquer altura",
- "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios",
- "HeaderDays": "Dias",
- "HeaderActiveRecordings": "Grava\u00e7\u00f5es ativas",
- "HeaderLatestRecordings": "\u00daltimas Grava\u00e7\u00f5es",
- "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es",
- "ButtonPlay": "Reproduzir",
- "ButtonEdit": "Editar",
- "ButtonRecord": "Gravar",
- "ButtonDelete": "Remover",
- "ButtonRemove": "Remover",
- "OptionRecordSeries": "Gravar S\u00e9rie",
- "HeaderDetails": "Detalhes",
- "TitleLiveTV": "TV ao Vivo",
- "LabelNumberOfGuideDays": "N\u00famero de dias de informa\u00e7\u00e3o do guia para transferir:",
- "LabelNumberOfGuideDaysHelp": "Transferir mais dias de informa\u00e7\u00e3o do guia permite agendar com maior anteced\u00eancia e ver mais listagens, no entanto ir\u00e1 levar mais tempo a transferir. Se optar que seja Autom\u00e1tico, ser\u00e1 escolhido baseado no n\u00famero de canais.",
- "LabelActiveService": "Ativar Servi\u00e7o:",
- "LabelActiveServiceHelp": "Podem ser instalados m\u00faltiplas extens\u00f5es para TV, mas s\u00f3 pode estar ativo um de cada vez.",
- "OptionAutomatic": "Autom\u00e1tico",
- "LiveTvPluginRequired": "Uma extens\u00e3o de um fornecedor de servi\u00e7o de TV ao Vivo \u00e9 necess\u00e1rio para continuar.",
- "LiveTvPluginRequiredHelp": "Por favor instale uma das nossas extens\u00f5es dispon\u00edveis, como a Next Pvr ou ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Personalizar para o tipo de conte\u00fado:",
- "OptionDownloadThumbImage": "Miniatura",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Caixa",
- "OptionDownloadDiscImage": "Disco",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Traseira",
- "OptionDownloadArtImage": "Arte",
- "OptionDownloadPrimaryImage": "Principal",
- "HeaderFetchImages": "Buscar Imagens:",
- "HeaderImageSettings": "Op\u00e7\u00f5es da Imagem",
- "TabOther": "Outro",
- "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de imagens de fundo por item:",
- "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de imagens de ecr\u00e3 por item:",
- "LabelMinBackdropDownloadWidth": "Transferir Imagens de fundo com o tamanho m\u00ednimo:",
- "LabelMinScreenshotDownloadWidth": "Transferir imagens de ecr\u00e3 com o tamanho m\u00ednimo:",
- "ButtonAddScheduledTaskTrigger": "Adicionar Acionador da Tarefa",
- "HeaderAddScheduledTaskTrigger": "Adicionar Acionador da Tarefa",
- "ButtonAdd": "Adicionar",
- "LabelTriggerType": "Tipo do Acionador:",
- "OptionDaily": "Diariamente",
- "OptionWeekly": "Semanalmente",
- "OptionOnInterval": "Num intervalo",
- "OptionOnAppStartup": "Ao iniciar a aplica\u00e7\u00e3o",
- "OptionAfterSystemEvent": "Depois de um evento do sistema",
- "LabelDay": "Dia:",
- "LabelTime": "Tempo:",
- "LabelEvent": "Evento:",
- "OptionWakeFromSleep": "Retomar da suspens\u00e3o",
- "LabelEveryXMinutes": "Todos",
- "HeaderTvTuners": "Sintonizadores",
- "HeaderGallery": "Galeria",
- "HeaderLatestGames": "\u00daltimos Jogos",
- "HeaderRecentlyPlayedGames": "Jogos jogados recentemente",
- "TabGameSystems": "Sistemas de Jogos",
- "TitleMediaLibrary": "Biblioteca Multim\u00e9dia",
- "TabFolders": "Pastas",
- "TabPathSubstitution": "Substitui\u00e7\u00e3o de Localiza\u00e7\u00e3o",
- "LabelSeasonZeroDisplayName": "Nome de apresenta\u00e7\u00e3o da temporada 0:",
- "LabelEnableRealtimeMonitor": "Ativar monitoriza\u00e7\u00e3o em tempo real",
- "LabelEnableRealtimeMonitorHelp": "As altera\u00e7\u00f5es ir\u00e3o ser processadas imediatamente em sistemas de ficheiros suportados.",
- "ButtonScanLibrary": "Analisar Biblioteca",
- "HeaderNumberOfPlayers": "Jogadores:",
- "OptionAnyNumberOfPlayers": "Qualquer",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Pastas Multim\u00e9dia",
- "HeaderThemeVideos": "V\u00eddeos Tem\u00e1ticos",
- "HeaderThemeSongs": "M\u00fasicas Tem\u00e1ticas",
- "HeaderScenes": "Cenas",
- "HeaderAwardsAndReviews": "Pr\u00e9mios e Cr\u00edticas",
- "HeaderSoundtracks": "Banda Sonora",
- "HeaderMusicVideos": "V\u00eddeos de M\u00fasica",
- "HeaderSpecialFeatures": "Extras",
- "HeaderCastCrew": "Elenco e Equipa",
- "HeaderAdditionalParts": "Partes Adicionais",
- "ButtonSplitVersionsApart": "Separar Vers\u00f5es",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Em falta",
- "LabelOffline": "Desconectado",
- "PathSubstitutionHelp": "Substitui\u00e7\u00f5es de localiza\u00e7\u00e3o s\u00e3o usadas para mapear uma localiza\u00e7\u00e3o no servidor que possa ser acedido pelos clientes. Ao permitir o acesso dos clientes ao conte\u00fado multim\u00e9dia no servidor, permite-lhes reproduzir diretamente atrav\u00e9s da rede e evitar o uso de recursos do servidor para fazer stream ou transcodifica\u00e7\u00e3o.",
- "HeaderFrom": "De",
- "HeaderTo": "Para",
- "LabelFrom": "De:",
- "LabelFromHelp": "Exemplo: D:\\Filmes (no servidor)",
- "LabelTo": "Para:",
- "LabelToHelp": "Exemplo: \\\\OMeuServidor\\Filmes (uma localiza\u00e7\u00e3o que os clientes possam aceder)",
- "ButtonAddPathSubstitution": "Adicionar Substitui\u00e7\u00e3o",
- "OptionSpecialEpisode": "Especiais",
- "OptionMissingEpisode": "Epis\u00f3dios em Falta",
- "OptionUnairedEpisode": "Epis\u00f3dios por Estrear",
- "OptionEpisodeSortName": "Nome de Ordena\u00e7\u00e3o do Epis\u00f3dio",
- "OptionSeriesSortName": "Nome da S\u00e9rie",
- "OptionTvdbRating": "Classifica\u00e7\u00e3o no Tvdb",
- "HeaderTranscodingQualityPreference": "Prefer\u00eancia da Qualidade de Transcodifica\u00e7\u00e3o:",
- "OptionAutomaticTranscodingHelp": "O servidor ir\u00e1 decidir a qualidade e a velocidade",
- "OptionHighSpeedTranscodingHelp": "Baixa qualidade mas r\u00e1pida codifica\u00e7\u00e3o",
- "OptionHighQualityTranscodingHelp": "Alta qualidade mas lenta codifica\u00e7\u00e3o",
- "OptionMaxQualityTranscodingHelp": "M\u00e1xima qualidade com codifica\u00e7\u00e3o lenta e utiliza\u00e7\u00e3o do CPU elevada",
- "OptionHighSpeedTranscoding": "Mais alta velocidade",
- "OptionHighQualityTranscoding": "Mais alta qualidade",
- "OptionMaxQualityTranscoding": "M\u00e1xima qualidade",
- "OptionEnableDebugTranscodingLogging": "Ativar log de depura\u00e7\u00e3o da transcodifica\u00e7\u00e3o",
- "OptionEnableDebugTranscodingLoggingHelp": "Ir\u00e1 criar ficheiros log muito grandes e s\u00f3 \u00e9 recomendado para ajudar na resolu\u00e7\u00e3o de problemas.",
- "OptionUpscaling": "Permitir aos clientes solicitar o aumento da resolu\u00e7\u00e3o do v\u00eddeo",
- "OptionUpscalingHelp": "Em alguns casos ir\u00e1 resultar no aumento da qualidade do v\u00eddeo mas ir\u00e1 aumentar a utiliza\u00e7\u00e3o do CPU.",
- "EditCollectionItemsHelp": "Adicione ou remova qualquer filme, s\u00e9rie, \u00e1lbum, livro ou jogo que desejar agrupar dentro desta cole\u00e7\u00e3o.",
- "HeaderAddTitles": "Adicional T\u00edtulos",
- "LabelEnableDlnaPlayTo": "Ativar DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "O Media Browser pode detetar dispositivos dentro da sua rede, dando-lhe a possibilidade de os controlar remotamente.",
- "LabelEnableDlnaDebugLogging": "Ativar log de depura\u00e7\u00e3o do DLNA",
- "LabelEnableDlnaDebugLoggingHelp": "Isto ir\u00e1 criar ficheiros de log grandes e deve ser usado apenas quando \u00e9 necess\u00e1rio para depurar problemas.",
- "LabelEnableDlnaClientDiscoveryInterval": "Intervalo para a descoberta do cliente (segundos)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as procuras SSDP feitas pelo Media Browser.",
- "HeaderCustomDlnaProfiles": "Perfis Personalizados",
- "HeaderSystemDlnaProfiles": "Perfis de Sistema",
- "CustomDlnaProfilesHelp": "Crie um perfil personalizado para um novo dispositivo ou para sobrepor um perfil de sistema.",
- "SystemDlnaProfilesHelp": "Perfis de sistema s\u00e3o apenas de leitura. Mudan\u00e7as a um perfil de sistema ser\u00e3o guardadas num novo perfil personalizado.",
- "TitleDashboard": "Painel Principal",
- "TabHome": "In\u00edcio",
- "TabInfo": "Info",
- "HeaderLinks": "Hiperliga\u00e7\u00f5es",
- "HeaderSystemPaths": "Localiza\u00e7\u00f5es de Sistema",
- "LinkCommunity": "Comunidade",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Documenta\u00e7\u00e3o da API",
- "LabelFriendlyServerName": "Nome amig\u00e1vel do servidor:",
- "LabelFriendlyServerNameHelp": "Ser\u00e1 usado este nome para identificar o servidor. Se n\u00e3o for preenchido, ser\u00e1 usado o nome do computador.",
- "LabelPreferredDisplayLanguage": "Idioma de apresenta\u00e7\u00e3o de prefer\u00eancia",
- "LabelPreferredDisplayLanguageHelp": "A tradu\u00e7\u00e3o do Media Browser \u00e9 um projeto em andamento e ainda n\u00e3o est\u00e1 completo.",
- "LabelReadHowYouCanContribute": "Leia sobre como pode contribuir.",
- "HeaderNewCollection": "Nova Cole\u00e7\u00e3o",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Guerra das Estrelas",
- "OptionSearchForInternetMetadata": "Procurar na internet por imagens e metadados",
- "ButtonCreate": "Criar",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "N\u00famero da porta da Web socket:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "DDNS Externo:",
- "LabelExternalDDNSHelp": "Se tem um DNS din\u00e2mico insira-o aqui. As aplica\u00e7\u00f5es Media Browser ir\u00e3o us\u00e1-lo ao conectarem-se remotamente.",
- "TabResume": "Retomar",
- "TabWeather": "Tempo",
- "TitleAppSettings": "Configura\u00e7\u00f5es da Aplica\u00e7\u00e3o",
- "LabelMinResumePercentage": "Percentagem m\u00ednima para retomar:",
- "LabelMaxResumePercentage": "Percentagem m\u00e1xima para retomar:",
- "LabelMinResumeDuration": "Dura\u00e7\u00e3o m\u00ednima da retoma (segundos):",
- "LabelMinResumePercentageHelp": "Os t\u00edtulos s\u00e3o considerados n\u00e3o assistidos se parados antes deste tempo",
- "LabelMaxResumePercentageHelp": "Os t\u00edtulos s\u00e3o considerados totalmente assistidos se parados depois deste tempo",
- "LabelMinResumeDurationHelp": "T\u00edtulos mais curtos que isto n\u00e3o ser\u00e3o retom\u00e1veis",
- "TitleAutoOrganize": "Organiza\u00e7\u00e3o Autom\u00e1tica",
- "TabActivityLog": "Log da Atividade",
- "HeaderName": "Nome",
- "HeaderDate": "Data",
- "HeaderSource": "Origem",
- "HeaderDestination": "Destino",
- "HeaderProgram": "Programa",
- "HeaderClients": "Clientes",
- "LabelCompleted": "Terminado",
- "LabelFailed": "Failed",
- "LabelSkipped": "Ignorado",
- "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o dos Epis\u00f3dios",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "N\u00famero da temporada:",
- "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:",
- "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:",
- "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios",
- "HeaderSupportTheTeam": "Apoie a Equipa do Media Browser",
- "LabelSupportAmount": "Quantia (USD)",
- "HeaderSupportTheTeamHelp": "Ajude a garantir o desenvolvimento continuado deste projeto, doando. Uma parte de todas as doa\u00e7\u00f5es ser\u00e1 para contribuir para outras ferramentas gratuitas em que dependemos.",
- "ButtonEnterSupporterKey": "Insira a chave de apoiante",
- "DonationNextStep": "Assim que termine, por favor volte e insira a sua chave de apoiante, a qual ir\u00e1 receber por email.",
- "AutoOrganizeHelp": "O auto-organizar monitoriza as suas pastas de transfer\u00eancias em busca de novos ficheiros e move-os para as suas pastas multim\u00e9dia.",
- "AutoOrganizeTvHelp": "A organiza\u00e7\u00e3o de ficheiros de TV s\u00f3 ir\u00e1 adicionar ficheiros \u00e0s s\u00e9ries existentes. Ela n\u00e3o ir\u00e1 criar novas pastas de s\u00e9ries.",
- "OptionEnableEpisodeOrganization": "Ativar a organiza\u00e7\u00e3o de novos epis\u00f3dios",
- "LabelWatchFolder": "Observar pasta:",
- "LabelWatchFolderHelp": "O servidor ir\u00e1 pesquisar esta pasta durante a tarefa agendada 'Organizar novos ficheiros multim\u00e9dia'.",
- "ButtonViewScheduledTasks": "Ver tarefas agendadas",
- "LabelMinFileSizeForOrganize": "Tamanho m\u00ednimo do ficheiro (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Ficheiros at\u00e9 este tamanho ser\u00e3o ignorados.",
- "LabelSeasonFolderPattern": "Padr\u00e3o da pasta da temporada:",
- "LabelSeasonZeroFolderName": "Nome da pasta da temporada zero:",
- "HeaderEpisodeFilePattern": "Padr\u00e3o do ficheiro de epis\u00f3dio",
- "LabelEpisodePattern": "Padr\u00e3o dos epis\u00f3dios:",
- "LabelMultiEpisodePattern": "Padr\u00e3o de multi-epis\u00f3dios:",
- "HeaderSupportedPatterns": "Padr\u00f5es Suportados",
- "HeaderTerm": "Termo",
- "HeaderPattern": "Padr\u00e3o",
- "HeaderResult": "Resultado",
- "LabelDeleteEmptyFolders": "Remover pastas vazias depois de organizar",
- "LabelDeleteEmptyFoldersHelp": "Ative isto para manter a pasta de downloads limpa.",
- "LabelDeleteLeftOverFiles": "Apagar os ficheiros deixados com as seguintes extens\u00f5es:",
- "LabelDeleteLeftOverFilesHelp": "Separar com ;. Por exemplo: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Sobrepor epis\u00f3dios existentes",
- "LabelTransferMethod": "M\u00e9todo da transfer\u00eancia",
- "OptionCopy": "Copiar",
- "OptionMove": "Mover",
- "LabelTransferMethodHelp": "Copiar ou mover ficheiros da pasta observada",
- "HeaderLatestNews": "\u00daltimas Not\u00edcias",
- "HeaderHelpImproveMediaBrowser": "Ajude a melhorar o Media Browser",
- "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o",
- "HeaderActiveDevices": "Dispositivos Ativos",
- "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes",
- "HeaerServerInformation": "Informa\u00e7\u00e3o do Servidor",
- "ButtonRestartNow": "Reiniciar Agora",
- "ButtonRestart": "Reiniciar",
- "ButtonShutdown": "Encerrar",
- "ButtonUpdateNow": "Atualizar Agora",
- "PleaseUpdateManually": "Por favor encerre o servidor e atualize manualmente.",
- "NewServerVersionAvailable": "Est\u00e1 dispon\u00edvel uma nova vers\u00e3o do Media Browser!",
- "ServerUpToDate": "O Media Browser est\u00e1 atualizado",
- "ErrorConnectingToMediaBrowserRepository": "Ocorreu um erro ao conectar ao reposit\u00f3rio remoto do Media Browser.",
- "LabelComponentsUpdated": "Os componentes seguintes foram instalados ou atualizados:",
- "MessagePleaseRestartServerToFinishUpdating": "Por favor reinicie o servidor para terminar a aplica\u00e7\u00e3o das atualiza\u00e7\u00f5es.",
- "LabelDownMixAudioScale": "Escala do aumento de \u00e1udio ao fazer downmix:",
- "LabelDownMixAudioScaleHelp": "Aumentar o \u00e1udio ao fazer downmix. Defina como 1 para preservar o volume original.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Chave de apoiante antiga",
- "LabelNewSupporterKey": "Chave de apoiante nova",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Endere\u00e7o de email atual",
- "LabelCurrentEmailAddressHelp": "O endere\u00e7o de email atual para o qual a sua nova chave foi enviada.",
- "HeaderForgotKey": "Esqueci a Chave",
- "LabelEmailAddress": "Endere\u00e7o de email",
- "LabelSupporterEmailAddress": "O endere\u00e7o de email que foi usado para comprar a chave.",
- "ButtonRetrieveKey": "Recuperar Chave",
- "LabelSupporterKey": "Chave de Apoiante (colar do email)",
- "LabelSupporterKeyHelp": "Insira a sua chave de apoiante para come\u00e7ar a tirar partido dos benef\u00edcios adicionais que a comunidade desenvolveu para o Media Browser.",
- "MessageInvalidKey": "Chave de apoiante ausente ou inv\u00e1lida",
- "ErrorMessageInvalidKey": "Para registar conte\u00fado premium, voc\u00ea deve ser um apoiante do Media Browser. Por favor, fa\u00e7a uma doa\u00e7\u00e3o e apoie o desenvolvimento cont\u00ednuo do produto. Obrigado.",
- "HeaderDisplaySettings": "Apresentar Configura\u00e7\u00f5es",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Ativar servidor DLNA",
- "LabelEnableDlnaServerHelp": "Permite aos dispositivos UPnP da sua rede, navegar e reproduzir conte\u00fado do Media Browser.",
- "LabelEnableBlastAliveMessages": "Propagar mensagens de reconhecimento",
- "LabelEnableBlastAliveMessagesHelp": "Ativar isto se o servidor n\u00e3o \u00e9 detetado convenientemente por outros dispositivos UPnP na sua rede.",
- "LabelBlastMessageInterval": "Intervalo das mensagens de reconhecimento (segundos)",
- "LabelBlastMessageIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as mensagens de explora\u00e7\u00e3o enviadas pelo servidor.",
- "LabelDefaultUser": "Utilizador padr\u00e3o:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Op\u00e7\u00f5es do Servidor",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "C\u00f3digo postal dos EUA \/ Cidade, Estado, Pa\u00eds \/ Cidade, Pa\u00eds",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Necessita a inser\u00e7\u00e3o manual de um nome de utilizador para:",
- "HeaderRequireManualLoginHelp": "Quando desativados, os clientes podem mostrar a tela de login com uma sele\u00e7\u00e3o visual de utilizadores.",
- "OptionOtherApps": "Outras apps",
- "OptionMobileApps": "Apps m\u00f3veis",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Dispon\u00edvel atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o",
- "NotificationOptionApplicationUpdateInstalled": "Instalada atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o",
- "NotificationOptionPluginUpdateInstalled": "Instalada atualiza\u00e7\u00e3o da extens\u00e3o",
- "NotificationOptionPluginInstalled": "Extens\u00e3o instalada",
- "NotificationOptionPluginUninstalled": "Extens\u00e3o desinstalada",
- "NotificationOptionVideoPlayback": "Reprodu\u00e7\u00e3o de v\u00eddeo iniciada",
- "NotificationOptionAudioPlayback": "Reprodu\u00e7\u00e3o de \u00e1udio iniciada",
- "NotificationOptionGamePlayback": "Reprodu\u00e7\u00e3o de jogo iniciada",
- "NotificationOptionVideoPlaybackStopped": "Reprodu\u00e7\u00e3o de v\u00eddeo parada",
- "NotificationOptionAudioPlaybackStopped": "Reprodu\u00e7\u00e3o de \u00e1udio parada",
- "NotificationOptionGamePlaybackStopped": "Reprodu\u00e7\u00e3o de jogo parada",
- "NotificationOptionTaskFailed": "Falha na tarefa agendada",
- "NotificationOptionInstallationFailed": "Falha na instala\u00e7\u00e3o",
- "NotificationOptionNewLibraryContent": "Adicionado novo conte\u00fado",
- "NotificationOptionNewLibraryContentMultiple": "Novo conte\u00fado adicionado (m\u00faltiplo)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "\u00c9 necess\u00e1rio reiniciar o servidor",
- "LabelNotificationEnabled": "Ativar esta notifica\u00e7\u00e3o",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Enviar notifica\u00e7\u00e3o para:",
- "LabelUseNotificationServices": "Usar os seguintes servi\u00e7os:",
- "CategoryUser": "Utilizador",
- "CategorySystem": "Sistema",
- "CategoryApplication": "Aplica\u00e7\u00e3o",
- "CategoryPlugin": "Extens\u00e3o",
- "LabelMessageTitle": "Titulo da mensagem:",
- "LabelAvailableTokens": "Tokens dispon\u00edveis:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "Todos os utilizadores",
- "OptionAdminUsers": "Administradores",
- "OptionCustomUsers": "Personalizado",
- "ButtonArrowUp": "Cima",
- "ButtonArrowDown": "Baixo",
- "ButtonArrowLeft": "Esquerda",
- "ButtonArrowRight": "Direita",
- "ButtonBack": "Voltar",
- "ButtonInfo": "Informa\u00e7\u00e3o",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "In\u00edcio",
- "ButtonSearch": "Procurar",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "A reproduzir agora",
- "TabNavigation": "Navega\u00e7\u00e3o",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Cenas",
- "ButtonSubtitles": "Legendas",
- "ButtonAudioTracks": "Faixas de \u00e1udio",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Parar",
- "ButtonPause": "Pausar",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Falha na extens\u00e3o",
- "ButtonVolumeUp": "Aumentar volume",
- "ButtonVolumeDown": "Diminuir volume",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Tipo:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Contentor:",
- "LabelProfileVideoCodecs": "Codecs do v\u00eddeo:",
- "LabelProfileAudioCodecs": "Codecs do \u00e1udio:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Exibir todos os v\u00eddeos como itens de v\u00eddeo simples",
- "OptionPlainVideoItemsHelp": "Se ativado, todos os v\u00eddeos s\u00e3o representados no DIDL como \"object.item.videoItem\" ao inv\u00e9s de um tipo mais espec\u00edfico como, por exemplo, \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Tipos de Conte\u00fados Suportados:",
- "TabIdentification": "Identifica\u00e7\u00e3o",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Reprodu\u00e7\u00e3o Direta",
- "TabContainers": "Contentores",
- "TabCodecs": "Codecs",
- "TabResponses": "Respostas",
- "HeaderProfileInformation": "Informa\u00e7\u00e3o do Perfil",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este m\u00e9todo para obter a capa do \u00e1lbum. Outros podem falhar para reproduzir com esta op\u00e7\u00e3o ativada",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Largura m\u00e1xima do \u00edcone:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Altura m\u00e1xima do \u00edcone:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "Estes valores controlam como o Media Browser ser\u00e1 exibido no dispositivo.",
- "LabelMaxBitrate": "Taxa de bits m\u00e1xima:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Nome amig\u00e1vel",
- "LabelManufacturer": "Fabricante",
- "LabelManufacturerUrl": "URL do fabricante",
- "LabelModelName": "Nome do modelo",
- "LabelModelNumber": "N\u00famero do modelo",
- "LabelModelDescription": "Descri\u00e7\u00e3o do modelo",
- "LabelModelUrl": "URL do modelo",
- "LabelSerialNumber": "N\u00famero de s\u00e9rie",
- "LabelDeviceDescription": "Descri\u00e7\u00e3o do dispositivo",
- "HeaderIdentificationCriteriaHelp": "Digite, pelo menos, um crit\u00e9rio de identifica\u00e7\u00e3o.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Flags de agrega\u00e7\u00e3o da Sony:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Contentor:",
- "LabelTranscodingVideoCodec": "Codec do v\u00eddeo:",
- "LabelTranscodingVideoProfile": "Perfil do v\u00eddeo:",
- "LabelTranscodingAudioCodec": "Codec do \u00c1udio:",
- "OptionEnableM2tsMode": "Ativar modo M2ts",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimar o tamanho do conte\u00fado ao transcodificar",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Transferir legendas para:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Legendas",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Nome de utilizador do Open Subtitles:",
- "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Reproduzir a faixa de \u00e1udio padr\u00e3o independentemente do idioma",
- "LabelSubtitlePlaybackMode": "Modo da Legenda:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Registar",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Desmarque esta op\u00e7\u00e3o para garantir que todos os v\u00eddeos t\u00eam legendas, independentemente do idioma do \u00e1udio.",
- "HeaderSendMessage": "Enviar mensagem",
- "ButtonSend": "Enviar",
- "LabelMessageText": "Texto da mensagem:",
- "MessageNoAvailablePlugins": "Sem extens\u00f5es dispon\u00edveis.",
- "LabelDisplayPluginsFor": "Exibir extens\u00f5es para:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Nome.da.s\u00e9rie",
- "ValueSeriesNameUnderscore": "Nome_da_s\u00e9rie",
- "ValueEpisodeNamePeriod": "Nome.do.epis\u00f3dio",
- "ValueEpisodeNameUnderscore": "Nome_do_epis\u00f3dio",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Inserir texto",
- "LabelTypeText": "Texto",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Services",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Server log files:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
"LabelLoginDisclaimer": "Login disclaimer:",
"LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
"LabelAutomaticallyDonate": "Automatically donate this amount every month",
@@ -941,6 +350,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Sair",
"LabelVisitCommunity": "Visitar a Comunidade",
"LabelGithubWiki": "Wiki do Github",
@@ -1249,5 +662,596 @@
"TabFavorites": "Favoritos",
"TabMyLibrary": "A minha Biblioteca",
"ButtonCancelRecording": "Cancelar Grava\u00e7\u00e3o",
- "HeaderPrePostPadding": "Pr\u00e9\/P\u00f3s grava\u00e7\u00e3o extra"
+ "HeaderPrePostPadding": "Pr\u00e9\/P\u00f3s grava\u00e7\u00e3o extra",
+ "LabelPrePaddingMinutes": "Minutos pr\u00e9vios extra:",
+ "OptionPrePaddingRequired": "S\u00e3o necess\u00e1rios minutos pr\u00e9vios extra para poder gravar.",
+ "LabelPostPaddingMinutes": "Minutos posteriores extra:",
+ "OptionPostPaddingRequired": "S\u00e3o necess\u00e1rios minutos posteriores extra para poder gravar.",
+ "HeaderWhatsOnTV": "Agora a exibir",
+ "HeaderUpcomingTV": "Pr\u00f3ximos Programas",
+ "TabStatus": "Estado",
+ "TabSettings": "Configura\u00e7\u00f5es",
+ "ButtonRefreshGuideData": "Atualizar Dados do Guia",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "Prioridade",
+ "OptionRecordOnAllChannels": "Gravar programa em todos os canais",
+ "OptionRecordAnytime": "Gravar programa em qualquer altura",
+ "OptionRecordOnlyNewEpisodes": "Gravar apenas novos epis\u00f3dios",
+ "HeaderDays": "Dias",
+ "HeaderActiveRecordings": "Grava\u00e7\u00f5es ativas",
+ "HeaderLatestRecordings": "\u00daltimas Grava\u00e7\u00f5es",
+ "HeaderAllRecordings": "Todas as Grava\u00e7\u00f5es",
+ "ButtonPlay": "Reproduzir",
+ "ButtonEdit": "Editar",
+ "ButtonRecord": "Gravar",
+ "ButtonDelete": "Remover",
+ "ButtonRemove": "Remover",
+ "OptionRecordSeries": "Gravar S\u00e9rie",
+ "HeaderDetails": "Detalhes",
+ "TitleLiveTV": "TV ao Vivo",
+ "LabelNumberOfGuideDays": "N\u00famero de dias de informa\u00e7\u00e3o do guia para transferir:",
+ "LabelNumberOfGuideDaysHelp": "Transferir mais dias de informa\u00e7\u00e3o do guia permite agendar com maior anteced\u00eancia e ver mais listagens, no entanto ir\u00e1 levar mais tempo a transferir. Se optar que seja Autom\u00e1tico, ser\u00e1 escolhido baseado no n\u00famero de canais.",
+ "LabelActiveService": "Ativar Servi\u00e7o:",
+ "LabelActiveServiceHelp": "Podem ser instalados m\u00faltiplas extens\u00f5es para TV, mas s\u00f3 pode estar ativo um de cada vez.",
+ "OptionAutomatic": "Autom\u00e1tico",
+ "LiveTvPluginRequired": "Uma extens\u00e3o de um fornecedor de servi\u00e7o de TV ao Vivo \u00e9 necess\u00e1rio para continuar.",
+ "LiveTvPluginRequiredHelp": "Por favor instale uma das nossas extens\u00f5es dispon\u00edveis, como a Next Pvr ou ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Personalizar para o tipo de conte\u00fado:",
+ "OptionDownloadThumbImage": "Miniatura",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Caixa",
+ "OptionDownloadDiscImage": "Disco",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Traseira",
+ "OptionDownloadArtImage": "Arte",
+ "OptionDownloadPrimaryImage": "Principal",
+ "HeaderFetchImages": "Buscar Imagens:",
+ "HeaderImageSettings": "Op\u00e7\u00f5es da Imagem",
+ "TabOther": "Outro",
+ "LabelMaxBackdropsPerItem": "N\u00famero m\u00e1ximo de imagens de fundo por item:",
+ "LabelMaxScreenshotsPerItem": "N\u00famero m\u00e1ximo de imagens de ecr\u00e3 por item:",
+ "LabelMinBackdropDownloadWidth": "Transferir Imagens de fundo com o tamanho m\u00ednimo:",
+ "LabelMinScreenshotDownloadWidth": "Transferir imagens de ecr\u00e3 com o tamanho m\u00ednimo:",
+ "ButtonAddScheduledTaskTrigger": "Adicionar Acionador da Tarefa",
+ "HeaderAddScheduledTaskTrigger": "Adicionar Acionador da Tarefa",
+ "ButtonAdd": "Adicionar",
+ "LabelTriggerType": "Tipo do Acionador:",
+ "OptionDaily": "Diariamente",
+ "OptionWeekly": "Semanalmente",
+ "OptionOnInterval": "Num intervalo",
+ "OptionOnAppStartup": "Ao iniciar a aplica\u00e7\u00e3o",
+ "OptionAfterSystemEvent": "Depois de um evento do sistema",
+ "LabelDay": "Dia:",
+ "LabelTime": "Tempo:",
+ "LabelEvent": "Evento:",
+ "OptionWakeFromSleep": "Retomar da suspens\u00e3o",
+ "LabelEveryXMinutes": "Todos",
+ "HeaderTvTuners": "Sintonizadores",
+ "HeaderGallery": "Galeria",
+ "HeaderLatestGames": "\u00daltimos Jogos",
+ "HeaderRecentlyPlayedGames": "Jogos jogados recentemente",
+ "TabGameSystems": "Sistemas de Jogos",
+ "TitleMediaLibrary": "Biblioteca Multim\u00e9dia",
+ "TabFolders": "Pastas",
+ "TabPathSubstitution": "Substitui\u00e7\u00e3o de Localiza\u00e7\u00e3o",
+ "LabelSeasonZeroDisplayName": "Nome de apresenta\u00e7\u00e3o da temporada 0:",
+ "LabelEnableRealtimeMonitor": "Ativar monitoriza\u00e7\u00e3o em tempo real",
+ "LabelEnableRealtimeMonitorHelp": "As altera\u00e7\u00f5es ir\u00e3o ser processadas imediatamente em sistemas de ficheiros suportados.",
+ "ButtonScanLibrary": "Analisar Biblioteca",
+ "HeaderNumberOfPlayers": "Jogadores:",
+ "OptionAnyNumberOfPlayers": "Qualquer",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Pastas Multim\u00e9dia",
+ "HeaderThemeVideos": "V\u00eddeos Tem\u00e1ticos",
+ "HeaderThemeSongs": "M\u00fasicas Tem\u00e1ticas",
+ "HeaderScenes": "Cenas",
+ "HeaderAwardsAndReviews": "Pr\u00e9mios e Cr\u00edticas",
+ "HeaderSoundtracks": "Banda Sonora",
+ "HeaderMusicVideos": "V\u00eddeos de M\u00fasica",
+ "HeaderSpecialFeatures": "Extras",
+ "HeaderCastCrew": "Elenco e Equipa",
+ "HeaderAdditionalParts": "Partes Adicionais",
+ "ButtonSplitVersionsApart": "Separar Vers\u00f5es",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Em falta",
+ "LabelOffline": "Desconectado",
+ "PathSubstitutionHelp": "Substitui\u00e7\u00f5es de localiza\u00e7\u00e3o s\u00e3o usadas para mapear uma localiza\u00e7\u00e3o no servidor que possa ser acedido pelos clientes. Ao permitir o acesso dos clientes ao conte\u00fado multim\u00e9dia no servidor, permite-lhes reproduzir diretamente atrav\u00e9s da rede e evitar o uso de recursos do servidor para fazer stream ou transcodifica\u00e7\u00e3o.",
+ "HeaderFrom": "De",
+ "HeaderTo": "Para",
+ "LabelFrom": "De:",
+ "LabelFromHelp": "Exemplo: D:\\Filmes (no servidor)",
+ "LabelTo": "Para:",
+ "LabelToHelp": "Exemplo: \\\\OMeuServidor\\Filmes (uma localiza\u00e7\u00e3o que os clientes possam aceder)",
+ "ButtonAddPathSubstitution": "Adicionar Substitui\u00e7\u00e3o",
+ "OptionSpecialEpisode": "Especiais",
+ "OptionMissingEpisode": "Epis\u00f3dios em Falta",
+ "OptionUnairedEpisode": "Epis\u00f3dios por Estrear",
+ "OptionEpisodeSortName": "Nome de Ordena\u00e7\u00e3o do Epis\u00f3dio",
+ "OptionSeriesSortName": "Nome da S\u00e9rie",
+ "OptionTvdbRating": "Classifica\u00e7\u00e3o no Tvdb",
+ "HeaderTranscodingQualityPreference": "Prefer\u00eancia da Qualidade de Transcodifica\u00e7\u00e3o:",
+ "OptionAutomaticTranscodingHelp": "O servidor ir\u00e1 decidir a qualidade e a velocidade",
+ "OptionHighSpeedTranscodingHelp": "Baixa qualidade mas r\u00e1pida codifica\u00e7\u00e3o",
+ "OptionHighQualityTranscodingHelp": "Alta qualidade mas lenta codifica\u00e7\u00e3o",
+ "OptionMaxQualityTranscodingHelp": "M\u00e1xima qualidade com codifica\u00e7\u00e3o lenta e utiliza\u00e7\u00e3o do CPU elevada",
+ "OptionHighSpeedTranscoding": "Mais alta velocidade",
+ "OptionHighQualityTranscoding": "Mais alta qualidade",
+ "OptionMaxQualityTranscoding": "M\u00e1xima qualidade",
+ "OptionEnableDebugTranscodingLogging": "Ativar log de depura\u00e7\u00e3o da transcodifica\u00e7\u00e3o",
+ "OptionEnableDebugTranscodingLoggingHelp": "Ir\u00e1 criar ficheiros log muito grandes e s\u00f3 \u00e9 recomendado para ajudar na resolu\u00e7\u00e3o de problemas.",
+ "OptionUpscaling": "Permitir aos clientes solicitar o aumento da resolu\u00e7\u00e3o do v\u00eddeo",
+ "OptionUpscalingHelp": "Em alguns casos ir\u00e1 resultar no aumento da qualidade do v\u00eddeo mas ir\u00e1 aumentar a utiliza\u00e7\u00e3o do CPU.",
+ "EditCollectionItemsHelp": "Adicione ou remova qualquer filme, s\u00e9rie, \u00e1lbum, livro ou jogo que desejar agrupar dentro desta cole\u00e7\u00e3o.",
+ "HeaderAddTitles": "Adicional T\u00edtulos",
+ "LabelEnableDlnaPlayTo": "Ativar DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "O Media Browser pode detetar dispositivos dentro da sua rede, dando-lhe a possibilidade de os controlar remotamente.",
+ "LabelEnableDlnaDebugLogging": "Ativar log de depura\u00e7\u00e3o do DLNA",
+ "LabelEnableDlnaDebugLoggingHelp": "Isto ir\u00e1 criar ficheiros de log grandes e deve ser usado apenas quando \u00e9 necess\u00e1rio para depurar problemas.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Intervalo para a descoberta do cliente (segundos)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as procuras SSDP feitas pelo Media Browser.",
+ "HeaderCustomDlnaProfiles": "Perfis Personalizados",
+ "HeaderSystemDlnaProfiles": "Perfis de Sistema",
+ "CustomDlnaProfilesHelp": "Crie um perfil personalizado para um novo dispositivo ou para sobrepor um perfil de sistema.",
+ "SystemDlnaProfilesHelp": "Perfis de sistema s\u00e3o apenas de leitura. Mudan\u00e7as a um perfil de sistema ser\u00e3o guardadas num novo perfil personalizado.",
+ "TitleDashboard": "Painel Principal",
+ "TabHome": "In\u00edcio",
+ "TabInfo": "Info",
+ "HeaderLinks": "Hiperliga\u00e7\u00f5es",
+ "HeaderSystemPaths": "Localiza\u00e7\u00f5es de Sistema",
+ "LinkCommunity": "Comunidade",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Documenta\u00e7\u00e3o da API",
+ "LabelFriendlyServerName": "Nome amig\u00e1vel do servidor:",
+ "LabelFriendlyServerNameHelp": "Ser\u00e1 usado este nome para identificar o servidor. Se n\u00e3o for preenchido, ser\u00e1 usado o nome do computador.",
+ "LabelPreferredDisplayLanguage": "Idioma de apresenta\u00e7\u00e3o de prefer\u00eancia",
+ "LabelPreferredDisplayLanguageHelp": "A tradu\u00e7\u00e3o do Media Browser \u00e9 um projeto em andamento e ainda n\u00e3o est\u00e1 completo.",
+ "LabelReadHowYouCanContribute": "Leia sobre como pode contribuir.",
+ "HeaderNewCollection": "Nova Cole\u00e7\u00e3o",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Exemplo: Cole\u00e7\u00e3o Guerra das Estrelas",
+ "OptionSearchForInternetMetadata": "Procurar na internet por imagens e metadados",
+ "ButtonCreate": "Criar",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "N\u00famero da porta da Web socket:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "DDNS Externo:",
+ "LabelExternalDDNSHelp": "Se tem um DNS din\u00e2mico insira-o aqui. As aplica\u00e7\u00f5es Media Browser ir\u00e3o us\u00e1-lo ao conectarem-se remotamente.",
+ "TabResume": "Retomar",
+ "TabWeather": "Tempo",
+ "TitleAppSettings": "Configura\u00e7\u00f5es da Aplica\u00e7\u00e3o",
+ "LabelMinResumePercentage": "Percentagem m\u00ednima para retomar:",
+ "LabelMaxResumePercentage": "Percentagem m\u00e1xima para retomar:",
+ "LabelMinResumeDuration": "Dura\u00e7\u00e3o m\u00ednima da retoma (segundos):",
+ "LabelMinResumePercentageHelp": "Os t\u00edtulos s\u00e3o considerados n\u00e3o assistidos se parados antes deste tempo",
+ "LabelMaxResumePercentageHelp": "Os t\u00edtulos s\u00e3o considerados totalmente assistidos se parados depois deste tempo",
+ "LabelMinResumeDurationHelp": "T\u00edtulos mais curtos que isto n\u00e3o ser\u00e3o retom\u00e1veis",
+ "TitleAutoOrganize": "Organiza\u00e7\u00e3o Autom\u00e1tica",
+ "TabActivityLog": "Log da Atividade",
+ "HeaderName": "Nome",
+ "HeaderDate": "Data",
+ "HeaderSource": "Origem",
+ "HeaderDestination": "Destino",
+ "HeaderProgram": "Programa",
+ "HeaderClients": "Clientes",
+ "LabelCompleted": "Terminado",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Ignorado",
+ "HeaderEpisodeOrganization": "Organiza\u00e7\u00e3o dos Epis\u00f3dios",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "N\u00famero da temporada:",
+ "LabelEpisodeNumber": "N\u00famero do epis\u00f3dio:",
+ "LabelEndingEpisodeNumber": "N\u00famero do epis\u00f3dio final:",
+ "LabelEndingEpisodeNumberHelp": "Necess\u00e1rio s\u00f3 para arquivos multi-epis\u00f3dios",
+ "HeaderSupportTheTeam": "Apoie a Equipa do Media Browser",
+ "LabelSupportAmount": "Quantia (USD)",
+ "HeaderSupportTheTeamHelp": "Ajude a garantir o desenvolvimento continuado deste projeto, doando. Uma parte de todas as doa\u00e7\u00f5es ser\u00e1 para contribuir para outras ferramentas gratuitas em que dependemos.",
+ "ButtonEnterSupporterKey": "Insira a chave de apoiante",
+ "DonationNextStep": "Assim que termine, por favor volte e insira a sua chave de apoiante, a qual ir\u00e1 receber por email.",
+ "AutoOrganizeHelp": "O auto-organizar monitoriza as suas pastas de transfer\u00eancias em busca de novos ficheiros e move-os para as suas pastas multim\u00e9dia.",
+ "AutoOrganizeTvHelp": "A organiza\u00e7\u00e3o de ficheiros de TV s\u00f3 ir\u00e1 adicionar ficheiros \u00e0s s\u00e9ries existentes. Ela n\u00e3o ir\u00e1 criar novas pastas de s\u00e9ries.",
+ "OptionEnableEpisodeOrganization": "Ativar a organiza\u00e7\u00e3o de novos epis\u00f3dios",
+ "LabelWatchFolder": "Observar pasta:",
+ "LabelWatchFolderHelp": "O servidor ir\u00e1 pesquisar esta pasta durante a tarefa agendada 'Organizar novos ficheiros multim\u00e9dia'.",
+ "ButtonViewScheduledTasks": "Ver tarefas agendadas",
+ "LabelMinFileSizeForOrganize": "Tamanho m\u00ednimo do ficheiro (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Ficheiros at\u00e9 este tamanho ser\u00e3o ignorados.",
+ "LabelSeasonFolderPattern": "Padr\u00e3o da pasta da temporada:",
+ "LabelSeasonZeroFolderName": "Nome da pasta da temporada zero:",
+ "HeaderEpisodeFilePattern": "Padr\u00e3o do ficheiro de epis\u00f3dio",
+ "LabelEpisodePattern": "Padr\u00e3o dos epis\u00f3dios:",
+ "LabelMultiEpisodePattern": "Padr\u00e3o de multi-epis\u00f3dios:",
+ "HeaderSupportedPatterns": "Padr\u00f5es Suportados",
+ "HeaderTerm": "Termo",
+ "HeaderPattern": "Padr\u00e3o",
+ "HeaderResult": "Resultado",
+ "LabelDeleteEmptyFolders": "Remover pastas vazias depois de organizar",
+ "LabelDeleteEmptyFoldersHelp": "Ative isto para manter a pasta de downloads limpa.",
+ "LabelDeleteLeftOverFiles": "Apagar os ficheiros deixados com as seguintes extens\u00f5es:",
+ "LabelDeleteLeftOverFilesHelp": "Separar com ;. Por exemplo: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Sobrepor epis\u00f3dios existentes",
+ "LabelTransferMethod": "M\u00e9todo da transfer\u00eancia",
+ "OptionCopy": "Copiar",
+ "OptionMove": "Mover",
+ "LabelTransferMethodHelp": "Copiar ou mover ficheiros da pasta observada",
+ "HeaderLatestNews": "\u00daltimas Not\u00edcias",
+ "HeaderHelpImproveMediaBrowser": "Ajude a melhorar o Media Browser",
+ "HeaderRunningTasks": "Tarefas em Execu\u00e7\u00e3o",
+ "HeaderActiveDevices": "Dispositivos Ativos",
+ "HeaderPendingInstallations": "Instala\u00e7\u00f5es Pendentes",
+ "HeaerServerInformation": "Informa\u00e7\u00e3o do Servidor",
+ "ButtonRestartNow": "Reiniciar Agora",
+ "ButtonRestart": "Reiniciar",
+ "ButtonShutdown": "Encerrar",
+ "ButtonUpdateNow": "Atualizar Agora",
+ "PleaseUpdateManually": "Por favor encerre o servidor e atualize manualmente.",
+ "NewServerVersionAvailable": "Est\u00e1 dispon\u00edvel uma nova vers\u00e3o do Media Browser!",
+ "ServerUpToDate": "O Media Browser est\u00e1 atualizado",
+ "ErrorConnectingToMediaBrowserRepository": "Ocorreu um erro ao conectar ao reposit\u00f3rio remoto do Media Browser.",
+ "LabelComponentsUpdated": "Os componentes seguintes foram instalados ou atualizados:",
+ "MessagePleaseRestartServerToFinishUpdating": "Por favor reinicie o servidor para terminar a aplica\u00e7\u00e3o das atualiza\u00e7\u00f5es.",
+ "LabelDownMixAudioScale": "Escala do aumento de \u00e1udio ao fazer downmix:",
+ "LabelDownMixAudioScaleHelp": "Aumentar o \u00e1udio ao fazer downmix. Defina como 1 para preservar o volume original.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Chave de apoiante antiga",
+ "LabelNewSupporterKey": "Chave de apoiante nova",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Endere\u00e7o de email atual",
+ "LabelCurrentEmailAddressHelp": "O endere\u00e7o de email atual para o qual a sua nova chave foi enviada.",
+ "HeaderForgotKey": "Esqueci a Chave",
+ "LabelEmailAddress": "Endere\u00e7o de email",
+ "LabelSupporterEmailAddress": "O endere\u00e7o de email que foi usado para comprar a chave.",
+ "ButtonRetrieveKey": "Recuperar Chave",
+ "LabelSupporterKey": "Chave de Apoiante (colar do email)",
+ "LabelSupporterKeyHelp": "Insira a sua chave de apoiante para come\u00e7ar a tirar partido dos benef\u00edcios adicionais que a comunidade desenvolveu para o Media Browser.",
+ "MessageInvalidKey": "Chave de apoiante ausente ou inv\u00e1lida",
+ "ErrorMessageInvalidKey": "Para registar conte\u00fado premium, voc\u00ea deve ser um apoiante do Media Browser. Por favor, fa\u00e7a uma doa\u00e7\u00e3o e apoie o desenvolvimento cont\u00ednuo do produto. Obrigado.",
+ "HeaderDisplaySettings": "Apresentar Configura\u00e7\u00f5es",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Ativar servidor DLNA",
+ "LabelEnableDlnaServerHelp": "Permite aos dispositivos UPnP da sua rede, navegar e reproduzir conte\u00fado do Media Browser.",
+ "LabelEnableBlastAliveMessages": "Propagar mensagens de reconhecimento",
+ "LabelEnableBlastAliveMessagesHelp": "Ativar isto se o servidor n\u00e3o \u00e9 detetado convenientemente por outros dispositivos UPnP na sua rede.",
+ "LabelBlastMessageInterval": "Intervalo das mensagens de reconhecimento (segundos)",
+ "LabelBlastMessageIntervalHelp": "Determina a dura\u00e7\u00e3o em segundos entre as mensagens de explora\u00e7\u00e3o enviadas pelo servidor.",
+ "LabelDefaultUser": "Utilizador padr\u00e3o:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Op\u00e7\u00f5es do Servidor",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "C\u00f3digo postal dos EUA \/ Cidade, Estado, Pa\u00eds \/ Cidade, Pa\u00eds",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Necessita a inser\u00e7\u00e3o manual de um nome de utilizador para:",
+ "HeaderRequireManualLoginHelp": "Quando desativados, os clientes podem mostrar a tela de login com uma sele\u00e7\u00e3o visual de utilizadores.",
+ "OptionOtherApps": "Outras apps",
+ "OptionMobileApps": "Apps m\u00f3veis",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Dispon\u00edvel atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o",
+ "NotificationOptionApplicationUpdateInstalled": "Instalada atualiza\u00e7\u00e3o da aplica\u00e7\u00e3o",
+ "NotificationOptionPluginUpdateInstalled": "Instalada atualiza\u00e7\u00e3o da extens\u00e3o",
+ "NotificationOptionPluginInstalled": "Extens\u00e3o instalada",
+ "NotificationOptionPluginUninstalled": "Extens\u00e3o desinstalada",
+ "NotificationOptionVideoPlayback": "Reprodu\u00e7\u00e3o de v\u00eddeo iniciada",
+ "NotificationOptionAudioPlayback": "Reprodu\u00e7\u00e3o de \u00e1udio iniciada",
+ "NotificationOptionGamePlayback": "Reprodu\u00e7\u00e3o de jogo iniciada",
+ "NotificationOptionVideoPlaybackStopped": "Reprodu\u00e7\u00e3o de v\u00eddeo parada",
+ "NotificationOptionAudioPlaybackStopped": "Reprodu\u00e7\u00e3o de \u00e1udio parada",
+ "NotificationOptionGamePlaybackStopped": "Reprodu\u00e7\u00e3o de jogo parada",
+ "NotificationOptionTaskFailed": "Falha na tarefa agendada",
+ "NotificationOptionInstallationFailed": "Falha na instala\u00e7\u00e3o",
+ "NotificationOptionNewLibraryContent": "Adicionado novo conte\u00fado",
+ "NotificationOptionNewLibraryContentMultiple": "Novo conte\u00fado adicionado (m\u00faltiplo)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "\u00c9 necess\u00e1rio reiniciar o servidor",
+ "LabelNotificationEnabled": "Ativar esta notifica\u00e7\u00e3o",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Enviar notifica\u00e7\u00e3o para:",
+ "LabelUseNotificationServices": "Usar os seguintes servi\u00e7os:",
+ "CategoryUser": "Utilizador",
+ "CategorySystem": "Sistema",
+ "CategoryApplication": "Aplica\u00e7\u00e3o",
+ "CategoryPlugin": "Extens\u00e3o",
+ "LabelMessageTitle": "Titulo da mensagem:",
+ "LabelAvailableTokens": "Tokens dispon\u00edveis:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "Todos os utilizadores",
+ "OptionAdminUsers": "Administradores",
+ "OptionCustomUsers": "Personalizado",
+ "ButtonArrowUp": "Cima",
+ "ButtonArrowDown": "Baixo",
+ "ButtonArrowLeft": "Esquerda",
+ "ButtonArrowRight": "Direita",
+ "ButtonBack": "Voltar",
+ "ButtonInfo": "Informa\u00e7\u00e3o",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "In\u00edcio",
+ "ButtonSearch": "Procurar",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "A reproduzir agora",
+ "TabNavigation": "Navega\u00e7\u00e3o",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Cenas",
+ "ButtonSubtitles": "Legendas",
+ "ButtonAudioTracks": "Faixas de \u00e1udio",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Parar",
+ "ButtonPause": "Pausar",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Falha na extens\u00e3o",
+ "ButtonVolumeUp": "Aumentar volume",
+ "ButtonVolumeDown": "Diminuir volume",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Tipo:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Contentor:",
+ "LabelProfileVideoCodecs": "Codecs do v\u00eddeo:",
+ "LabelProfileAudioCodecs": "Codecs do \u00e1udio:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Exibir todos os v\u00eddeos como itens de v\u00eddeo simples",
+ "OptionPlainVideoItemsHelp": "Se ativado, todos os v\u00eddeos s\u00e3o representados no DIDL como \"object.item.videoItem\" ao inv\u00e9s de um tipo mais espec\u00edfico como, por exemplo, \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Tipos de Conte\u00fados Suportados:",
+ "TabIdentification": "Identifica\u00e7\u00e3o",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Reprodu\u00e7\u00e3o Direta",
+ "TabContainers": "Contentores",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Respostas",
+ "HeaderProfileInformation": "Informa\u00e7\u00e3o do Perfil",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Alguns dispositivos preferem este m\u00e9todo para obter a capa do \u00e1lbum. Outros podem falhar para reproduzir com esta op\u00e7\u00e3o ativada",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Largura m\u00e1xima do \u00edcone:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Altura m\u00e1xima do \u00edcone:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "Estes valores controlam como o Media Browser ser\u00e1 exibido no dispositivo.",
+ "LabelMaxBitrate": "Taxa de bits m\u00e1xima:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Nome amig\u00e1vel",
+ "LabelManufacturer": "Fabricante",
+ "LabelManufacturerUrl": "URL do fabricante",
+ "LabelModelName": "Nome do modelo",
+ "LabelModelNumber": "N\u00famero do modelo",
+ "LabelModelDescription": "Descri\u00e7\u00e3o do modelo",
+ "LabelModelUrl": "URL do modelo",
+ "LabelSerialNumber": "N\u00famero de s\u00e9rie",
+ "LabelDeviceDescription": "Descri\u00e7\u00e3o do dispositivo",
+ "HeaderIdentificationCriteriaHelp": "Digite, pelo menos, um crit\u00e9rio de identifica\u00e7\u00e3o.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Flags de agrega\u00e7\u00e3o da Sony:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Contentor:",
+ "LabelTranscodingVideoCodec": "Codec do v\u00eddeo:",
+ "LabelTranscodingVideoProfile": "Perfil do v\u00eddeo:",
+ "LabelTranscodingAudioCodec": "Codec do \u00c1udio:",
+ "OptionEnableM2tsMode": "Ativar modo M2ts",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimar o tamanho do conte\u00fado ao transcodificar",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Transferir legendas para:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Legendas",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Nome de utilizador do Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "Senha do Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Reproduzir a faixa de \u00e1udio padr\u00e3o independentemente do idioma",
+ "LabelSubtitlePlaybackMode": "Modo da Legenda:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Registar",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Desmarque esta op\u00e7\u00e3o para garantir que todos os v\u00eddeos t\u00eam legendas, independentemente do idioma do \u00e1udio.",
+ "HeaderSendMessage": "Enviar mensagem",
+ "ButtonSend": "Enviar",
+ "LabelMessageText": "Texto da mensagem:",
+ "MessageNoAvailablePlugins": "Sem extens\u00f5es dispon\u00edveis.",
+ "LabelDisplayPluginsFor": "Exibir extens\u00f5es para:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Nome.da.s\u00e9rie",
+ "ValueSeriesNameUnderscore": "Nome_da_s\u00e9rie",
+ "ValueEpisodeNamePeriod": "Nome.do.epis\u00f3dio",
+ "ValueEpisodeNameUnderscore": "Nome_do_epis\u00f3dio",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Inserir texto",
+ "LabelTypeText": "Texto",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization."
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/ru.json b/MediaBrowser.Server.Implementations/Localization/Server/ru.json
index 16f7566c2a..2376dadc17 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/ru.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/ru.json
@@ -1,594 +1,4 @@
{
- "ButtonAdvancedRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u043e",
- "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442",
- "OptionRecordOnAllChannels": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0443 \u0441\u043e \u0432\u0441\u0435\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432",
- "OptionRecordAnytime": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0443 \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f",
- "OptionRecordOnlyNewEpisodes": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u043e\u0432\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
- "HeaderDays": "\u0414\u043d\u0438",
- "HeaderActiveRecordings": "\u0410\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
- "HeaderLatestRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
- "HeaderAllRecordings": "\u0412\u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
- "ButtonPlay": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438",
- "ButtonEdit": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c",
- "ButtonRecord": "\u0417\u0430\u043f\u0438\u0441\u0430\u0442\u044c",
- "ButtonDelete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c",
- "ButtonRemove": "\u0418\u0437\u044a\u044f\u0442\u044c",
- "OptionRecordSeries": "\u0417\u0430\u043f\u0438\u0441\u0430\u0442\u044c \u0441\u0435\u0440\u0438\u0430\u043b",
- "HeaderDetails": "\u0414\u0435\u0442\u0430\u043b\u0438",
- "TitleLiveTV": "\u0422\u0412 \u044d\u0444\u0438\u0440",
- "LabelNumberOfGuideDays": "\u0427\u0438\u0441\u043b\u043e \u0434\u043d\u0435\u0439 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u0434\u0430\u043d\u043d\u044b\u0445 \u0433\u0438\u0434\u0430:",
- "LabelNumberOfGuideDaysHelp": "\u0427\u0435\u043c \u0431\u043e\u043b\u044c\u0448\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u0434\u043d\u0435\u0439, \u0442\u0435\u043c \u0446\u0435\u043d\u043d\u0435\u0435 \u0434\u043b\u044f \u0434\u0430\u043d\u043d\u044b\u0445 \u0433\u0438\u0434\u0430, \u0434\u0430\u0432\u0430\u044f \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c \u0434\u043b\u044f \u0440\u0430\u043d\u043d\u0435\u0433\u043e \u043f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u0434\u0430\u043b\u044c\u043d\u0435\u0439\u0448\u0435\u0433\u043e \u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0431\u043e\u043b\u044c\u0448\u0435\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b \u043f\u0435\u0440\u0435\u0434\u0430\u0447, \u043d\u043e \u044d\u0442\u043e \u0442\u0430\u043a\u0436\u0435 \u043f\u0440\u043e\u0434\u043b\u044f\u0435\u0442 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0443. \u041f\u0440\u0438 \u0440\u0435\u0436\u0438\u043c\u0435 \u00ab\u0410\u0432\u0442\u043e\u00bb \u0432\u044b\u0431\u043e\u0440 \u0431\u0443\u0434\u0435\u0442 \u043e\u0441\u043d\u043e\u0432\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u043d\u0430 \u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u0435 \u043a\u0430\u043d\u0430\u043b\u043e\u0432.",
- "LabelActiveService": "\u0410\u043a\u0442\u0438\u0432\u043d\u0430\u044f \u0441\u043b\u0443\u0436\u0431\u0430:",
- "LabelActiveServiceHelp": "\u0412\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u044d\u0444\u0438\u0440\u043d\u043e\u0433\u043e \u0442\u0432, \u043d\u043e \u043f\u0440\u0438 \u044d\u0442\u043e\u043c \u0430\u043a\u0442\u0438\u0432\u043d\u044b\u043c \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u0435\u0434\u0438\u043d\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0439 \u0438\u0437 \u043d\u0438\u0445.",
- "OptionAutomatic": "\u0410\u0432\u0442\u043e",
- "LiveTvPluginRequired": "\u0427\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c, \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u043b\u0430\u0433\u0438\u043d-\u043f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a \u0443\u0441\u043b\u0443\u0433 \u044d\u0444\u0438\u0440\u043d\u043e\u0433\u043e \u0422\u0412.",
- "LiveTvPluginRequiredHelp": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043e\u0434\u0438\u043d \u0438\u0437 \u0438\u043c\u0435\u044e\u0449\u0438\u0445\u0441\u044f \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, NextPVR \u0438\u043b\u0438 ServerWMC.",
- "LabelCustomizeOptionsPerMediaType": "\u041f\u043e\u0434\u0433\u043e\u043d\u043a\u0430 \u043f\u043e \u0442\u0438\u043f\u0443 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445:",
- "OptionDownloadThumbImage": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a",
- "OptionDownloadMenuImage": "\u041c\u0435\u043d\u044e",
- "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f",
- "OptionDownloadBoxImage": "\u041a\u043e\u0440\u043e\u0431\u043a\u0430",
- "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a",
- "OptionDownloadBannerImage": "\u0411\u0430\u043d\u043d\u0435\u0440",
- "OptionDownloadBackImage": "\u0421\u043f\u0438\u043d\u043a\u0430",
- "OptionDownloadArtImage": "\u0412\u0438\u043d\u044c\u0435\u0442\u043a\u0430",
- "OptionDownloadPrimaryImage": "\u041f\u0435\u0440\u0432\u0438\u0447\u043d\u044b\u0439",
- "HeaderFetchImages": "\u041e\u0442\u0431\u043e\u0440\u043a\u0430 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:",
- "HeaderImageSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432",
- "TabOther": "\u0414\u0440\u0443\u0433\u0438\u0435",
- "LabelMaxBackdropsPerItem": "\u041c\u0430\u043a\u0441. \u0447\u0438\u0441\u043b\u043e \u0437\u0430\u0434\u043d\u0438\u043a\u043e\u0432 \u043d\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442:",
- "LabelMaxScreenshotsPerItem": "\u041c\u0430\u043a\u0441. \u0447\u0438\u0441\u043b\u043e \u0441\u043d\u0438\u043c\u043a\u043e\u0432 \u044d\u043a\u0440\u0430\u043d\u0430 \u043d\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442:",
- "LabelMinBackdropDownloadWidth": "\u041c\u0438\u043d. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0437\u0430\u0434\u043d\u0438\u043a\u0430:",
- "LabelMinScreenshotDownloadWidth": "\u041c\u0438\u043d. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0441\u043d\u0438\u043c\u043a\u0430 \u044d\u043a\u0440\u0430\u043d\u0430:",
- "ButtonAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0442\u0440\u0438\u0433\u0433\u0435\u0440 \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
- "HeaderAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430 \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
- "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c",
- "LabelTriggerType": "\u0422\u0438\u043f \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430:",
- "OptionDaily": "\u0415\u0436\u0435\u0434\u043d\u0435\u0432\u043d\u043e",
- "OptionWeekly": "\u0415\u0436\u0435\u043d\u0435\u0434\u0435\u043b\u044c\u043d\u043e",
- "OptionOnInterval": "\u0412 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0435",
- "OptionOnAppStartup": "\u041f\u0440\u0438 \u0437\u0430\u043f\u0443\u0441\u043a\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
- "OptionAfterSystemEvent": "\u041f\u043e \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c\u0443 \u0441\u043e\u0431\u044b\u0442\u0438\u044e",
- "LabelDay": "\u0414\u0435\u043d\u044c:",
- "LabelTime": "\u0412\u0440\u0435\u043c\u044f:",
- "LabelEvent": "\u0421\u043e\u0431\u044b\u0442\u0438\u0435:",
- "OptionWakeFromSleep": "\u0412\u044b\u0445\u043e\u0434 \u0438\u0437 \u0441\u043f\u044f\u0449\u0435\u0433\u043e \u0440\u0435\u0436\u0438\u043c\u0430",
- "LabelEveryXMinutes": "\u041a\u0430\u0436\u0434\u044b\u0435:",
- "HeaderTvTuners": "\u0422\u044e\u043d\u0435\u0440\u044b",
- "HeaderGallery": "\u0413\u0430\u043b\u0435\u0440\u0435\u044f",
- "HeaderLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0438\u0433\u0440\u044b",
- "HeaderRecentlyPlayedGames": "C\u044b\u0433\u0440\u0430\u043d\u043d\u044b\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e \u0438\u0433\u0440\u044b",
- "TabGameSystems": "\u0418\u0433\u0440\u043e\u0432\u044b\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b",
- "TitleMediaLibrary": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430",
- "TabFolders": "\u041f\u0430\u043f\u043a\u0438",
- "TabPathSubstitution": "\u041f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439",
- "LabelSeasonZeroDisplayName": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0437\u043e\u043d\u0430 0:",
- "LabelEnableRealtimeMonitor": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u0435 \u0432 \u0440\u0435\u0430\u043b\u044c\u043d\u043e\u043c \u0432\u0440\u0435\u043c\u0435\u043d\u0438",
- "LabelEnableRealtimeMonitorHelp": "\u0412 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432\u044b\u0445 \u0441\u0438\u0441\u0442\u0435\u043c\u0430\u0445 \u0438\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u044f \u0431\u0443\u0434\u0443\u0442 \u043e\u0431\u0440\u0430\u0431\u0430\u0442\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u043d\u0435\u0437\u0430\u043c\u0435\u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e.",
- "ButtonScanLibrary": "\u0421\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443",
- "HeaderNumberOfPlayers": "\u0418\u0433\u0440\u043e\u043a\u0438:",
- "OptionAnyNumberOfPlayers": "\u041b\u044e\u0431\u044b\u0435",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438",
- "HeaderThemeVideos": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u0432\u0438\u0434\u0435\u043e",
- "HeaderThemeSongs": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438",
- "HeaderScenes": "\u0421\u0446\u0435\u043d\u044b",
- "HeaderAwardsAndReviews": "\u041f\u0440\u0438\u0437\u044b \u0438 \u0440\u0435\u0446\u0435\u043d\u0437\u0438\u0438",
- "HeaderSoundtracks": "\u0421\u0430\u0443\u043d\u0434\u0442\u0440\u0435\u043a\u0438",
- "HeaderMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e",
- "HeaderSpecialFeatures": "\u0414\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b",
- "HeaderCastCrew": "\u0423\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u0438 \u0441\u044a\u0451\u043c\u043e\u043a",
- "HeaderAdditionalParts": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0447\u0430\u0441\u0442\u0438",
- "ButtonSplitVersionsApart": "\u0420\u0430\u0437\u0431\u0438\u0442\u044c \u0432\u0435\u0440\u0441\u0438\u0438 \u0432\u0440\u043e\u0437\u044c",
- "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440",
- "LabelMissing": "\u041e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442",
- "LabelOffline": "\u0410\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e",
- "PathSubstitutionHelp": "\u041f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044e\u0442\u0441\u044f \u0434\u043b\u044f \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0443\u0442\u0438 \u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u0441 \u043f\u0443\u0442\u0451\u043c, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u043a\u043b\u0438\u0435\u043d\u0442\u044b \u043c\u043e\u0433\u0443\u0442 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f. \u041f\u043e\u0437\u0432\u043e\u043b\u044f\u044f \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u043d\u0435\u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u043c \u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435, \u043e\u043d\u0438 \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u0432 \u0441\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0438\u0445 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u043f\u043e \u0441\u0435\u0442\u0438, \u0438 \u0438\u0437\u0431\u0435\u0436\u0430\u0442\u044c \u0437\u0430\u0442\u0440\u0430\u0442\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u044b\u0445 \u0440\u0435\u0441\u0443\u0440\u0441\u043e\u0432 \u043d\u0430 \u0438\u0445 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044e \u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443.",
- "HeaderFrom": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435",
- "HeaderTo": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435",
- "LabelFrom": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435:",
- "LabelFromHelp": "\u041f\u0440\u0438\u043c\u0435\u0440: D:\\Movies (\u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435)",
- "LabelTo": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435:",
- "LabelToHelp": "\u041f\u0440\u0438\u043c\u0435\u0440: \\\\MyServer\\Movies (\u043f\u0443\u0442\u044c, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f\u0435\u043d \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c)",
- "ButtonAddPathSubstitution": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438",
- "OptionSpecialEpisode": "\u0421\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434\u044b",
- "OptionMissingEpisode": "\u041d\u0435\u0442 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432",
- "OptionUnairedEpisode": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
- "OptionEpisodeSortName": "\u0421\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "OptionSeriesSortName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u0430",
- "OptionTvdbRating": "\u041e\u0446\u0435\u043d\u043a\u0430 TVDb",
- "HeaderTranscodingQualityPreference": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0430 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438:",
- "OptionAutomaticTranscodingHelp": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0438 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0431\u0443\u0434\u0443\u0442 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0442\u044c\u0441\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c",
- "OptionHighSpeedTranscodingHelp": "\u0411\u043e\u043b\u0435\u0435 \u043d\u0438\u0437\u043a\u043e\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e, \u043d\u043e \u0431\u043e\u043b\u0435\u0435 \u0431\u044b\u0441\u0442\u0440\u043e\u0435 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435",
- "OptionHighQualityTranscodingHelp": "\u0411\u043e\u043b\u0435\u0435 \u0432\u044b\u0441\u043e\u043a\u043e\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e, \u043d\u043e \u0431\u043e\u043b\u0435\u0435 \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e\u0435 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435",
- "OptionMaxQualityTranscodingHelp": "\u041d\u0430\u0438\u0443\u0447\u0448\u0435\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0441 \u0431\u043e\u043b\u0435\u0435 \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u044b\u043c \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u043c, \u0438 \u0432\u044b\u0441\u043e\u043a\u0430\u044f \u043d\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0430",
- "OptionHighSpeedTranscoding": "\u0421\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432\u044b\u0448\u0435",
- "OptionHighQualityTranscoding": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0432\u044b\u0448\u0435",
- "OptionMaxQualityTranscoding": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e",
- "OptionEnableDebugTranscodingLogging": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u043b\u0430\u0434\u043e\u0447\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438 \u0432 \u0416\u0443\u0440\u043d\u0430\u043b\u0435",
- "OptionEnableDebugTranscodingLoggingHelp": "\u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f \u0444\u0430\u0439\u043b\u044b \u0416\u0443\u0440\u043d\u0430\u043b\u0430 \u043e\u0447\u0435\u043d\u044c \u0431\u043e\u043b\u044c\u0448\u043e\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430, \u0430 \u044d\u0442\u043e \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u0441\u0438\u043b\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0443\u0441\u0442\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u043d\u0435\u043f\u043e\u043b\u0430\u0434\u043e\u043a.",
- "OptionUpscaling": "\u041a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0437\u0430\u0442\u0440\u0435\u0431\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u044b\u0441\u043e\u043a\u043e\u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435\u043d\u043d\u043e\u0433\u043e \u0432\u0438\u0434\u0435\u043e",
- "OptionUpscalingHelp": "\u0412 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0441\u043b\u0443\u0447\u0430\u044f\u0445, \u044d\u0442\u043e \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0443\u043b\u0443\u0447\u0448\u0435\u043d\u0438\u044e \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0430 \u0432\u0438\u0434\u0435\u043e, \u043d\u043e \u0443\u0432\u0435\u043b\u0438\u0447\u0438\u0442\u0441\u044f \u043d\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0430.",
- "EditCollectionItemsHelp": "\u0414\u043e\u0431\u0430\u0432\u044c\u0442\u0435 \u0438\u043b\u0438 \u0438\u0437\u044b\u043c\u0438\u0442\u0435 \u043b\u044e\u0431\u044b\u0435 \u0444\u0438\u043b\u044c\u043c\u044b, \u0441\u0435\u0440\u0438\u0430\u043b\u044b, \u0430\u043b\u044c\u0431\u043e\u043c\u044b, \u043a\u043d\u0438\u0433\u0438 \u0438\u043b\u0438 \u0438\u0433\u0440\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0445\u043e\u0442\u0438\u0442\u0435 \u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u043d\u0443\u0442\u0440\u0438 \u0434\u0430\u043d\u043d\u043e\u0439 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438.",
- "HeaderAddTitles": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0439",
- "LabelEnableDlnaPlayTo": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c DLNA-\u0444\u0443\u043d\u043a\u0446\u0438\u044e \u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u041d\u0430",
- "LabelEnableDlnaPlayToHelp": "\u0412 Media Browser \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0438\u0432\u0430\u0442\u044c \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432\u043d\u0443\u0442\u0440\u0438 \u0441\u0435\u0442\u0438, \u0430 \u0442\u0430\u043a\u0436\u0435 \u0434\u0430\u0451\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u044c \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0442\u044c \u0438\u043c\u0438.",
- "LabelEnableDlnaDebugLogging": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u043b\u0430\u0434\u043e\u0447\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 DLNA \u0432 \u0416\u0443\u0440\u043d\u0430\u043b\u0435",
- "LabelEnableDlnaDebugLoggingHelp": "\u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f \u0444\u0430\u0439\u043b\u044b \u0416\u0443\u0440\u043d\u0430\u043b\u0430 \u043e\u0447\u0435\u043d\u044c \u0431\u043e\u043b\u044c\u0448\u043e\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430, \u0430 \u044d\u0442\u043e \u0434\u043e\u043b\u0436\u043d\u043e \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u0441\u0438\u043b\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0443\u0441\u0442\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u043d\u0435\u043f\u043e\u043b\u0430\u0434\u043e\u043a.",
- "LabelEnableDlnaClientDiscoveryInterval": "\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u044f \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432, \u0441",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c \u0432 \u0441\u0435\u043a\u0443\u043d\u0434\u0430\u0445 \u043c\u0435\u0436\u0434\u0443 \u043f\u043e\u0438\u0441\u043a\u043e\u0432\u044b\u043c\u0438 SSDP-\u0437\u0430\u043f\u0440\u043e\u0441\u0430\u043c\u0438 \u0432\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u043c\u044b\u043c\u0438 Media Browser.",
- "HeaderCustomDlnaProfiles": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438",
- "HeaderSystemDlnaProfiles": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438",
- "CustomDlnaProfilesHelp": "\u0421\u043e\u0437\u0434\u0430\u0439\u0442\u0435 \u043d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0439 \u043f\u0440\u043e\u0444\u0438\u043b\u044c, \u043f\u0440\u0435\u0434\u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0439 \u0434\u043b\u044f \u043d\u043e\u0432\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0438\u043b\u0438 \u043f\u0435\u0440\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0438\u0442\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0439 \u043f\u0440\u043e\u0444\u0438\u043b\u044c.",
- "SystemDlnaProfilesHelp": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0447\u0442\u0435\u043d\u0438\u044f. \u0418\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u044f \u043a \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c\u0443 \u043f\u0440\u043e\u0444\u0438\u043b\u044e \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u044b \u0432 \u043d\u043e\u0432\u043e\u043c \u043d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u043e\u043c \u043f\u0440\u043e\u0444\u0438\u043b\u0435.",
- "TitleDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c",
- "TabHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435",
- "TabInfo": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f",
- "HeaderLinks": "\u0421\u0441\u044b\u043b\u043a\u0438",
- "HeaderSystemPaths": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0443\u0442\u0438",
- "LinkCommunity": "\u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e",
- "LinkGithub": "\u0420\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0439 Github",
- "LinkApiDocumentation": "\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430\u0446\u0438\u044f \u043f\u043e API",
- "LabelFriendlyServerName": "\u041f\u043e\u043d\u044f\u0442\u043d\u043e\u0435 \u0438\u043c\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u0430:",
- "LabelFriendlyServerNameHelp": "\u0414\u0430\u043d\u043d\u043e\u0435 \u0438\u043c\u044f \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f, \u0447\u0442\u043e\u0431\u044b \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440. \u0415\u0441\u043b\u0438 \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u0435 \u043f\u0443\u0441\u0442\u044b\u043c, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u0438\u043c\u044f \u043a\u043e\u043c\u043f\u044c\u044e\u0442\u0435\u0440\u0430.",
- "LabelPreferredDisplayLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f:",
- "LabelPreferredDisplayLanguageHelp": "\u041f\u0435\u0440\u0435\u0432\u043e\u0434 Media Browser \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u043e\u0435\u043a\u0442\u043e\u043c \u043d\u0430\u0445\u043e\u0434\u044f\u0449\u0438\u043c\u0441\u044f \u0432 \u0440\u0430\u0437\u0432\u0438\u0442\u0438\u0438 \u0438 \u0432\u0441\u0451 \u0435\u0449\u0451 \u043d\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0451\u043d.",
- "LabelReadHowYouCanContribute": "\u0427\u0438\u0442\u0430\u0439\u0442\u0435 \u043e \u0442\u043e\u043c, \u043a\u0430\u043a \u043c\u043e\u0436\u043d\u043e \u0432\u043d\u0435\u0441\u0442\u0438 \u0441\u0432\u043e\u0439 \u0432\u043a\u043b\u0430\u0434.",
- "HeaderNewCollection": "\u041d\u043e\u0432\u0430\u044f \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f",
- "HeaderAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0432 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044e",
- "ButtonSubmit": "\u0412\u043d\u0435\u0441\u0442\u0438",
- "NewCollectionNameExample": "\u041f\u0440\u0438\u043c\u0435\u0440: \u0417\u0432\u0451\u0437\u0434\u043d\u044b\u0435 \u0432\u043e\u0439\u043d\u044b (\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f)",
- "OptionSearchForInternetMetadata": "\u0418\u0441\u043a\u0430\u0442\u044c \u0438\u043b\u043b\u044e\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0432 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0435",
- "ButtonCreate": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c",
- "LabelLocalHttpServerPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u043e\u0440\u0442\u0430:",
- "LabelLocalHttpServerPortNumberHelp": "TCP-\u043f\u043e\u0440\u0442, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 HTTP-\u0441\u0435\u0440\u0432\u0435\u0440 Media Browser \u0434\u043e\u043b\u0436\u0435\u043d \u0438\u043c\u0435\u0442\u044c \u043f\u0440\u0438\u0432\u044f\u0437\u043a\u0443.",
- "LabelPublicPort": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e \u043f\u043e\u0440\u0442\u0430:",
- "LabelPublicPortHelp": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e \u043f\u043e\u0440\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0434\u043e\u043b\u0436\u0435\u043d \u0438\u043c\u0435\u0442\u044c \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c \u043f\u043e\u0440\u0442\u043e\u043c.",
- "LabelWebSocketPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430 \u0432\u0435\u0431-\u0441\u043e\u043a\u0435\u0442\u0430:",
- "LabelEnableAutomaticPortMap": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0440\u0442\u043e\u0432",
- "LabelEnableAutomaticPortMapHelp": "\u041f\u043e\u043f\u044b\u0442\u0430\u0442\u044c\u0441\u044f \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u044b\u0439 \u043f\u043e\u0440\u0442 \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c \u043f\u043e\u0440\u0442\u043e\u043c \u0447\u0435\u0440\u0435\u0437 UPnP. \u042d\u0442\u043e \u043c\u043e\u0436\u0435\u0442 \u043d\u0435 \u0441\u0440\u0430\u0431\u043e\u0442\u0430\u0442\u044c \u0441 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u043c\u0438 \u043c\u043e\u0434\u0435\u043b\u044f\u043c\u0438 \u043c\u0430\u0440\u0448\u0440\u0443\u0442\u0438\u0437\u0430\u0442\u043e\u0440\u043e\u0432.",
- "LabelExternalDDNS": "\u0412\u043d\u0435\u0448\u043d\u0438\u0439 DDNS-\u0434\u043e\u043c\u0435\u043d:",
- "LabelExternalDDNSHelp": "\u0415\u0441\u043b\u0438 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0434\u0438\u043d\u0430\u043c\u0438\u0447\u0435\u0441\u043a\u0438\u0439 DNS, \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u0435\u0433\u043e \u0437\u0434\u0435\u0441\u044c. \u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f Media Browser \u0431\u0443\u0434\u0443\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0435\u0433\u043e \u043f\u0440\u0438 \u0432\u043d\u0435\u0448\u043d\u0435\u043c \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438.",
- "TabResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435",
- "TabWeather": "\u041f\u043e\u0433\u043e\u0434\u0430",
- "TitleAppSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
- "LabelMinResumePercentage": "\u041c\u0438\u043d. \u0441\u043e\u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f, %:",
- "LabelMaxResumePercentage": "\u041c\u0430\u043a\u0441. \u0441\u043e\u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f, %:",
- "LabelMinResumeDuration": "\u041c\u0438\u043d. \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c \u0434\u043b\u044f \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f, \u0441:",
- "LabelMinResumePercentageHelp": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0441\u0447\u0438\u0442\u0430\u044e\u0442\u0441\u044f \u043d\u0435 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u043c\u0438, \u043f\u0440\u0438 \u0441\u0442\u043e\u043f\u0435 \u0434\u043e \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043c\u043e\u043c\u0435\u043d\u0442\u0430",
- "LabelMaxResumePercentageHelp": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0441\u0447\u0438\u0442\u0430\u044e\u0442\u0441\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u043c\u0438 \u043f\u043e\u043b\u043d\u043e\u0441\u0442\u044c\u044e, \u043f\u0440\u0438 \u0441\u0442\u043e\u043f\u0435 \u043f\u043e\u0441\u043b\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043c\u043e\u043c\u0435\u043d\u0442\u0430",
- "LabelMinResumeDurationHelp": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u043c\u0438 \u043f\u0440\u0438 \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u0438 \u043c\u0435\u043d\u0435\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e",
- "TitleAutoOrganize": "\u0410\u0432\u0442\u043e\u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f",
- "TabActivityLog": "\u0416\u0443\u0440\u043d\u0430\u043b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0439",
- "HeaderName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435",
- "HeaderDate": "\u0414\u0430\u0442\u0430",
- "HeaderSource": "\u041e\u0442\u043a\u0443\u0434\u0430",
- "HeaderDestination": "\u041a\u0443\u0434\u0430",
- "HeaderProgram": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430",
- "HeaderClients": "\u041a\u043b\u0438\u0435\u043d\u0442\u044b",
- "LabelCompleted": "\u0412\u044b\u043f\u043e\u043b\u043d\u0435\u043d\u043e",
- "LabelFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e",
- "LabelSkipped": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043e",
- "HeaderEpisodeOrganization": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b:",
- "LabelSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430:",
- "LabelEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
- "LabelEndingEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u043a\u043e\u043d\u0435\u0447\u043d\u043e\u0433\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
- "LabelEndingEpisodeNumberHelp": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0438\u0445 \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432",
- "HeaderSupportTheTeam": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0434\u043b\u044f \u043a\u043e\u043c\u0430\u043d\u0434\u044b Media Browser",
- "LabelSupportAmount": "\u0421\u0443\u043c\u043c\u0430 (USD)",
- "HeaderSupportTheTeamHelp": "\u041f\u043e\u043c\u043e\u0433\u0438\u0442\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f\u043c\u0438 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442\u044c \u0434\u0430\u043b\u044c\u043d\u0435\u0439\u0448\u0435\u0435 \u0440\u0430\u0437\u0432\u0438\u0442\u0438\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0435\u043a\u0442\u0430. \u0427\u0430\u0441\u0442\u044c \u0432\u0441\u0435\u0445 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0439 \u0431\u0443\u0434\u0435\u0442 \u0432\u043b\u043e\u0436\u0435\u043d\u0430 \u0432 \u0438\u043d\u043e\u0435 \u043e\u0442\u043a\u0440\u044b\u0442\u043e\u0435 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u043d\u043e\u0435 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0435\u043d\u0438\u0435, \u043d\u0430 \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u043c\u044b \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u044b\u0432\u0430\u0435\u043c.",
- "ButtonEnterSupporterKey": "\u0412\u0432\u0435\u0441\u0442\u0438 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430",
- "DonationNextStep": "\u041f\u043e\u0441\u043b\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0438\u044f \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c, \u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u0435 \u043f\u043e \u042d-\u043f\u043e\u0447\u0442\u0435.",
- "AutoOrganizeHelp": "\u0421\u0440\u0435\u0434\u0441\u0442\u0432\u043e \u0430\u0432\u0442\u043e\u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u0435\u0442 \u043f\u0430\u043f\u043a\u0443 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u043d\u043e\u0432\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432, \u0438 \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0438\u0442 \u0438\u0445 \u0432 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.",
- "AutoOrganizeTvHelp": "\u041f\u0440\u0438 \u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0422\u0412-\u0444\u0430\u0439\u043b\u043e\u0432, \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0431\u0443\u0434\u0443\u0442 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u0441\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u044b. \u041f\u0430\u043f\u043a\u0438 \u0434\u043b\u044f \u043d\u043e\u0432\u044b\u0445 \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f.",
- "OptionEnableEpisodeOrganization": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044e \u043d\u043e\u0432\u044b\u0445 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432",
- "LabelWatchFolder": "\u041f\u0430\u043f\u043a\u0430 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f:",
- "LabelWatchFolderHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0441\u044f \u043e\u043f\u0440\u043e\u0441 \u0434\u0430\u043d\u043d\u043e\u0439 \u043f\u0430\u043f\u043a\u0438 \u0432 \u0445\u043e\u0434\u0435 \u0432\u044b\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u044f \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0437\u0430\u0434\u0430\u043d\u0438\u044f \u00ab\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u043d\u043e\u0432\u044b\u0445 \u043c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u043e\u0432\u00bb.",
- "ButtonViewScheduledTasks": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0435 \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
- "LabelMinFileSizeForOrganize": "\u041c\u0438\u043d. \u0440\u0430\u0437\u043c\u0435\u0440 \u0444\u0430\u0439\u043b\u0430, \u041c\u0411:",
- "LabelMinFileSizeForOrganizeHelp": "\u0411\u0443\u0434\u0443\u0442 \u043f\u0440\u043e\u0438\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0444\u0430\u0439\u043b\u044b \u0440\u0430\u0437\u043c\u0435\u0440\u043e\u043c \u043c\u0435\u043d\u0435\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e.",
- "LabelSeasonFolderPattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u043f\u0430\u043f\u043a\u0438 \u0441\u0435\u0437\u043e\u043d\u0430:",
- "LabelSeasonZeroFolderName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u043f\u0430\u043f\u043a\u0438 \u043d\u0443\u043b\u0435\u0432\u043e\u0433\u043e \u0441\u0435\u0437\u043e\u043d\u0430:",
- "HeaderEpisodeFilePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0444\u0430\u0439\u043b\u0430 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
- "LabelEpisodePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0434\u043b\u044f \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
- "LabelMultiEpisodePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0434\u043b\u044f \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u0438\u0445 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432:",
- "HeaderSupportedPatterns": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u0448\u0430\u0431\u043b\u043e\u043d\u044b",
- "HeaderTerm": "\u0412\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435",
- "HeaderPattern": "\u0428\u0430\u0431\u043b\u043e\u043d",
- "HeaderResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442",
- "LabelDeleteEmptyFolders": "\u0423\u0434\u0430\u043b\u044f\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u0435 \u043f\u0430\u043f\u043a\u0438 \u043f\u043e\u0441\u043b\u0435 \u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438",
- "LabelDeleteEmptyFoldersHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0442\u044c \u043a\u0430\u0442\u0430\u043b\u043e\u0433 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0447\u0438\u0441\u0442\u044b\u043c.",
- "LabelDeleteLeftOverFiles": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043e\u0441\u0442\u0430\u0432\u0448\u0438\u0445\u0441\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u0441\u043e \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u043c\u0438 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u0438\u044f\u043c\u0438:",
- "LabelDeleteLeftOverFilesHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u0439\u0442\u0435 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u00ab;\u00bb. \u041d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0441\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
- "LabelTransferMethod": "\u041c\u0435\u0442\u043e\u0434 \u043f\u0435\u0440\u0435\u0445\u043e\u0434\u0430",
- "OptionCopy": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435",
- "OptionMove": "\u041f\u0435\u0440\u0435\u043c\u0435\u0449\u0435\u043d\u0438\u0435",
- "LabelTransferMethodHelp": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0438\u043b\u0438 \u043f\u0435\u0440\u0435\u043c\u0435\u0449\u0435\u043d\u0438\u0435 \u0444\u0430\u0439\u043b\u043e\u0432 \u0438\u0437 \u043f\u0430\u043f\u043a\u0438 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f",
- "HeaderLatestNews": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043d\u043e\u0432\u043e\u0441\u0442\u0438",
- "HeaderHelpImproveMediaBrowser": "\u041f\u043e\u043c\u043e\u0449\u044c \u0432 \u0441\u043e\u0432\u0435\u0440\u0448\u0435\u043d\u0441\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0438 Media Browser",
- "HeaderRunningTasks": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u044e\u0449\u0438\u0435\u0441\u044f \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
- "HeaderActiveDevices": "\u0410\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430",
- "HeaderPendingInstallations": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438",
- "HeaerServerInformation": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u0441\u0435\u0440\u0432\u0435\u0440\u0435",
- "ButtonRestartNow": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e",
- "ButtonRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c",
- "ButtonShutdown": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u0440\u0430\u0431\u043e\u0442\u0443",
- "ButtonUpdateNow": "\u041e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e",
- "PleaseUpdateManually": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u0435 \u0440\u0430\u0431\u043e\u0442\u0443 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u0438 \u043e\u0431\u043d\u043e\u0432\u0438\u0442\u0435 \u0432\u0440\u0443\u0447\u043d\u0443\u044e.",
- "NewServerVersionAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u043e\u0432\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f Media Browser Server!",
- "ServerUpToDate": "Media Browser Server - \u043e\u0431\u043d\u043e\u0432\u043b\u0451\u043d",
- "ErrorConnectingToMediaBrowserRepository": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u043a \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u043c\u0443 \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u044e Media Browser.",
- "LabelComponentsUpdated": "\u0411\u044b\u043b\u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u044b \u0438\u043b\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442\u044b:",
- "MessagePleaseRestartServerToFinishUpdating": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0435 \u0441\u0435\u0440\u0432\u0435\u0440, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u043f\u0440\u0438\u043c\u0435\u043d\u0435\u043d\u0438\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0439.",
- "LabelDownMixAudioScale": "\u041a\u043e\u043c\u043f\u0435\u043d\u0441\u0430\u0446\u0438\u044f \u043f\u0440\u0438 \u043f\u043e\u043d\u0438\u0436\u0430\u044e\u0449\u0435\u043c \u043c\u0438\u043a\u0448\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438:",
- "LabelDownMixAudioScaleHelp": "\u041a\u043e\u043c\u043f\u0435\u043d\u0441\u0438\u0440\u0443\u0435\u0442\u0441\u044f \u0443\u0440\u043e\u0432\u0435\u043d\u044c \u0437\u0432\u0443\u043a\u0430 \u043f\u0440\u0438 \u043f\u043e\u043d\u0438\u0436\u0430\u044e\u0449\u0435\u043c \u043c\u0438\u043a\u0448\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438. \u0412\u0432\u0435\u0434\u0438\u0442\u0435 1, \u0447\u0442\u043e\u0431\u044b \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u0438\u0441\u0445\u043e\u0434\u043d\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0443\u0440\u043e\u0432\u043d\u044f.",
- "ButtonLinkKeys": "\u041f\u0435\u0440\u0435\u043d\u0435\u0441\u0442\u0438 \u043a\u043b\u044e\u0447",
- "LabelOldSupporterKey": "\u0421\u0442\u0430\u0440\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430",
- "LabelNewSupporterKey": "\u041d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430",
- "HeaderMultipleKeyLinking": "\u041f\u0435\u0440\u0435\u0445\u043e\u0434 \u043a \u043d\u043e\u0432\u043e\u043c\u0443 \u043a\u043b\u044e\u0447\u0443",
- "MultipleKeyLinkingHelp": "\u0415\u0441\u043b\u0438 \u0432\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u043b\u0438 \u043d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u0432\u043e\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435\u0441\u044c \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u043e\u0440\u043c\u043e\u0439, \u0447\u0442\u043e\u0431\u044b \u043f\u0435\u0440\u0435\u043d\u0435\u0441\u0442\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u043e \u0441\u0442\u0430\u0440\u043e\u0433\u043e \u043a\u043b\u044e\u0447\u0430 \u043a \u043d\u043e\u0432\u043e\u043c\u0443.",
- "LabelCurrentEmailAddress": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u0430\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b",
- "LabelCurrentEmailAddressHelp": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u0430\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b, \u043d\u0430 \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0431\u044b\u043b \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d \u043d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447.",
- "HeaderForgotKey": "\u041a\u043b\u044e\u0447 \u0431\u044b\u043b \u0437\u0430\u0431\u044b\u0442",
- "LabelEmailAddress": "\u0410\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b",
- "LabelSupporterEmailAddress": "\u0410\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0431\u044b\u043b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d \u0434\u043b\u044f \u043f\u0440\u0438\u043e\u0431\u0440\u0435\u0442\u0435\u043d\u0438\u044f \u043a\u043b\u044e\u0447\u0430.",
- "ButtonRetrieveKey": "\u0412\u043e\u0441\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u043a\u043b\u044e\u0447",
- "LabelSupporterKey": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 (\u0432\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0438\u0437 \u043f\u0438\u0441\u044c\u043c\u0430 \u043f\u043e \u042d-\u043f\u043e\u0447\u0442\u0435)",
- "LabelSupporterKeyHelp": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0447\u0430\u0442\u044c \u043d\u0430\u0441\u043b\u0430\u0436\u0434\u0430\u0442\u044c\u0441\u044f \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c\u0438 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430\u043c\u0438, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0431\u044b\u043b\u0438 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0430\u043d\u044b \u0441\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u043c \u0434\u043b\u044f Media Browser.",
- "MessageInvalidKey": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0438\u043b\u0438 \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043d\u0435\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c.",
- "ErrorMessageInvalidKey": "\u0414\u043b\u044f \u0442\u043e\u0433\u043e, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043b\u044e\u0431\u043e\u0435 \u043f\u0440\u0435\u043c\u0438\u0443\u043c \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435, \u0432\u044b \u0434\u043e\u043b\u0436\u043d\u044b \u0431\u044b\u0442\u044c \u0442\u0430\u043a\u0436\u0435 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043e\u043c Media Browser. \u0421\u0434\u0435\u043b\u0430\u0439\u0442\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435 \u0438 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u0434\u0430\u043b\u044c\u043d\u0435\u0439\u0448\u0443\u044e \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043a\u0443 \u043e\u0441\u043d\u043e\u0432\u043e\u043f\u043e\u043b\u0430\u0433\u0430\u044e\u0449\u0435\u0433\u043e \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u0430.",
- "HeaderDisplaySettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f",
- "TabPlayTo": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u041d\u0430",
- "LabelEnableDlnaServer": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c DLNA-\u0441\u0435\u0440\u0432\u0435\u0440",
- "LabelEnableDlnaServerHelp": "UPnP-\u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c \u0432 \u0441\u0435\u0442\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f Media Browser.",
- "LabelEnableBlastAliveMessages": "\u0412\u0441\u043f\u043b\u0435\u0441\u043a \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0439 \u043f\u0440\u043e\u0432\u0435\u0440\u043a\u0438 \u0430\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438",
- "LabelEnableBlastAliveMessagesHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0435\u0441\u043b\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u0435 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u043d\u0430\u0434\u0451\u0436\u043d\u043e \u0434\u0440\u0443\u0433\u0438\u043c\u0438 UPnP \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0432 \u0441\u0435\u0442\u0438.",
- "LabelBlastMessageInterval": "\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0439 \u043f\u0440\u043e\u0432\u0435\u0440\u043a\u0438 \u0430\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438, \u0441",
- "LabelBlastMessageIntervalHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c \u0432 \u0441\u0435\u043a\u0443\u043d\u0434\u0430\u0445 \u043c\u0435\u0436\u0434\u0443 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f\u043c\u0438 \u043f\u0440\u043e\u0432\u0435\u0440\u043a\u0438 \u0430\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438 \u0441\u0435\u0440\u0432\u0435\u0440\u0430.",
- "LabelDefaultUser": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c:",
- "LabelDefaultUserHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f, \u0447\u044c\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043d\u0430 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u043d\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445. \u041f\u0435\u0440\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0435\u043d\u0438\u0435 \u044d\u0442\u043e\u0433\u043e \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u0440\u043e\u0444\u0438\u043b\u0435\u0439.",
- "TitleDlna": "DLNA",
- "TitleChannels": "\u041a\u0430\u043d\u0430\u043b\u044b",
- "HeaderServerSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0430",
- "LabelWeatherDisplayLocation": "\u041c\u0435\u0441\u0442\u043d\u043e\u0441\u0442\u044c \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u043e\u0439 \u043f\u043e\u0433\u043e\u0434\u044b:",
- "LabelWeatherDisplayLocationHelp": "\u041f\u043e\u0447\u0442\u043e\u0432\u044b\u0439 \u043a\u043e\u0434 \u0421\u0428\u0410 \/ \u0413\u043e\u0440\u043e\u0434, \u0420\u0435\u0433\u0438\u043e\u043d, \u0421\u0442\u0440\u0430\u043d\u0430 \/ \u0413\u043e\u0440\u043e\u0434, \u0421\u0442\u0440\u0430\u043d\u0430",
- "LabelWeatherDisplayUnit": "\u0415\u0434\u0438\u043d\u0438\u0446\u0430 \u0438\u0437\u043c\u0435\u0440\u0435\u043d\u0438\u044f \u0442\u0435\u043c\u043f\u0435\u0440\u0430\u0442\u0443\u0440\u044b \u043f\u043e:",
- "OptionCelsius": "\u0426\u0435\u043b\u044c\u0441\u0438\u0439",
- "OptionFahrenheit": "\u0424\u0430\u0440\u0435\u043d\u0433\u0435\u0439\u0442",
- "HeaderRequireManualLogin": "\u0420\u0443\u0447\u043d\u043e\u0439 \u0432\u0432\u043e\u0434 \u0438\u043c\u0435\u043d\u0438 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f:",
- "HeaderRequireManualLoginHelp": "\u041f\u0440\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0434\u043b\u044f \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0440\u0435\u0434\u044a\u044f\u0432\u043b\u0435\u043d\u0438\u0435 \u044d\u043a\u0440\u0430\u043d\u0430 \u0432\u0445\u043e\u0434\u0430 \u0441 \u0432\u0438\u0437\u0443\u0430\u043b\u044c\u043d\u044b\u043c \u0432\u044b\u0431\u043e\u0440\u043e\u043c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439.",
- "OptionOtherApps": "\u0414\u0440\u0443\u0433\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
- "OptionMobileApps": "\u041c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
- "HeaderNotificationList": "\u0429\u0451\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u043e \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044e, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0435\u0433\u043e \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438.",
- "NotificationOptionApplicationUpdateAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
- "NotificationOptionApplicationUpdateInstalled": "\u041e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
- "NotificationOptionPluginUpdateInstalled": "\u041e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
- "NotificationOptionPluginInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d",
- "NotificationOptionPluginUninstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0443\u0434\u0430\u043b\u0451\u043d",
- "NotificationOptionVideoPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e",
- "NotificationOptionAudioPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e",
- "NotificationOptionGamePlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0438\u0433\u0440\u044b \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e",
- "NotificationOptionVideoPlaybackStopped": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
- "NotificationOptionAudioPlaybackStopped": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
- "NotificationOptionGamePlaybackStopped": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0438\u0433\u0440\u044b \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
- "NotificationOptionTaskFailed": "\u0421\u0431\u043e\u0439 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
- "NotificationOptionInstallationFailed": "\u0421\u0431\u043e\u0439 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438",
- "NotificationOptionNewLibraryContent": "\u041d\u043e\u0432\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e",
- "NotificationOptionNewLibraryContentMultiple": "\u041d\u043e\u0432\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e (\u043c\u043d\u043e\u0433\u043e\u043a\u0440\u0430\u0442\u043d\u043e)",
- "SendNotificationHelp": "\u041f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e, \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432 \u044f\u0449\u0438\u043a \u0432\u0445\u043e\u0434\u044f\u0449\u0438\u0445 \u0432 \u00ab\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u0438\u00bb. \u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0438\u0442\u0435 \u043a\u0430\u0442\u0430\u043b\u043e\u0433 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0439.",
- "NotificationOptionServerRestartRequired": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a \u0441\u0435\u0440\u0432\u0435\u0440\u0430",
- "LabelNotificationEnabled": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u043e\u0435 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0435",
- "LabelMonitorUsers": "\u041e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u0435 \u0434\u0435\u044f\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u0438 \u043e\u0442:",
- "LabelSendNotificationToUsers": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u0434\u043b\u044f:",
- "LabelUseNotificationServices": "\u0418\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u0441\u043b\u0443\u0436\u0431:",
- "CategoryUser": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c",
- "CategorySystem": "\u0421\u0438\u0441\u0442\u0435\u043c\u0430",
- "CategoryApplication": "\u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435",
- "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d",
- "LabelMessageTitle": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f:",
- "LabelAvailableTokens": "\u0418\u043c\u0435\u044e\u0449\u0438\u0435\u0441\u044f \u043c\u0430\u0440\u043a\u0435\u0440\u044b:",
- "AdditionalNotificationServices": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0438\u0442\u0435 \u043a\u0430\u0442\u0430\u043b\u043e\u0433 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u0441\u043b\u0443\u0436\u0431\u044b \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0439.",
- "OptionAllUsers": "\u0412\u0441\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438",
- "OptionAdminUsers": "\u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b",
- "OptionCustomUsers": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435",
- "ButtonArrowUp": "\u0412\u0432\u0435\u0440\u0445",
- "ButtonArrowDown": "\u0412\u043d\u0438\u0437",
- "ButtonArrowLeft": "\u0412\u043b\u0435\u0432\u043e",
- "ButtonArrowRight": "\u0412\u043f\u0440\u0430\u0432\u043e",
- "ButtonBack": "\u041d\u0430\u0437\u0430\u0434",
- "ButtonInfo": "\u0418\u043d\u0444\u043e",
- "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u043d\u043e\u0435 \u043c\u0435\u043d\u044e",
- "ButtonPageUp": "\u041d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u0432\u0435\u0440\u0445",
- "ButtonPageDown": "\u041d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u043d\u0438\u0437",
- "PageAbbreviation": "\u0421\u0422\u0420",
- "ButtonHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435",
- "ButtonSearch": "\u0412\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u044c \u043f\u043e\u0438\u0441\u043a",
- "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b",
- "ButtonTakeScreenshot": "\u0421\u043d\u044f\u0442\u044c \u044d\u043a\u0440\u0430\u043d",
- "ButtonLetterUp": "\u041d\u0430 \u0431\u0443\u043a\u0432\u0443 \u0432\u0432\u0435\u0440\u0445",
- "ButtonLetterDown": "\u041d\u0430 \u0431\u0443\u043a\u0432\u0443 \u0432\u043d\u0438\u0437",
- "PageButtonAbbreviation": "\u0421\u0422\u0420",
- "LetterButtonAbbreviation": "\u0411\u041a\u0412",
- "TabNowPlaying": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0435",
- "TabNavigation": "\u041d\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u044f",
- "TabControls": "\u0420\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u043a\u0438",
- "ButtonFullscreen": "\u041f\u0435\u0440\u0435\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u044d\u043a\u0440\u0430\u043d\u0430",
- "ButtonScenes": "\u0421\u0446\u0435\u043d\u044b",
- "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b",
- "ButtonAudioTracks": "\u0410\u0443\u0434\u0438\u043e \u0434\u043e\u0440\u043e\u0436\u043a\u0438",
- "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430",
- "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430",
- "ButtonStop": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c",
- "ButtonPause": "\u041f\u0440\u0438\u043e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c",
- "ButtonNext": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0435\u0435",
- "ButtonPrevious": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0435\u0435",
- "LabelGroupMoviesIntoCollections": "\u0413\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0444\u0438\u043b\u044c\u043c\u044b \u0432\u043d\u0443\u0442\u0440\u044c \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0439",
- "LabelGroupMoviesIntoCollectionsHelp": "\u041f\u0440\u0438 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0438 \u0444\u0438\u043b\u044c\u043c\u043e\u0432\u044b\u0445 \u0441\u043f\u0438\u0441\u043a\u043e\u0432, \u0444\u0438\u043b\u044c\u043c\u044b, \u043f\u0440\u0438\u043d\u0430\u0434\u043b\u0435\u0436\u0430\u0449\u0438\u0435 \u043a\u043e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043a\u0430\u043a \u0435\u0434\u0438\u043d\u044b\u0439 \u0441\u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442.",
- "NotificationOptionPluginError": "\u0421\u0431\u043e\u0439 \u043f\u043b\u0430\u0433\u0438\u043d\u0430",
- "ButtonVolumeUp": "\u0413\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c \u0432\u044b\u0448\u0435",
- "ButtonVolumeDown": "\u0413\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c \u043d\u0438\u0436\u0435",
- "ButtonMute": "\u041e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0437\u0432\u0443\u043a",
- "HeaderLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435",
- "OptionSpecialFeatures": "\u0414\u043e\u043f. \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b",
- "HeaderCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438",
- "LabelProfileCodecsHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u044e\u0442\u0441\u044f \u0437\u0430\u043f\u044f\u0442\u043e\u0439. \u041c\u043e\u0436\u043d\u043e \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0442\u044c \u0434\u043b\u044f \u0432\u0441\u0435\u0445 \u043a\u043e\u0434\u0435\u043a\u043e\u0432.",
- "LabelProfileContainersHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u044e\u0442\u0441\u044f \u0437\u0430\u043f\u044f\u0442\u043e\u0439. \u041c\u043e\u0436\u043d\u043e \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0442\u044c \u0434\u043b\u044f \u0432\u0441\u0435\u0445 \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043e\u0432.",
- "HeaderResponseProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043e\u0442\u043a\u043b\u0438\u043a\u0430",
- "LabelType": "\u0422\u0438\u043f:",
- "LabelPersonRole": "\u0420\u043e\u043b\u044c:",
- "LabelPersonRoleHelp": "\u0420\u043e\u043b\u0438 \u043e\u0431\u044b\u0447\u043d\u043e \u043f\u0440\u0438\u043c\u0435\u043d\u0438\u043c\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u043a \u0430\u043a\u0442\u0451\u0440\u0430\u043c.",
- "LabelProfileContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
- "LabelProfileVideoCodecs": "\u0412\u0438\u0434\u0435\u043e \u043a\u043e\u0434\u0435\u043a\u0438:",
- "LabelProfileAudioCodecs": "\u0410\u0443\u0434\u0438\u043e \u043a\u043e\u0434\u0435\u043a\u0438:",
- "LabelProfileCodecs": "\u041a\u043e\u0434\u0435\u043a\u0438:",
- "HeaderDirectPlayProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f",
- "HeaderTranscodingProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438",
- "HeaderCodecProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043a\u043e\u0434\u0435\u043a\u043e\u0432",
- "HeaderCodecProfileHelp": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u043a\u043e\u0434\u0435\u043a\u043e\u0432 \u043e\u0431\u043e\u0437\u043d\u0430\u0447\u0430\u044e\u0442 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u0441 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u043c\u0438 \u043a\u043e\u0434\u0435\u043a\u0430\u043c\u0438. \u0415\u0441\u043b\u0438 \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0435\u0442\u0441\u044f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435, \u0442\u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0443\u044e\u0442\u0441\u044f, \u0434\u0430\u0436\u0435 \u0435\u0441\u043b\u0438 \u043a\u043e\u0434\u0435\u043a \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043d \u0434\u043b\u044f \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f.",
- "HeaderContainerProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u0430",
- "HeaderContainerProfileHelp": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043e\u0432 \u043e\u0431\u043e\u0437\u043d\u0430\u0447\u0430\u044e\u0442 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0445 \u0444\u043e\u0440\u043c\u0430\u0442\u043e\u0432. \u0415\u0441\u043b\u0438 \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0435\u0442\u0441\u044f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435, \u0442\u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0443\u044e\u0442\u0441\u044f, \u0434\u0430\u0436\u0435 \u0435\u0441\u043b\u0438 \u0444\u043e\u0440\u043c\u0430\u0442 \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043d \u0434\u043b\u044f \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f.",
- "OptionProfileVideo": "\u0412\u0438\u0434\u0435\u043e",
- "OptionProfileAudio": "\u0410\u0443\u0434\u0438\u043e",
- "OptionProfileVideoAudio": "\u0412\u0438\u0434\u0435\u043e \u0410\u0443\u0434\u0438\u043e",
- "OptionProfilePhoto": "\u0424\u043e\u0442\u043e",
- "LabelUserLibrary": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f:",
- "LabelUserLibraryHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435, \u0447\u044c\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0435. \u041e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u0443\u0441\u0442\u044b\u043c \u0434\u043b\u044f \u043d\u0430\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u043d\u0438\u044f \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0433\u043e \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0430.",
- "OptionPlainStorageFolders": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438, \u043a\u0430\u043a \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u043f\u0430\u043f\u043a\u0438 \u0445\u0440\u0430\u043d\u0435\u043d\u0438\u044f",
- "OptionPlainStorageFoldersHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432 DIDL \u043a\u0430\u043a \u00abobject.container.storageFolder\u00bb, \u0432\u043c\u0435\u0441\u0442\u043e \u0431\u043e\u043b\u0435\u0435 \u0441\u043f\u0435\u0446\u0438\u0444\u0438\u0447\u043d\u043e\u0433\u043e \u0442\u0438\u043f\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u00abobject.container.person.musicArtist\u00bb.",
- "OptionPlainVideoItems": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0432\u0441\u0435 \u0438\u043c\u0435\u044e\u0449\u0438\u0435\u0441\u044f \u0432\u0438\u0434\u0435\u043e, \u043a\u0430\u043a \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u044b",
- "OptionPlainVideoItemsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u0441\u0435 \u0438\u043c\u0435\u044e\u0449\u0438\u0435\u0441\u044f \u0432\u0438\u0434\u0435\u043e \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432 DIDL \u043a\u0430\u043a \u00abobject.item.videoItem\u00bb, \u0432\u043c\u0435\u0441\u0442\u043e \u0431\u043e\u043b\u0435\u0435 \u0441\u043f\u0435\u0446\u0438\u0444\u0438\u0447\u043d\u043e\u0433\u043e \u0442\u0438\u043f\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u00abobject.item.videoItem.movie\u00bb.",
- "LabelSupportedMediaTypes": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u0442\u0438\u043f\u044b \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445:",
- "TabIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435",
- "HeaderIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435",
- "TabDirectPlay": "\u041f\u0440\u044f\u043c\u043e\u0435 \u0432\u043e\u0441\u043f\u0440-\u0438\u0435",
- "TabContainers": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u044b",
- "TabCodecs": "\u041a\u043e\u0434\u0435\u043a\u0438",
- "TabResponses": "\u041e\u0442\u043a\u043b\u0438\u043a\u0438",
- "HeaderProfileInformation": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043f\u0440\u043e\u0444\u0438\u043b\u0435",
- "LabelEmbedAlbumArtDidl": "\u0412\u043d\u0435\u0434\u0440\u044f\u0442\u044c \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u043e\u0431\u043b\u043e\u0436\u043a\u0438 \u0432 DIDL",
- "LabelEmbedAlbumArtDidlHelp": "\u0414\u043b\u044f \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u044d\u0442\u043e\u0442 \u043c\u0435\u0442\u043e\u0434 \u043f\u043e\u043b\u0443\u0447\u0435\u043d\u0438\u044f \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c. \u0414\u043b\u044f \u0434\u0440\u0443\u0433\u0438\u0445 \u0436\u0435, \u043f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u044d\u0442\u043e\u0433\u043e \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0430, \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u043c\u043e\u0436\u0435\u0442 \u043d\u0435 \u0443\u0434\u0430\u0441\u0442\u0441\u044f.",
- "LabelAlbumArtPN": "PN \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:",
- "LabelAlbumArtHelp": "PN \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u043c\u043e\u0435 \u0434\u043b\u044f \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a, \u0432\u043d\u0443\u0442\u0440\u0438 \u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430 dlna:profileID \u043f\u0440\u0438 upnp:albumArtURI. \u041d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u043c \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0441\u043f\u0435\u0446\u0438\u0444\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435, \u0432\u043d\u0435 \u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e\u0441\u0442\u0438 \u043e\u0442 \u0440\u0430\u0437\u043c\u0435\u0440\u0430 \u0440\u0438\u0441\u0443\u043d\u043a\u0430.",
- "LabelAlbumArtMaxWidth": "\u041c\u0430\u043a\u0441. \u0448\u0438\u0440\u0438\u043d\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:",
- "LabelAlbumArtMaxWidthHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "\u041c\u0430\u043a\u0441. \u0432\u044b\u0441\u043e\u0442\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:",
- "LabelAlbumArtMaxHeightHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:albumArtURI.",
- "LabelIconMaxWidth": "\u041c\u0430\u043a\u0441. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u043d\u0430\u0447\u043a\u0430:",
- "LabelIconMaxWidthHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0437\u043d\u0430\u0447\u043a\u043e\u0432 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:icon.",
- "LabelIconMaxHeight": "\u041c\u0430\u043a\u0441. \u0432\u044b\u0441\u043e\u0442\u0430 \u0437\u043d\u0430\u0447\u043a\u0430:",
- "LabelIconMaxHeightHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0437\u043d\u0430\u0447\u043a\u043e\u0432 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:icon.",
- "LabelIdentificationFieldHelp": "\u041f\u043e\u0434\u0441\u0442\u0440\u043e\u043a\u0430 \u0431\u0435\u0437 \u0443\u0447\u0451\u0442\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430, \u043b\u0438\u0431\u043e \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u0435 \u0432\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435.",
- "HeaderProfileServerSettingsHelp": "\u0414\u0430\u043d\u043d\u044b\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u044e\u0442, \u043a\u0430\u043a Media Browser \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0435\u0434\u044a\u044f\u0432\u043b\u044f\u0442\u044c\u0441\u044f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0435.",
- "LabelMaxBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c:",
- "LabelMaxBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432 \u0441\u0440\u0435\u0434\u0430\u0445 \u0441 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u043d\u043e\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a\u043d\u043e\u0439 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e, \u043b\u0438\u0431\u043e, \u0435\u0441\u043b\u0438 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0443 - \u0435\u0433\u043e \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u043e\u0435 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435.",
- "LabelMaxStreamingBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438:",
- "LabelMaxStreamingBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.",
- "LabelMaxStaticBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0441\u0438\u043d\u0445\u0440-\u0438\u0438:",
- "LabelMaxStaticBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0432\u043e \u0432\u044b\u0441\u043e\u043a\u043e\u043c \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435.",
- "LabelMusicStaticBitrate": "\u041f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0441\u0438\u043d\u0445\u0440-\u0438\u0438 \u043c\u0443\u0437\u044b\u043a\u0438:",
- "LabelMusicStaticBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043c\u0443\u0437\u044b\u043a\u0438",
- "LabelMusicStreamingTranscodingBitrate": "\u041f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438 \u043c\u0443\u0437\u044b\u043a\u0438:",
- "LabelMusicStreamingTranscodingBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438 \u043c\u0443\u0437\u044b\u043a\u0438",
- "OptionIgnoreTranscodeByteRangeRequests": "\u0418\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0437\u0430\u043f\u0440\u043e\u0441\u044b \u0434\u0438\u0430\u043f\u0430\u0437\u043e\u043d\u0430 \u0431\u0430\u0439\u0442\u043e\u0432 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u044d\u0442\u0438 \u0437\u0430\u043f\u0440\u043e\u0441\u044b \u0431\u0443\u0434\u0443\u0442 \u0443\u0447\u0442\u0435\u043d\u044b, \u043d\u043e \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0434\u0438\u0430\u043f\u0430\u0437\u043e\u043d\u0430 \u0431\u0430\u0439\u0442\u043e\u0432 \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u043e\u0438\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u043d.",
- "LabelFriendlyName": "\u041f\u043e\u043d\u044f\u0442\u043d\u043e\u0435 \u0438\u043c\u044f",
- "LabelManufacturer": "\u041f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044c",
- "LabelManufacturerUrl": "URL \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044f",
- "LabelModelName": "\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435 \u043c\u043e\u0434\u0435\u043b\u0438",
- "LabelModelNumber": "\u041d\u043e\u043c\u0435\u0440 \u043c\u043e\u0434\u0435\u043b\u0438",
- "LabelModelDescription": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u043c\u043e\u0434\u0435\u043b\u0438",
- "LabelModelUrl": "URL \u043c\u043e\u0434\u0435\u043b\u0438",
- "LabelSerialNumber": "\u0421\u0435\u0440\u0438\u0439\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440",
- "LabelDeviceDescription": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430",
- "HeaderIdentificationCriteriaHelp": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u0445\u043e\u0442\u044f \u0431\u044b \u043e\u0434\u043d\u043e \u0443\u0441\u043b\u043e\u0432\u0438\u0435 \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u044f.",
- "HeaderDirectPlayProfileHelp": "\u0414\u043e\u0431\u0430\u0432\u044c\u0442\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438 \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f, \u0447\u0442\u043e\u0431\u044b \u0443\u043a\u0430\u0437\u0430\u0442\u044c, \u043a\u0430\u043a\u0438\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u043c\u043e\u0433\u0443\u0442 \u043e\u0431\u0440\u0430\u0431\u0430\u0442\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e\u043c \u0438\u0437\u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e.",
- "HeaderTranscodingProfileHelp": "\u0414\u043e\u0431\u0430\u0432\u044c\u0442\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u0443\u043a\u0430\u0437\u0430\u0442\u044c, \u043a\u0430\u043a\u0438\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u0434\u043e\u043b\u0436\u043d\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f, \u043a\u043e\u0433\u0434\u0430 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0430.",
- "HeaderResponseProfileHelp": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u043e\u0442\u043a\u043b\u0438\u043a\u043e\u0432 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0432\u0430\u044e\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u044c \u043e\u0431\u043e\u0441\u043e\u0431\u0438\u0442\u044c \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044e, \u043f\u043e\u0441\u044b\u043b\u0430\u0435\u043c\u0443\u044e \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0432\u0438\u0434\u043e\u0432 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.",
- "LabelXDlnaCap": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 X-Dlna:",
- "LabelXDlnaCapHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430 X_DLNACAP \u0432\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0435 \u0438\u043c\u0451\u043d urn:schemas-dlna-org:device-1-0",
- "LabelXDlnaDoc": "\u0421\u0445\u0435\u043c\u0430 X-Dlna:",
- "LabelXDlnaDocHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430 X_DLNADOC \u0432\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0435 \u0438\u043c\u0451\u043d urn:schemas-dlna-org:device-1-0",
- "LabelSonyAggregationFlags": "\u0424\u043b\u0430\u0433\u0438 \u0441\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0439 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0438 Sony:",
- "LabelSonyAggregationFlagsHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430 aggregationFlags \u0432\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0435 \u0438\u043c\u0451\u043d urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
- "LabelTranscodingVideoCodec": "\u0412\u0438\u0434\u0435\u043e \u043a\u043e\u0434\u0435\u043a:",
- "LabelTranscodingVideoProfile": "\u0412\u0438\u0434\u0435\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044c:",
- "LabelTranscodingAudioCodec": "\u0410\u0443\u0434\u0438\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044c:",
- "OptionEnableM2tsMode": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c M2ts",
- "OptionEnableM2tsModeHelp": "\u0412\u043a\u043b\u044e\u0447\u0430\u0439\u0442\u0435 \u0440\u0435\u0436\u0438\u043c M2ts \u043f\u0440\u0438 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438 \u0434\u043b\u044f mpegts.",
- "OptionEstimateContentLength": "\u0420\u0430\u0441\u0441\u0447\u0438\u0442\u044b\u0432\u0430\u0442\u044c \u0434\u043b\u0438\u043d\u0443 \u0441\u043e\u0434\u0435\u0440\u0436\u0438\u043c\u043e\u0433\u043e \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435",
- "OptionReportByteRangeSeekingWhenTranscoding": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u044f\u0442\u044c \u043e \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u043f\u043e\u0431\u0430\u0439\u0442\u043e\u0432\u043e\u0439 \u043f\u0435\u0440\u0435\u043c\u043e\u0442\u043a\u0438 \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u042d\u0442\u043e \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0434\u0435\u043b\u0430\u044e\u0442 \u043f\u043e\u0432\u0440\u0435\u043c\u0451\u043d\u043d\u0443\u044e \u043f\u0435\u0440\u0435\u043c\u043e\u0442\u043a\u0443 \u043d\u0435\u0434\u043e\u0441\u0442\u0430\u0442\u043e\u0447\u043d\u043e \u0443\u0434\u043e\u0432\u043b\u0435\u0442\u0432\u043e\u0440\u0438\u0442\u0435\u043b\u044c\u043d\u043e.",
- "HeaderSubtitleDownloadingHelp": "\u0412 Media Browser \u043f\u0440\u0438 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438 \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u043e\u0432 \u0438\u043c\u0435\u044e\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0432\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u044c \u043f\u043e\u0438\u0441\u043a \u043d\u0435\u0434\u043e\u0441\u0442\u0430\u044e\u0449\u0438\u0445 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0438\u0445 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0434\u043b\u044f:",
- "MessageNoChapterProviders": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043f\u043b\u0430\u0433\u0438\u043d-\u043f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a \u0441\u0446\u0435\u043d (\u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: ChapterDb) \u0434\u043b\u044f \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439 \u0434\u043b\u044f \u0441\u0446\u0435\u043d.",
- "LabelSkipIfGraphicalSubsPresent": "\u041e\u043f\u0443\u0441\u0442\u0438\u0442\u044c, \u0435\u0441\u043b\u0438 \u0432\u0438\u0434\u0435\u043e \u0443\u0436\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0438\u0442 \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b",
- "LabelSkipIfGraphicalSubsPresentHelp": "\u041d\u0430\u043b\u0438\u0447\u0438\u0435 \u0442\u0435\u043a\u0441\u0442\u043e\u0432\u044b\u0445 \u0432\u0435\u0440\u0441\u0438\u0439 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0431\u043e\u043b\u044c\u0448\u0435\u0439 \u044d\u0444\u0444\u0435\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u043a \u043c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u043c \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c.",
- "TabSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b",
- "TabChapters": "\u0421\u0446\u0435\u043d\u044b",
- "HeaderDownloadChaptersFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0439 \u0441\u0446\u0435\u043d \u0434\u043b\u044f:",
- "LabelOpenSubtitlesUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Open Subtitles:",
- "LabelOpenSubtitlesPassword": "\u041f\u0430\u0440\u043e\u043b\u044c Open Subtitles:",
- "HeaderChapterDownloadingHelp": "\u041f\u0440\u0438 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438 \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u043e\u0432, Media Browser \u043c\u043e\u0436\u0435\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u043f\u043e\u043d\u044f\u0442\u043d\u044b\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u044f \u0441\u0446\u0435\u043d \u0447\u0435\u0440\u0435\u0437 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442, \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u0441\u0446\u0435\u043d, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, ChapterDb.",
- "LabelPlayDefaultAudioTrack": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0443\u044e \u0430\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0443 \u0432\u043d\u0435 \u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e\u0441\u0442\u0438 \u043e\u0442 \u044f\u0437\u044b\u043a\u0430",
- "LabelSubtitlePlaybackMode": "\u0420\u0435\u0436\u0438\u043c \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432:",
- "LabelDownloadLanguages": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0435 \u044f\u0437\u044b\u043a\u0438:",
- "ButtonRegister": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f",
- "LabelSkipIfAudioTrackPresent": "\u041e\u043f\u0443\u0441\u0442\u0438\u0442\u044c, \u0435\u0441\u043b\u0438 \u0430\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0430 \u043f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u043c\u0443 \u044f\u0437\u044b\u043a\u0443",
- "LabelSkipIfAudioTrackPresentHelp": "\u0421\u043d\u044f\u0442\u044c \u0444\u043b\u0430\u0436\u043e\u043a, \u0447\u0442\u043e\u0431\u044b \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442\u044c \u0432\u0441\u0435\u043c\u0443 \u0432\u0438\u0434\u0435\u043e \u043d\u0430\u043b\u0438\u0447\u0438\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432, \u0432\u043d\u0435 \u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e\u0441\u0442\u0438 \u043e\u0442 \u044f\u0437\u044b\u043a\u0430 \u0430\u0443\u0434\u0438\u043e.",
- "HeaderSendMessage": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f",
- "ButtonSend": "\u041f\u0435\u0440\u0435\u0434\u0430\u0442\u044c",
- "LabelMessageText": "\u0422\u0435\u043a\u0441\u0442 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f:",
- "MessageNoAvailablePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u043d\u0435 \u0438\u043c\u0435\u0435\u0442\u0441\u044f.",
- "LabelDisplayPluginsFor": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u0434\u043b\u044f:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "LabelSeriesNamePlain": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u0430",
- "ValueSeriesNamePeriod": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435.\u0441\u0435\u0440\u0438\u0430\u043b\u0430",
- "ValueSeriesNameUnderscore": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435_\u0441\u0435\u0440\u0438\u0430\u043b\u0430",
- "ValueEpisodeNamePeriod": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435.\u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "ValueEpisodeNameUnderscore": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435_\u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "LabelSeasonNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430",
- "LabelEpisodeNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "LabelEndingEpisodeNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u043a\u043e\u043d\u0435\u0447\u043d\u043e\u0433\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
- "HeaderTypeText": "\u0412\u0432\u043e\u0434 \u0442\u0435\u043a\u0441\u0442\u0430",
- "LabelTypeText": "\u0422\u0435\u043a\u0441\u0442",
- "HeaderSearchForSubtitles": "\u041f\u043e\u0438\u0441\u043a \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432",
- "MessageNoSubtitleSearchResultsFound": "\u041d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u043e\u0432 \u043f\u0440\u0438 \u043f\u043e\u0438\u0441\u043a\u0435.",
- "TabDisplay": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435",
- "TabLanguages": "\u042f\u0437\u044b\u043a\u0438",
- "TabWebClient": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442",
- "LabelEnableThemeSongs": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0445 \u043c\u0435\u043b\u043e\u0434\u0438\u0439",
- "LabelEnableBackdrops": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0437\u0430\u0434\u043d\u0438\u043a\u043e\u0432",
- "LabelEnableThemeSongsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438 \u0431\u0443\u0434\u0443\u0442 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c\u0441\u044f \u0444\u043e\u043d\u043e\u043c \u043f\u0440\u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.",
- "LabelEnableBackdropsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0437\u0430\u0434\u043d\u0438\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0444\u043e\u043d\u043e\u043c \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0441\u0442\u0440\u0430\u043d\u0438\u0446 \u043f\u0440\u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.",
- "HeaderHomePage": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430",
- "HeaderSettingsForThisDevice": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430",
- "OptionAuto": "\u0410\u0432\u0442\u043e",
- "OptionYes": "\u0414\u0430",
- "OptionNo": "\u041d\u0435\u0442",
- "LabelHomePageSection1": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 1:",
- "LabelHomePageSection2": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 2:",
- "LabelHomePageSection3": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 3:",
- "LabelHomePageSection4": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 4:",
- "OptionMyViewsButtons": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b (\u043a\u043d\u043e\u043f\u043a\u0438)",
- "OptionMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b",
- "OptionMyViewsSmall": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b (\u043a\u043e\u043c\u043f\u0430\u043a\u0442\u043d\u043e)",
- "OptionResumablemedia": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u0435",
- "OptionLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435",
- "OptionLatestChannelMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432",
- "HeaderLatestChannelItems": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432",
- "OptionNone": "\u041d\u0438\u0447\u0435\u0433\u043e",
- "HeaderLiveTv": "\u0422\u0412 \u044d\u0444\u0438\u0440",
- "HeaderReports": "\u041e\u0442\u0447\u0451\u0442\u044b",
- "HeaderMetadataManager": "\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445",
- "HeaderPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438",
- "MessageLoadingChannels": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043a\u0430\u043d\u0430\u043b\u0430...",
- "MessageLoadingContent": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435...",
- "ButtonMarkRead": "\u041e\u0442\u043c\u0435\u0442\u0438\u0442\u044c \u043a\u0430\u043a \u043f\u0440\u043e\u0447\u0442\u0451\u043d\u043d\u043e\u0435",
- "OptionDefaultSort": "\u0423\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u0435",
- "OptionCommunityMostWatchedSort": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u044b\u0435 \u0431\u043e\u043b\u044c\u0448\u0435",
- "TabNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u043e\u0435",
- "MessageNoMovieSuggestionsAvailable": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0435 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u044b\u0445 \u0444\u0438\u043b\u044c\u043c\u043e\u0432. \u041d\u0430\u0447\u043d\u0438\u0442\u0435 \u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0438 \u043e\u0446\u0435\u043d\u0438\u0432\u0430\u0442\u044c \u0441\u0432\u043e\u0438 \u0444\u0438\u043b\u044c\u043c\u044b, \u0438 \u0442\u043e\u0433\u0434\u0430 \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c \u043d\u0430\u0437\u0430\u0434, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0430\u0446\u0438\u0438.",
- "MessageNoCollectionsAvailable": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0438\u043c\u0435\u0442\u044c \u043e\u0431\u043e\u0441\u043e\u0431\u043b\u0435\u043d\u043d\u044b\u0435 \u0433\u0440\u0443\u043f\u043f\u044b \u0444\u0438\u043b\u044c\u043c\u043e\u0432, \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432, \u0430\u043b\u044c\u0431\u043e\u043c\u043e\u0432 \u0438 \u0438\u0433\u0440. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \u00ab\u0421\u043e\u0437\u0434\u0430\u0442\u044c\u00bb \u0434\u043b\u044f \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f \u043d\u043e\u0432\u043e\u0439 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438.",
- "MessageNoPlaylistsAvailable": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f \u0441\u043f\u0438\u0441\u043a\u043e\u0432 \u0438\u0437 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u043d\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0440\u0430\u0437\u043e\u043c. \u0427\u0442\u043e\u0431\u044b \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u044b \u0432\u043e \u0441\u043f\u0438\u0441\u043a\u0438, \u0449\u0435\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u0440\u0430\u0432\u043e\u0439 \u043a\u043d\u043e\u043f\u043a\u043e\u0439 \u043c\u044b\u0448\u0438 \u0438\u043b\u0438 \u043a\u043e\u0441\u043d\u0438\u0442\u0435\u0441\u044c \u0438 \u0443\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0439\u0442\u0435, \u0437\u0430\u0442\u0435\u043c \u0432\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u00ab\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0432\u043e \u0441\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f\u00bb.",
- "MessageNoPlaylistItemsAvailable": "\u0414\u0430\u043d\u043d\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0432 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043f\u0443\u0441\u0442.",
- "HeaderWelcomeToMediaBrowserWebClient": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 Media Browser \u043f\u0440\u0438\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0432\u0430\u0441!",
- "ButtonDismiss": "\u0421\u043a\u0440\u044b\u0442\u044c",
- "ButtonTakeTheTour": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u043e\u0431\u0437\u043e\u0440\u043e\u043c",
- "ButtonEditOtherUserPreferences": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c, \u043f\u0430\u0440\u043e\u043b\u044c \u0438 \u043b\u0438\u0447\u043d\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f.",
- "LabelChannelStreamQuality": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u043e\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438:",
- "LabelChannelStreamQualityHelp": "\u0412 \u0441\u0440\u0435\u0434\u0435 \u0441 \u043d\u0438\u0437\u043a\u043e\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a\u043d\u043e\u0439 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e, \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0430 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u043c\u043e\u0447\u044c \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442\u044c \u0432\u0437\u0430\u0438\u043c\u043e\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435 \u0434\u043b\u044f \u043f\u043b\u0430\u0432\u043d\u043e\u0439 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.",
- "OptionBestAvailableStreamQuality": "\u041d\u0430\u0438\u043b\u0443\u0447\u0448\u0435\u0435 \u0438\u043c\u0435\u044e\u0449\u0435\u0435\u0441\u044f",
- "LabelEnableChannelContentDownloadingFor": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u043a\u0430\u043d\u0430\u043b\u0430 \u0434\u043b\u044f:",
- "LabelEnableChannelContentDownloadingForHelp": "\u041d\u0430 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u0430\u0445 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435, \u043f\u0440\u0435\u0434\u0432\u0430\u0440\u044f\u044e\u0449\u0435\u0435 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440. \u0412\u043a\u043b\u044e\u0447\u0430\u0439\u0442\u0435 \u043f\u0440\u0438 \u0441\u0440\u0435\u0434\u0430\u0445 \u0441 \u043d\u0438\u0437\u043a\u043e\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a\u043d\u043e\u0439 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043a\u0430\u043d\u0430\u043b\u0430 \u0432 \u043d\u0435\u0440\u0430\u0431\u043e\u0447\u0435\u0435 \u0432\u0440\u0435\u043c\u044f. \u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u043a\u0430\u043a \u0447\u0430\u0441\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0437\u0430\u0434\u0430\u043d\u0438\u044f \u00ab\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043a\u0430\u043d\u0430\u043b\u043e\u0432\u00bb.",
- "LabelChannelDownloadPath": "\u041f\u0443\u0442\u044c \u0434\u043b\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432:",
- "LabelChannelDownloadPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043d\u0435\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u043f\u0443\u0442\u044c \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e, \u043f\u043e \u0436\u0435\u043b\u0430\u043d\u0438\u044e. \u041e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u0443\u0441\u0442\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u0432\u043e \u0432\u043d\u0443\u0442\u0440\u0435\u043d\u043d\u044e\u044e \u043f\u0430\u043f\u043a\u0443 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u043d\u044b\u0445 \u0434\u0430\u043d\u043d\u044b\u0445.",
- "LabelChannelDownloadAge": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0447\u0435\u0440\u0435\u0437, \u0434\u043d\u0438:",
- "LabelChannelDownloadAgeHelp": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0441\u0442\u0430\u0440\u0448\u0435 \u0443\u043a\u0430\u0437\u0430\u043d\u043d\u043e\u0433\u043e \u0431\u0443\u0434\u0435\u0442 \u0443\u0434\u0430\u043b\u0435\u043d\u043e. \u041e\u043d\u043e \u043e\u0441\u0442\u0430\u043d\u0435\u0442\u0441\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u044b\u043c \u043f\u043e \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.",
- "ChannelSettingsFormHelp": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043a\u0430\u043d\u0430\u043b\u044b (\u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: Trailers \u0438\u043b\u0438 Vimeo) \u0438\u0437 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432.",
- "LabelSelectCollection": "\u0412\u044b\u0431\u043e\u0440 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438:",
- "ButtonOptions": "\u0412\u0430\u0440\u0438\u0430\u043d\u0442\u044b",
- "ViewTypeMovies": "\u041a\u0438\u043d\u043e",
- "ViewTypeTvShows": "\u0422\u0412",
- "ViewTypeGames": "\u0418\u0433\u0440\u044b",
- "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430",
- "ViewTypeBoxSets": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438",
- "ViewTypeChannels": "\u041a\u0430\u043d\u0430\u043b\u044b",
- "ViewTypeLiveTV": "\u0422\u0412 \u044d\u0444\u0438\u0440",
- "ViewTypeLiveTvNowPlaying": "\u0412 \u044d\u0444\u0438\u0440\u0435",
- "ViewTypeLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0438\u0433\u0440\u044b",
- "ViewTypeRecentlyPlayedGames": "C\u044b\u0433\u0440\u0430\u043d\u043d\u044b\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e",
- "ViewTypeGameFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435",
- "ViewTypeGameSystems": "\u0418\u0433\u0440\u043e\u0432\u044b\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b",
- "ViewTypeGameGenres": "\u0416\u0430\u043d\u0440\u044b",
- "ViewTypeTvResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u0435",
- "ViewTypeTvNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u044b\u0435",
- "ViewTypeTvLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435",
- "ViewTypeTvShowSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b",
- "ViewTypeTvGenres": "\u0416\u0430\u043d\u0440\u044b",
- "ViewTypeTvFavoriteSeries": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u044b",
- "ViewTypeTvFavoriteEpisodes": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
- "ViewTypeMovieResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u0435",
- "ViewTypeMovieLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435",
- "ViewTypeMovieMovies": "\u0424\u0438\u043b\u044c\u043c\u044b",
- "ViewTypeMovieCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438",
- "ViewTypeMovieFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435",
- "ViewTypeMovieGenres": "\u0416\u0430\u043d\u0440\u044b",
- "ViewTypeMusicLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435",
- "ViewTypeMusicAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b",
- "ViewTypeMusicAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438",
- "HeaderOtherDisplaySettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f",
- "ViewTypeMusicSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438",
- "ViewTypeMusicFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435",
- "ViewTypeMusicFavoriteAlbums": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b",
- "ViewTypeMusicFavoriteArtists": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438",
- "ViewTypeMusicFavoriteSongs": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438",
- "HeaderMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b",
- "LabelSelectFolderGroups": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0432\u043d\u0443\u0442\u0440\u044c \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432 (\u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: \u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430 \u0438 \u0422\u0412) \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0438\u0437 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u043f\u0430\u043f\u043e\u043a:",
- "LabelSelectFolderGroupsHelp": "\u041f\u0430\u043f\u043a\u0438, \u0441 \u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0441\u043d\u044f\u0442\u044b \u0444\u043b\u0430\u0436\u043a\u0438, \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0441\u0430\u043c\u043e\u0441\u0442\u043e\u044f\u0442\u0435\u043b\u044c\u043d\u043e \u0432 \u0438\u0445 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0445 \u0430\u0441\u043f\u0435\u043a\u0442\u0430\u0445.",
- "OptionDisplayAdultContent": "\u041e\u0442\u043e\u0431\u0440\u0430\u0437\u0438\u0442\u044c \u00ab\u0432\u0437\u0440\u043e\u0441\u043b\u043e\u0435\u00bb \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435",
- "OptionLibraryFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438",
- "TitleRemoteControl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435",
- "OptionLatestTvRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
- "LabelProtocolInfo": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043f\u0440\u043e\u0442\u043e\u043a\u043e\u043b\u0435:",
- "LabelProtocolInfoHelp": "\u0417\u043d\u0430\u0447\u0435\u043d\u0438\u0435, \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u043f\u0440\u0438 \u043e\u0442\u043a\u043b\u0438\u043a\u0435 \u043d\u0430 \u0437\u0430\u043f\u0440\u043e\u0441\u044b GetProtocolInfo \u043e\u0442 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "\u0412 Media Browser \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u0430\u044f \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0434\u043b\u044f Kodi-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0432 NFO-\u0444\u0430\u0439\u043b\u0430\u0445 \u0438 \u0434\u043b\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432. \u0414\u043b\u044f \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0438\u043b\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f Kodi-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u0432\u043a\u043b\u0430\u0434\u043a\u0443 \u00ab\u0421\u043b\u0443\u0436\u0431\u044b\u00bb, \u0447\u0442\u043e\u0431\u044b \u0434\u043b\u044f \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043f\u043e \u0442\u0438\u043f\u0430\u043c \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.",
- "LabelKodiMetadataUser": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0434\u0430\u043d\u043d\u044b\u0445 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435 \u0432 NFO-\u0444\u0430\u0439\u043b\u044b \u0434\u043b\u044f:",
- "LabelKodiMetadataUserHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e \u0434\u0430\u043d\u043d\u044b\u0445 \u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u043c \u043c\u0435\u0436\u0434\u0443 Media Browser \u0438 Kodi.",
- "LabelKodiMetadataDateFormat": "\u0424\u043e\u0440\u043c\u0430\u0442 \u0434\u0430\u0442\u044b \u0432\u044b\u043f\u0443\u0441\u043a\u0430:",
- "LabelKodiMetadataDateFormatHelp": "\u0412\u0441\u0435 \u0434\u0430\u0442\u044b \u0432\u043d\u0443\u0442\u0440\u0438 NFO-\u0444\u0430\u0439\u043b\u043e\u0432 \u0431\u0443\u0434\u0443\u0442 \u0441\u0447\u0438\u0442\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u0438 \u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0444\u043e\u0440\u043c\u0430\u0442\u0430.",
- "LabelKodiMetadataSaveImagePaths": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u043f\u0443\u0442\u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432\u043d\u0443\u0442\u0440\u0438 NFO-\u0444\u0430\u0439\u043b\u043e\u0432",
- "LabelKodiMetadataSaveImagePathsHelp": "\u0420\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f, \u0435\u0441\u043b\u0438 \u0438\u043c\u0435\u043d\u0430 \u0444\u0430\u0439\u043b\u043e\u0432 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u043d\u0435 \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u044e\u0442 \u0440\u0443\u043a\u043e\u0432\u043e\u0434\u044f\u0449\u0438\u043c \u043f\u0440\u0438\u043d\u0446\u0438\u043f\u0430\u043c Kodi.",
- "LabelKodiMetadataEnablePathSubstitution": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "\u0412\u043a\u043b\u044e\u0447\u0430\u044e\u0442\u0441\u044f \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439 \u043a \u0440\u0438\u0441\u0443\u043d\u043a\u0430\u043c \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043e\u0432 \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439 \u0441\u0435\u0440\u0432\u0435\u0440\u0430.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u0421\u043c. \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439",
- "LabelGroupChannelsIntoViews": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u0441\u0440\u0435\u0434\u0438 \u043c\u043e\u0438\u0445 \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432:",
- "LabelGroupChannelsIntoViewsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0434\u0430\u043d\u043d\u044b\u0435 \u043a\u0430\u043d\u0430\u043b\u044b \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u043d\u0430\u0440\u044f\u0434\u0443 \u0441 \u0434\u0440\u0443\u0433\u0438\u043c\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u0430\u043c\u0438. \u041f\u0440\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0432\u043d\u0443\u0442\u0440\u0438 \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u043e\u0433\u043e \u0430\u0441\u043f\u0435\u043a\u0442\u0430 \u00ab\u041a\u0430\u043d\u0430\u043b\u044b\u00bb.",
- "LabelDisplayCollectionsView": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0430\u0441\u043f\u0435\u043a\u0442 \u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u0444\u0438\u043b\u044c\u043c\u043e\u0432",
- "LabelKodiMetadataEnableExtraThumbs": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c extrafanart \u0432\u043d\u0443\u0442\u0440\u044c extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "\u041f\u0440\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432, \u0438\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u0432\u043d\u0443\u0442\u0440\u044c extrafanart \u0438 extrathumbs \u0434\u043b\u044f \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0439 \u0441\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u043e\u0441\u0442\u0438 \u0441 \u043e\u0431\u043e\u043b\u043e\u0447\u043a\u043e\u0439 Kodi.",
- "TabServices": "\u0421\u043b\u0443\u0436\u0431\u044b",
- "TabLogs": "\u0416\u0443\u0440\u043d\u0430\u043b\u044b",
- "HeaderServerLogFiles": "\u0424\u0430\u0439\u043b\u044b \u0436\u0443\u0440\u043d\u0430\u043b\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0430:",
- "TabBranding": "\u0411\u0440\u0435\u043d\u0434\u0438\u043d\u0433",
- "HeaderBrandingHelp": "\u041e\u0431\u043e\u0441\u043e\u0431\u044c\u0442\u0435 \u0432\u043d\u0435\u0448\u043d\u0438\u0439 \u0432\u0438\u0434 Media Browser \u0434\u043b\u044f \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u044f \u043f\u043e\u0442\u0440\u0435\u0431\u043d\u043e\u0441\u0442\u044f\u043c \u0432\u0430\u0448\u0435\u0439 \u0433\u0440\u0443\u043f\u043f\u044b \u0438\u043b\u0438 \u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438.",
- "LabelLoginDisclaimer": "\u041e\u0433\u043e\u0432\u043e\u0440\u043a\u0430 \u043d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0435 \u0432\u0445\u043e\u0434\u0430:",
- "LabelLoginDisclaimerHelp": "\u042d\u0442\u043e \u0431\u0443\u0434\u0435\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0432 \u043d\u0438\u0436\u043d\u0435\u0439 \u0447\u0430\u0441\u0442\u0438 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b \u0432\u0445\u043e\u0434\u0430 \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u0443.",
- "LabelAutomaticallyDonate": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0441\u0443\u043c\u043c\u0443 \u043a\u0430\u0436\u0434\u044b\u0439 \u043c\u0435\u0441\u044f\u0446",
- "LabelAutomaticallyDonateHelp": "\u041c\u043e\u0436\u043d\u043e \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u044d\u0442\u043e \u0447\u0435\u0440\u0435\u0437 \u0441\u0432\u043e\u044e \u0443\u0447\u0435\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c PayPal.",
- "OptionList": "\u0421\u043f\u0438\u0441\u043e\u043a",
- "TabDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c",
- "TitleServer": "\u0421\u0435\u0440\u0432\u0435\u0440",
- "LabelCache": "\u041a\u0435\u0448:",
- "LabelLogs": "\u0416\u0443\u0440\u043d\u0430\u043b\u044b:",
"LabelMetadata": "\u041c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435:",
"LabelImagesByName": "\u0420\u0438\u0441\u0443\u043d\u043a\u0438 \u0447\u0435\u0440\u0435\u0437 \u0438\u043c\u044f:",
"LabelTranscodingTemporaryFiles": "\u0412\u0440\u0435\u043c\u0435\u043d\u043d\u044b\u0435 \u0444\u0430\u0439\u043b\u044b \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438:",
@@ -931,8 +341,12 @@
"HeaderDashboardUserPassword": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u0441\u043a\u0438\u0435 \u043f\u0430\u0440\u043e\u043b\u0438 \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0447\u0435\u0440\u0435\u0437 \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043b\u0438\u0447\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f.",
"HeaderLibraryAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0435",
"HeaderChannelAccess": "\u0414\u043e\u0441\u0442\u0443\u043f \u043a \u043a\u0430\u043d\u0430\u043b\u0443",
+ "HeaderLatestItems": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u044b",
+ "LabelSelectLastestItemsFolders": "\u041e\u0445\u0432\u0430\u0442\u044b\u0432\u0430\u0435\u0442 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0438\u0437 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u0440\u0430\u0437\u0434\u0435\u043b\u043e\u0432 \u0432 \u043f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0445 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430\u0445",
+ "HeaderShareMediaFolders": "\u0421\u043e\u0432\u043c\u0435\u0441\u0442\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0430\u043c",
+ "MessageGuestSharingPermissionsHelp": "\u0411\u043e\u043b\u044c\u0448\u0438\u043d\u0441\u0442\u0432\u043e \u0438\u0437 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439 \u0438\u0437\u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e \u043d\u0435\u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b \u0434\u043b\u044f \u0433\u043e\u0441\u0442\u0435\u0439, \u043d\u043e \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u044b \u043f\u0440\u0438 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438.",
"LabelExit": "\u0412\u044b\u0445\u043e\u0434",
- "LabelVisitCommunity": "\u041f\u043e\u0441\u0435\u0449\u0435\u043d\u0438\u0435 \u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u0430",
+ "LabelVisitCommunity": "\u041f\u043e\u0441\u0435\u0442\u0438\u0442\u044c \u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e",
"LabelGithubWiki": "\u0412\u0438\u043a\u0438 \u043d\u0430 Github",
"LabelSwagger": "\u0418\u043d\u0442\u0435\u0440\u0444\u0435\u0439\u0441 Swagger",
"LabelStandard": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442",
@@ -1249,5 +663,595 @@
"TabStatus": "\u0421\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0435",
"TabSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b",
"ButtonRefreshGuideData": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0435 \u0433\u0438\u0434\u0430",
- "ButtonRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c"
+ "ButtonRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c",
+ "ButtonAdvancedRefresh": "\u041f\u043e\u0434\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u043e",
+ "OptionPriority": "\u041f\u0440\u0438\u043e\u0440\u0438\u0442\u0435\u0442",
+ "OptionRecordOnAllChannels": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0443 \u0441\u043e \u0432\u0441\u0435\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432",
+ "OptionRecordAnytime": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0443 \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f",
+ "OptionRecordOnlyNewEpisodes": "\u0417\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u043d\u043e\u0432\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
+ "HeaderDays": "\u0414\u043d\u0438",
+ "HeaderActiveRecordings": "\u0410\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
+ "HeaderLatestRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
+ "HeaderAllRecordings": "\u0412\u0441\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
+ "ButtonPlay": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438",
+ "ButtonEdit": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c",
+ "ButtonRecord": "\u0417\u0430\u043f\u0438\u0441\u0430\u0442\u044c",
+ "ButtonDelete": "\u0423\u0434\u0430\u043b\u0438\u0442\u044c",
+ "ButtonRemove": "\u0418\u0437\u044a\u044f\u0442\u044c",
+ "OptionRecordSeries": "\u0417\u0430\u043f\u0438\u0441\u0430\u0442\u044c \u0441\u0435\u0440\u0438\u0430\u043b",
+ "HeaderDetails": "\u0414\u0435\u0442\u0430\u043b\u0438",
+ "TitleLiveTV": "\u0422\u0412 \u044d\u0444\u0438\u0440",
+ "LabelNumberOfGuideDays": "\u0427\u0438\u0441\u043b\u043e \u0434\u043d\u0435\u0439 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u0434\u0430\u043d\u043d\u044b\u0445 \u0433\u0438\u0434\u0430:",
+ "LabelNumberOfGuideDaysHelp": "\u0427\u0435\u043c \u0431\u043e\u043b\u044c\u0448\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u0434\u043d\u0435\u0439, \u0442\u0435\u043c \u0446\u0435\u043d\u043d\u0435\u0435 \u0434\u043b\u044f \u0434\u0430\u043d\u043d\u044b\u0445 \u0433\u0438\u0434\u0430, \u0434\u0430\u0432\u0430\u044f \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c \u0434\u043b\u044f \u0440\u0430\u043d\u043d\u0435\u0433\u043e \u043f\u043b\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u044f \u0434\u0430\u043b\u044c\u043d\u0435\u0439\u0448\u0435\u0433\u043e \u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0431\u043e\u043b\u044c\u0448\u0435\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u044b \u043f\u0435\u0440\u0435\u0434\u0430\u0447, \u043d\u043e \u044d\u0442\u043e \u0442\u0430\u043a\u0436\u0435 \u043f\u0440\u043e\u0434\u043b\u044f\u0435\u0442 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0443. \u041f\u0440\u0438 \u0440\u0435\u0436\u0438\u043c\u0435 \u00ab\u0410\u0432\u0442\u043e\u00bb \u0432\u044b\u0431\u043e\u0440 \u0431\u0443\u0434\u0435\u0442 \u043e\u0441\u043d\u043e\u0432\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u043d\u0430 \u043a\u043e\u043b\u0438\u0447\u0435\u0441\u0442\u0432\u0435 \u043a\u0430\u043d\u0430\u043b\u043e\u0432.",
+ "LabelActiveService": "\u0410\u043a\u0442\u0438\u0432\u043d\u0430\u044f \u0441\u043b\u0443\u0436\u0431\u0430:",
+ "LabelActiveServiceHelp": "\u0412\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u044d\u0444\u0438\u0440\u043d\u043e\u0433\u043e \u0442\u0432, \u043d\u043e \u043f\u0440\u0438 \u044d\u0442\u043e\u043c \u0430\u043a\u0442\u0438\u0432\u043d\u044b\u043c \u043c\u043e\u0436\u0435\u0442 \u0431\u044b\u0442\u044c \u0442\u043e\u043b\u044c\u043a\u043e \u0435\u0434\u0438\u043d\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0439 \u0438\u0437 \u043d\u0438\u0445.",
+ "OptionAutomatic": "\u0410\u0432\u0442\u043e",
+ "LiveTvPluginRequired": "\u0427\u0442\u043e\u0431\u044b \u043f\u0440\u043e\u0434\u043e\u043b\u0436\u0438\u0442\u044c, \u043f\u043e\u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u043b\u0430\u0433\u0438\u043d-\u043f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a \u0443\u0441\u043b\u0443\u0433 \u044d\u0444\u0438\u0440\u043d\u043e\u0433\u043e \u0422\u0412.",
+ "LiveTvPluginRequiredHelp": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043e\u0434\u0438\u043d \u0438\u0437 \u0438\u043c\u0435\u044e\u0449\u0438\u0445\u0441\u044f \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, NextPVR \u0438\u043b\u0438 ServerWMC.",
+ "LabelCustomizeOptionsPerMediaType": "\u041f\u043e\u0434\u0433\u043e\u043d\u043a\u0430 \u043f\u043e \u0442\u0438\u043f\u0443 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445:",
+ "OptionDownloadThumbImage": "\u0411\u0435\u0433\u0443\u043d\u043e\u043a",
+ "OptionDownloadMenuImage": "\u041c\u0435\u043d\u044e",
+ "OptionDownloadLogoImage": "\u041b\u043e\u0433\u043e\u0442\u0438\u043f",
+ "OptionDownloadBoxImage": "\u041a\u043e\u0440\u043e\u0431\u043a\u0430",
+ "OptionDownloadDiscImage": "\u0414\u0438\u0441\u043a",
+ "OptionDownloadBannerImage": "\u0411\u0430\u043d\u043d\u0435\u0440",
+ "OptionDownloadBackImage": "\u0421\u043f\u0438\u043d\u043a\u0430",
+ "OptionDownloadArtImage": "\u0412\u0438\u043d\u044c\u0435\u0442\u043a\u0430",
+ "OptionDownloadPrimaryImage": "\u041f\u0435\u0440\u0432\u0438\u0447\u043d\u044b\u0439",
+ "HeaderFetchImages": "\u041e\u0442\u0431\u043e\u0440\u043a\u0430 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432:",
+ "HeaderImageSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432",
+ "TabOther": "\u0414\u0440\u0443\u0433\u0438\u0435",
+ "LabelMaxBackdropsPerItem": "\u041c\u0430\u043a\u0441. \u0447\u0438\u0441\u043b\u043e \u0437\u0430\u0434\u043d\u0438\u043a\u043e\u0432 \u043d\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442:",
+ "LabelMaxScreenshotsPerItem": "\u041c\u0430\u043a\u0441. \u0447\u0438\u0441\u043b\u043e \u0441\u043d\u0438\u043c\u043a\u043e\u0432 \u044d\u043a\u0440\u0430\u043d\u0430 \u043d\u0430 \u044d\u043b\u0435\u043c\u0435\u043d\u0442:",
+ "LabelMinBackdropDownloadWidth": "\u041c\u0438\u043d. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0437\u0430\u0434\u043d\u0438\u043a\u0430:",
+ "LabelMinScreenshotDownloadWidth": "\u041c\u0438\u043d. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0441\u043d\u0438\u043c\u043a\u0430 \u044d\u043a\u0440\u0430\u043d\u0430:",
+ "ButtonAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0442\u0440\u0438\u0433\u0433\u0435\u0440 \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
+ "HeaderAddScheduledTaskTrigger": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430 \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
+ "ButtonAdd": "\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c",
+ "LabelTriggerType": "\u0422\u0438\u043f \u0442\u0440\u0438\u0433\u0433\u0435\u0440\u0430:",
+ "OptionDaily": "\u0415\u0436\u0435\u0434\u043d\u0435\u0432\u043d\u043e",
+ "OptionWeekly": "\u0415\u0436\u0435\u043d\u0435\u0434\u0435\u043b\u044c\u043d\u043e",
+ "OptionOnInterval": "\u0412 \u0438\u043d\u0442\u0435\u0440\u0432\u0430\u043b\u0435",
+ "OptionOnAppStartup": "\u041f\u0440\u0438 \u0437\u0430\u043f\u0443\u0441\u043a\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
+ "OptionAfterSystemEvent": "\u041f\u043e \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c\u0443 \u0441\u043e\u0431\u044b\u0442\u0438\u044e",
+ "LabelDay": "\u0414\u0435\u043d\u044c:",
+ "LabelTime": "\u0412\u0440\u0435\u043c\u044f:",
+ "LabelEvent": "\u0421\u043e\u0431\u044b\u0442\u0438\u0435:",
+ "OptionWakeFromSleep": "\u0412\u044b\u0445\u043e\u0434 \u0438\u0437 \u0441\u043f\u044f\u0449\u0435\u0433\u043e \u0440\u0435\u0436\u0438\u043c\u0430",
+ "LabelEveryXMinutes": "\u041a\u0430\u0436\u0434\u044b\u0435:",
+ "HeaderTvTuners": "\u0422\u044e\u043d\u0435\u0440\u044b",
+ "HeaderGallery": "\u0413\u0430\u043b\u0435\u0440\u0435\u044f",
+ "HeaderLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0438\u0433\u0440\u044b",
+ "HeaderRecentlyPlayedGames": "C\u044b\u0433\u0440\u0430\u043d\u043d\u044b\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e \u0438\u0433\u0440\u044b",
+ "TabGameSystems": "\u0418\u0433\u0440\u043e\u0432\u044b\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b",
+ "TitleMediaLibrary": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430",
+ "TabFolders": "\u041f\u0430\u043f\u043a\u0438",
+ "TabPathSubstitution": "\u041f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439",
+ "LabelSeasonZeroDisplayName": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0437\u043e\u043d\u0430 0:",
+ "LabelEnableRealtimeMonitor": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u0435 \u0432 \u0440\u0435\u0430\u043b\u044c\u043d\u043e\u043c \u0432\u0440\u0435\u043c\u0435\u043d\u0438",
+ "LabelEnableRealtimeMonitorHelp": "\u0412 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432\u044b\u0445 \u0441\u0438\u0441\u0442\u0435\u043c\u0430\u0445 \u0438\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u044f \u0431\u0443\u0434\u0443\u0442 \u043e\u0431\u0440\u0430\u0431\u0430\u0442\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u043d\u0435\u0437\u0430\u043c\u0435\u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e.",
+ "ButtonScanLibrary": "\u0421\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443",
+ "HeaderNumberOfPlayers": "\u0418\u0433\u0440\u043e\u043a\u0438:",
+ "OptionAnyNumberOfPlayers": "\u041b\u044e\u0431\u044b\u0435",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438",
+ "HeaderThemeVideos": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u0432\u0438\u0434\u0435\u043e",
+ "HeaderThemeSongs": "\u0422\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438",
+ "HeaderScenes": "\u0421\u0446\u0435\u043d\u044b",
+ "HeaderAwardsAndReviews": "\u041f\u0440\u0438\u0437\u044b \u0438 \u0440\u0435\u0446\u0435\u043d\u0437\u0438\u0438",
+ "HeaderSoundtracks": "\u0421\u0430\u0443\u043d\u0434\u0442\u0440\u0435\u043a\u0438",
+ "HeaderMusicVideos": "\u041c\u0443\u0437\u044b\u043a\u0430\u043b\u044c\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e",
+ "HeaderSpecialFeatures": "\u0414\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b",
+ "HeaderCastCrew": "\u0423\u0447\u0430\u0441\u0442\u043d\u0438\u043a\u0438 \u0441\u044a\u0451\u043c\u043e\u043a",
+ "HeaderAdditionalParts": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u0447\u0430\u0441\u0442\u0438",
+ "ButtonSplitVersionsApart": "\u0420\u0430\u0437\u0431\u0438\u0442\u044c \u0432\u0435\u0440\u0441\u0438\u0438 \u0432\u0440\u043e\u0437\u044c",
+ "ButtonPlayTrailer": "\u0422\u0440\u0435\u0439\u043b\u0435\u0440",
+ "LabelMissing": "\u041e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442",
+ "LabelOffline": "\u0410\u0432\u0442\u043e\u043d\u043e\u043c\u043d\u043e",
+ "PathSubstitutionHelp": "\u041f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u044e\u0442\u0441\u044f \u0434\u043b\u044f \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0443\u0442\u0438 \u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435 \u0441 \u043f\u0443\u0442\u0451\u043c, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 \u043a\u043b\u0438\u0435\u043d\u0442\u044b \u043c\u043e\u0433\u0443\u0442 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u044c \u0434\u043e\u0441\u0442\u0443\u043f. \u041f\u043e\u0437\u0432\u043e\u043b\u044f\u044f \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u043d\u0435\u043f\u043e\u0441\u0440\u0435\u0434\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f \u043a \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u043c \u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435, \u043e\u043d\u0438 \u043c\u043e\u0433\u0443\u0442 \u0431\u044b\u0442\u044c \u0432 \u0441\u043e\u0441\u0442\u043e\u044f\u043d\u0438\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0438\u0445 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u043f\u043e \u0441\u0435\u0442\u0438, \u0438 \u0438\u0437\u0431\u0435\u0436\u0430\u0442\u044c \u0437\u0430\u0442\u0440\u0430\u0442\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u043d\u044b\u0445 \u0440\u0435\u0441\u0443\u0440\u0441\u043e\u0432 \u043d\u0430 \u0438\u0445 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u044e \u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0443.",
+ "HeaderFrom": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435",
+ "HeaderTo": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435",
+ "LabelFrom": "\u0418\u0441\u0445\u043e\u0434\u043d\u043e\u0435:",
+ "LabelFromHelp": "\u041f\u0440\u0438\u043c\u0435\u0440: D:\\Movies (\u043d\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0435)",
+ "LabelTo": "\u041a\u043e\u043d\u0435\u0447\u043d\u043e\u0435:",
+ "LabelToHelp": "\u041f\u0440\u0438\u043c\u0435\u0440: \\\\MyServer\\Movies (\u043f\u0443\u0442\u044c, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0434\u043e\u0441\u0442\u0443\u043f\u0435\u043d \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c)",
+ "ButtonAddPathSubstitution": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438",
+ "OptionSpecialEpisode": "\u0421\u043f\u0435\u0446\u044d\u043f\u0438\u0437\u043e\u0434\u044b",
+ "OptionMissingEpisode": "\u041d\u0435\u0442 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432",
+ "OptionUnairedEpisode": "\u041e\u0436\u0438\u0434\u0430\u0435\u043c\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
+ "OptionEpisodeSortName": "\u0421\u043e\u0440\u0442\u0438\u0440\u0443\u0435\u043c\u043e\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "OptionSeriesSortName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u0430",
+ "OptionTvdbRating": "\u041e\u0446\u0435\u043d\u043a\u0430 TVDb",
+ "HeaderTranscodingQualityPreference": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0430 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0430 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438:",
+ "OptionAutomaticTranscodingHelp": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0438 \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0431\u0443\u0434\u0443\u0442 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0442\u044c\u0441\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c",
+ "OptionHighSpeedTranscodingHelp": "\u0411\u043e\u043b\u0435\u0435 \u043d\u0438\u0437\u043a\u043e\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e, \u043d\u043e \u0431\u043e\u043b\u0435\u0435 \u0431\u044b\u0441\u0442\u0440\u043e\u0435 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435",
+ "OptionHighQualityTranscodingHelp": "\u0411\u043e\u043b\u0435\u0435 \u0432\u044b\u0441\u043e\u043a\u043e\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e, \u043d\u043e \u0431\u043e\u043b\u0435\u0435 \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e\u0435 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435",
+ "OptionMaxQualityTranscodingHelp": "\u041d\u0430\u0438\u0443\u0447\u0448\u0435\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0441 \u0431\u043e\u043b\u0435\u0435 \u043c\u0435\u0434\u043b\u0435\u043d\u043d\u044b\u043c \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u043c, \u0438 \u0432\u044b\u0441\u043e\u043a\u0430\u044f \u043d\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0430",
+ "OptionHighSpeedTranscoding": "\u0421\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432\u044b\u0448\u0435",
+ "OptionHighQualityTranscoding": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0432\u044b\u0448\u0435",
+ "OptionMaxQualityTranscoding": "\u041a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e",
+ "OptionEnableDebugTranscodingLogging": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u043b\u0430\u0434\u043e\u0447\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438 \u0432 \u0416\u0443\u0440\u043d\u0430\u043b\u0435",
+ "OptionEnableDebugTranscodingLoggingHelp": "\u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f \u0444\u0430\u0439\u043b\u044b \u0416\u0443\u0440\u043d\u0430\u043b\u0430 \u043e\u0447\u0435\u043d\u044c \u0431\u043e\u043b\u044c\u0448\u043e\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430, \u0430 \u044d\u0442\u043e \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u0441\u0438\u043b\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0443\u0441\u0442\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u043d\u0435\u043f\u043e\u043b\u0430\u0434\u043e\u043a.",
+ "OptionUpscaling": "\u041a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0437\u0430\u0442\u0440\u0435\u0431\u043e\u0432\u0430\u043d\u0438\u044f \u0432\u044b\u0441\u043e\u043a\u043e\u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435\u043d\u043d\u043e\u0433\u043e \u0432\u0438\u0434\u0435\u043e",
+ "OptionUpscalingHelp": "\u0412 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0441\u043b\u0443\u0447\u0430\u044f\u0445, \u044d\u0442\u043e \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0443\u043b\u0443\u0447\u0448\u0435\u043d\u0438\u044e \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0430 \u0432\u0438\u0434\u0435\u043e, \u043d\u043e \u0443\u0432\u0435\u043b\u0438\u0447\u0438\u0442\u0441\u044f \u043d\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043f\u0440\u043e\u0446\u0435\u0441\u0441\u043e\u0440\u0430.",
+ "EditCollectionItemsHelp": "\u0414\u043e\u0431\u0430\u0432\u044c\u0442\u0435 \u0438\u043b\u0438 \u0438\u0437\u044b\u043c\u0438\u0442\u0435 \u043b\u044e\u0431\u044b\u0435 \u0444\u0438\u043b\u044c\u043c\u044b, \u0441\u0435\u0440\u0438\u0430\u043b\u044b, \u0430\u043b\u044c\u0431\u043e\u043c\u044b, \u043a\u043d\u0438\u0433\u0438 \u0438\u043b\u0438 \u0438\u0433\u0440\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0445\u043e\u0442\u0438\u0442\u0435 \u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0432\u043d\u0443\u0442\u0440\u0438 \u0434\u0430\u043d\u043d\u043e\u0439 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438.",
+ "HeaderAddTitles": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0439",
+ "LabelEnableDlnaPlayTo": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c DLNA-\u0444\u0443\u043d\u043a\u0446\u0438\u044e \u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u041d\u0430",
+ "LabelEnableDlnaPlayToHelp": "\u0412 Media Browser \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0438\u0432\u0430\u0442\u044c \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0432\u043d\u0443\u0442\u0440\u0438 \u0441\u0435\u0442\u0438, \u0430 \u0442\u0430\u043a\u0436\u0435 \u0434\u0430\u0451\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u044c \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e \u0443\u043f\u0440\u0430\u0432\u043b\u044f\u0442\u044c \u0438\u043c\u0438.",
+ "LabelEnableDlnaDebugLogging": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043e\u0442\u043b\u0430\u0434\u043e\u0447\u043d\u044b\u0435 \u0437\u0430\u043f\u0438\u0441\u0438 DLNA \u0432 \u0416\u0443\u0440\u043d\u0430\u043b\u0435",
+ "LabelEnableDlnaDebugLoggingHelp": "\u041f\u0440\u0438 \u044d\u0442\u043e\u043c \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f \u0444\u0430\u0439\u043b\u044b \u0416\u0443\u0440\u043d\u0430\u043b\u0430 \u043e\u0447\u0435\u043d\u044c \u0431\u043e\u043b\u044c\u0448\u043e\u0433\u043e \u043e\u0431\u044a\u0451\u043c\u0430, \u0430 \u044d\u0442\u043e \u0434\u043e\u043b\u0436\u043d\u043e \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u0441\u0438\u043b\u0443 \u043d\u0435\u043e\u0431\u0445\u043e\u0434\u0438\u043c\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0443\u0441\u0442\u0440\u0430\u043d\u0435\u043d\u0438\u044f \u043d\u0435\u043f\u043e\u043b\u0430\u0434\u043e\u043a.",
+ "LabelEnableDlnaClientDiscoveryInterval": "\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0435\u043d\u0438\u044f \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432, \u0441",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c \u0432 \u0441\u0435\u043a\u0443\u043d\u0434\u0430\u0445 \u043c\u0435\u0436\u0434\u0443 \u043f\u043e\u0438\u0441\u043a\u043e\u0432\u044b\u043c\u0438 SSDP-\u0437\u0430\u043f\u0440\u043e\u0441\u0430\u043c\u0438 \u0432\u044b\u043f\u043e\u043b\u043d\u044f\u0435\u043c\u044b\u043c\u0438 Media Browser.",
+ "HeaderCustomDlnaProfiles": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438",
+ "HeaderSystemDlnaProfiles": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438",
+ "CustomDlnaProfilesHelp": "\u0421\u043e\u0437\u0434\u0430\u0439\u0442\u0435 \u043d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0439 \u043f\u0440\u043e\u0444\u0438\u043b\u044c, \u043f\u0440\u0435\u0434\u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0439 \u0434\u043b\u044f \u043d\u043e\u0432\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0438\u043b\u0438 \u043f\u0435\u0440\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0438\u0442\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0439 \u043f\u0440\u043e\u0444\u0438\u043b\u044c.",
+ "SystemDlnaProfilesHelp": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438 \u0434\u043e\u0441\u0442\u0443\u043f\u043d\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0447\u0442\u0435\u043d\u0438\u044f. \u0418\u0437\u043c\u0435\u043d\u0435\u043d\u0438\u044f \u043a \u0441\u0438\u0441\u0442\u0435\u043c\u043d\u043e\u043c\u0443 \u043f\u0440\u043e\u0444\u0438\u043b\u044e \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0445\u0440\u0430\u043d\u0435\u043d\u044b \u0432 \u043d\u043e\u0432\u043e\u043c \u043d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u043e\u043c \u043f\u0440\u043e\u0444\u0438\u043b\u0435.",
+ "TitleDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c",
+ "TabHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435",
+ "TabInfo": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f",
+ "HeaderLinks": "\u0421\u0441\u044b\u043b\u043a\u0438",
+ "HeaderSystemPaths": "\u0421\u0438\u0441\u0442\u0435\u043c\u043d\u044b\u0435 \u043f\u0443\u0442\u0438",
+ "LinkCommunity": "\u0421\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e",
+ "LinkGithub": "\u0420\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u0439 Github",
+ "LinkApiDocumentation": "\u0414\u043e\u043a\u0443\u043c\u0435\u043d\u0442\u0430\u0446\u0438\u044f \u043f\u043e API",
+ "LabelFriendlyServerName": "\u041f\u043e\u043d\u044f\u0442\u043d\u043e\u0435 \u0438\u043c\u044f \u0441\u0435\u0440\u0432\u0435\u0440\u0430:",
+ "LabelFriendlyServerNameHelp": "\u0414\u0430\u043d\u043d\u043e\u0435 \u0438\u043c\u044f \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f, \u0447\u0442\u043e\u0431\u044b \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u044b\u0439 \u0441\u0435\u0440\u0432\u0435\u0440. \u0415\u0441\u043b\u0438 \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u043e\u043b\u0435 \u043f\u0443\u0441\u0442\u044b\u043c, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u0442\u0441\u044f \u0438\u043c\u044f \u043a\u043e\u043c\u043f\u044c\u044e\u0442\u0435\u0440\u0430.",
+ "LabelPreferredDisplayLanguage": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u044b\u0439 \u044f\u0437\u044b\u043a \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f:",
+ "LabelPreferredDisplayLanguageHelp": "\u041f\u0435\u0440\u0435\u0432\u043e\u0434 Media Browser \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u043e\u0435\u043a\u0442\u043e\u043c \u043d\u0430\u0445\u043e\u0434\u044f\u0449\u0438\u043c\u0441\u044f \u0432 \u0440\u0430\u0437\u0432\u0438\u0442\u0438\u0438 \u0438 \u0432\u0441\u0451 \u0435\u0449\u0451 \u043d\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0451\u043d.",
+ "LabelReadHowYouCanContribute": "\u0427\u0438\u0442\u0430\u0439\u0442\u0435 \u043e \u0442\u043e\u043c, \u043a\u0430\u043a \u043c\u043e\u0436\u043d\u043e \u0432\u043d\u0435\u0441\u0442\u0438 \u0441\u0432\u043e\u0439 \u0432\u043a\u043b\u0430\u0434.",
+ "HeaderNewCollection": "\u041d\u043e\u0432\u0430\u044f \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f",
+ "HeaderAddToCollection": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0432 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044e",
+ "ButtonSubmit": "\u0412\u043d\u0435\u0441\u0442\u0438",
+ "NewCollectionNameExample": "\u041f\u0440\u0438\u043c\u0435\u0440: \u0417\u0432\u0451\u0437\u0434\u043d\u044b\u0435 \u0432\u043e\u0439\u043d\u044b (\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u044f)",
+ "OptionSearchForInternetMetadata": "\u0418\u0441\u043a\u0430\u0442\u044c \u0438\u043b\u043b\u044e\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0438 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u0432 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442\u0435",
+ "ButtonCreate": "\u0421\u043e\u0437\u0434\u0430\u0442\u044c",
+ "LabelLocalHttpServerPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u043e\u0433\u043e \u043f\u043e\u0440\u0442\u0430:",
+ "LabelLocalHttpServerPortNumberHelp": "TCP-\u043f\u043e\u0440\u0442, \u043a\u043e \u043a\u043e\u0442\u043e\u0440\u043e\u043c\u0443 HTTP-\u0441\u0435\u0440\u0432\u0435\u0440 Media Browser \u0434\u043e\u043b\u0436\u0435\u043d \u0438\u043c\u0435\u0442\u044c \u043f\u0440\u0438\u0432\u044f\u0437\u043a\u0443.",
+ "LabelPublicPort": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e \u043f\u043e\u0440\u0442\u0430:",
+ "LabelPublicPortHelp": "\u041d\u043e\u043c\u0435\u0440 \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u043e\u0433\u043e \u043f\u043e\u0440\u0442\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0434\u043e\u043b\u0436\u0435\u043d \u0438\u043c\u0435\u0442\u044c \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c \u043f\u043e\u0440\u0442\u043e\u043c.",
+ "LabelWebSocketPortNumber": "\u041d\u043e\u043c\u0435\u0440 \u043f\u043e\u0440\u0442\u0430 \u0432\u0435\u0431-\u0441\u043e\u043a\u0435\u0442\u0430:",
+ "LabelEnableAutomaticPortMap": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0430\u0432\u0442\u043e\u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043e\u0440\u0442\u043e\u0432",
+ "LabelEnableAutomaticPortMapHelp": "\u041f\u043e\u043f\u044b\u0442\u0430\u0442\u044c\u0441\u044f \u0430\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0441\u043e\u043f\u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0431\u043b\u0438\u0447\u043d\u044b\u0439 \u043f\u043e\u0440\u0442 \u0441 \u043b\u043e\u043a\u0430\u043b\u044c\u043d\u044b\u043c \u043f\u043e\u0440\u0442\u043e\u043c \u0447\u0435\u0440\u0435\u0437 UPnP. \u042d\u0442\u043e \u043c\u043e\u0436\u0435\u0442 \u043d\u0435 \u0441\u0440\u0430\u0431\u043e\u0442\u0430\u0442\u044c \u0441 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u043c\u0438 \u043c\u043e\u0434\u0435\u043b\u044f\u043c\u0438 \u043c\u0430\u0440\u0448\u0440\u0443\u0442\u0438\u0437\u0430\u0442\u043e\u0440\u043e\u0432.",
+ "LabelExternalDDNS": "\u0412\u043d\u0435\u0448\u043d\u0438\u0439 DDNS-\u0434\u043e\u043c\u0435\u043d:",
+ "LabelExternalDDNSHelp": "\u0415\u0441\u043b\u0438 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0434\u0438\u043d\u0430\u043c\u0438\u0447\u0435\u0441\u043a\u0438\u0439 DNS, \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u0435\u0433\u043e \u0437\u0434\u0435\u0441\u044c. \u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f Media Browser \u0431\u0443\u0434\u0443\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c \u0435\u0433\u043e \u043f\u0440\u0438 \u0432\u043d\u0435\u0448\u043d\u0435\u043c \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438.",
+ "TabResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435",
+ "TabWeather": "\u041f\u043e\u0433\u043e\u0434\u0430",
+ "TitleAppSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
+ "LabelMinResumePercentage": "\u041c\u0438\u043d. \u0441\u043e\u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f, %:",
+ "LabelMaxResumePercentage": "\u041c\u0430\u043a\u0441. \u0441\u043e\u043e\u0442\u043d\u043e\u0448\u0435\u043d\u0438\u0435 \u0434\u043b\u044f \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f, %:",
+ "LabelMinResumeDuration": "\u041c\u0438\u043d. \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c \u0434\u043b\u044f \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u044f, \u0441:",
+ "LabelMinResumePercentageHelp": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0441\u0447\u0438\u0442\u0430\u044e\u0442\u0441\u044f \u043d\u0435 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u043c\u0438, \u043f\u0440\u0438 \u0441\u0442\u043e\u043f\u0435 \u0434\u043e \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043c\u043e\u043c\u0435\u043d\u0442\u0430",
+ "LabelMaxResumePercentageHelp": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0441\u0447\u0438\u0442\u0430\u044e\u0442\u0441\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0451\u043d\u043d\u044b\u043c\u0438 \u043f\u043e\u043b\u043d\u043e\u0441\u0442\u044c\u044e, \u043f\u0440\u0438 \u0441\u0442\u043e\u043f\u0435 \u043f\u043e\u0441\u043b\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043c\u043e\u043c\u0435\u043d\u0442\u0430",
+ "LabelMinResumeDurationHelp": "\u041f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0432\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u043c\u0438 \u043f\u0440\u0438 \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u0438 \u043c\u0435\u043d\u0435\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e",
+ "TitleAutoOrganize": "\u0410\u0432\u0442\u043e\u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f",
+ "TabActivityLog": "\u0416\u0443\u0440\u043d\u0430\u043b \u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0439",
+ "HeaderName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435",
+ "HeaderDate": "\u0414\u0430\u0442\u0430",
+ "HeaderSource": "\u041e\u0442\u043a\u0443\u0434\u0430",
+ "HeaderDestination": "\u041a\u0443\u0434\u0430",
+ "HeaderProgram": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430",
+ "HeaderClients": "\u041a\u043b\u0438\u0435\u043d\u0442\u044b",
+ "LabelCompleted": "\u0412\u044b\u043f\u043e\u043b\u043d\u0435\u043d\u043e",
+ "LabelFailed": "\u041d\u0435\u0443\u0434\u0430\u0447\u043d\u043e",
+ "LabelSkipped": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043e",
+ "HeaderEpisodeOrganization": "\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "LabelSeries": "\u0421\u0435\u0440\u0438\u0430\u043b:",
+ "LabelSeasonNumber": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430:",
+ "LabelEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
+ "LabelEndingEpisodeNumber": "\u041d\u043e\u043c\u0435\u0440 \u043a\u043e\u043d\u0435\u0447\u043d\u043e\u0433\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
+ "LabelEndingEpisodeNumberHelp": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0442\u043e\u043b\u044c\u043a\u043e \u0434\u043b\u044f \u0444\u0430\u0439\u043b\u043e\u0432, \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u0449\u0438\u0445 \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432",
+ "HeaderSupportTheTeam": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0434\u043b\u044f \u043a\u043e\u043c\u0430\u043d\u0434\u044b Media Browser",
+ "LabelSupportAmount": "\u0421\u0443\u043c\u043c\u0430 (USD)",
+ "HeaderSupportTheTeamHelp": "\u041f\u043e\u043c\u043e\u0433\u0438\u0442\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u044f\u043c\u0438 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442\u044c \u0434\u0430\u043b\u044c\u043d\u0435\u0439\u0448\u0435\u0435 \u0440\u0430\u0437\u0432\u0438\u0442\u0438\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u043f\u0440\u043e\u0435\u043a\u0442\u0430. \u0427\u0430\u0441\u0442\u044c \u0432\u0441\u0435\u0445 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0439 \u0431\u0443\u0434\u0435\u0442 \u0432\u043b\u043e\u0436\u0435\u043d\u0430 \u0432 \u0438\u043d\u043e\u0435 \u043e\u0442\u043a\u0440\u044b\u0442\u043e\u0435 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u043d\u043e\u0435 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0435\u043d\u0438\u0435, \u043d\u0430 \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u043c\u044b \u0440\u0430\u0441\u0441\u0447\u0438\u0442\u044b\u0432\u0430\u0435\u043c.",
+ "ButtonEnterSupporterKey": "\u0412\u0432\u0435\u0441\u0442\u0438 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430",
+ "DonationNextStep": "\u041f\u043e\u0441\u043b\u0435 \u0437\u0430\u0432\u0435\u0440\u0448\u0435\u043d\u0438\u044f \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c, \u0438 \u0432\u0432\u0435\u0434\u0438\u0442\u0435 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u043f\u043e\u043b\u0443\u0447\u0438\u0442\u0435 \u043f\u043e \u042d-\u043f\u043e\u0447\u0442\u0435.",
+ "AutoOrganizeHelp": "\u0421\u0440\u0435\u0434\u0441\u0442\u0432\u043e \u0430\u0432\u0442\u043e\u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u0435\u0442 \u043f\u0430\u043f\u043a\u0443 \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0438 \u043d\u043e\u0432\u044b\u0445 \u0444\u0430\u0439\u043b\u043e\u0432, \u0438 \u043f\u0435\u0440\u0435\u043d\u043e\u0441\u0438\u0442 \u0438\u0445 \u0432 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0438 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.",
+ "AutoOrganizeTvHelp": "\u041f\u0440\u0438 \u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0422\u0412-\u0444\u0430\u0439\u043b\u043e\u0432, \u044d\u043f\u0438\u0437\u043e\u0434\u044b \u0431\u0443\u0434\u0443\u0442 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u0432 \u0441\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u044b. \u041f\u0430\u043f\u043a\u0438 \u0434\u043b\u044f \u043d\u043e\u0432\u044b\u0445 \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432 \u043d\u0435 \u0431\u0443\u0434\u0443\u0442 \u0441\u043e\u0437\u0434\u0430\u0432\u0430\u0442\u044c\u0441\u044f.",
+ "OptionEnableEpisodeOrganization": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044e \u043d\u043e\u0432\u044b\u0445 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432",
+ "LabelWatchFolder": "\u041f\u0430\u043f\u043a\u0430 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f:",
+ "LabelWatchFolderHelp": "\u0421\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0441\u044f \u043e\u043f\u0440\u043e\u0441 \u0434\u0430\u043d\u043d\u043e\u0439 \u043f\u0430\u043f\u043a\u0438 \u0432 \u0445\u043e\u0434\u0435 \u0432\u044b\u043f\u043e\u043b\u043d\u0435\u043d\u0438\u044f \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0437\u0430\u0434\u0430\u043d\u0438\u044f \u00ab\u0420\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u044f \u043d\u043e\u0432\u044b\u0445 \u043c\u0435\u0434\u0438\u0430\u0444\u0430\u0439\u043b\u043e\u0432\u00bb.",
+ "ButtonViewScheduledTasks": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u044b\u0435 \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
+ "LabelMinFileSizeForOrganize": "\u041c\u0438\u043d. \u0440\u0430\u0437\u043c\u0435\u0440 \u0444\u0430\u0439\u043b\u0430, \u041c\u0411:",
+ "LabelMinFileSizeForOrganizeHelp": "\u0411\u0443\u0434\u0443\u0442 \u043f\u0440\u043e\u0438\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u043d\u044b \u0444\u0430\u0439\u043b\u044b \u0440\u0430\u0437\u043c\u0435\u0440\u043e\u043c \u043c\u0435\u043d\u0435\u0435 \u0434\u0430\u043d\u043d\u043e\u0433\u043e.",
+ "LabelSeasonFolderPattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u043f\u0430\u043f\u043a\u0438 \u0441\u0435\u0437\u043e\u043d\u0430:",
+ "LabelSeasonZeroFolderName": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u043f\u0430\u043f\u043a\u0438 \u043d\u0443\u043b\u0435\u0432\u043e\u0433\u043e \u0441\u0435\u0437\u043e\u043d\u0430:",
+ "HeaderEpisodeFilePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0444\u0430\u0439\u043b\u0430 \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
+ "LabelEpisodePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0434\u043b\u044f \u044d\u043f\u0438\u0437\u043e\u0434\u0430:",
+ "LabelMultiEpisodePattern": "\u0428\u0430\u0431\u043b\u043e\u043d \u0434\u043b\u044f \u043d\u0435\u0441\u043a\u043e\u043b\u044c\u043a\u0438\u0445 \u044d\u043f\u0438\u0437\u043e\u0434\u043e\u0432:",
+ "HeaderSupportedPatterns": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u0448\u0430\u0431\u043b\u043e\u043d\u044b",
+ "HeaderTerm": "\u0412\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435",
+ "HeaderPattern": "\u0428\u0430\u0431\u043b\u043e\u043d",
+ "HeaderResult": "\u0420\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442",
+ "LabelDeleteEmptyFolders": "\u0423\u0434\u0430\u043b\u044f\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u0435 \u043f\u0430\u043f\u043a\u0438 \u043f\u043e\u0441\u043b\u0435 \u0440\u0435\u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438",
+ "LabelDeleteEmptyFoldersHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0442\u044c \u043a\u0430\u0442\u0430\u043b\u043e\u0433 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0447\u0438\u0441\u0442\u044b\u043c.",
+ "LabelDeleteLeftOverFiles": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u043e\u0441\u0442\u0430\u0432\u0448\u0438\u0445\u0441\u044f \u0444\u0430\u0439\u043b\u043e\u0432 \u0441\u043e \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u043c\u0438 \u0440\u0430\u0441\u0448\u0438\u0440\u0435\u043d\u0438\u044f\u043c\u0438:",
+ "LabelDeleteLeftOverFilesHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u0439\u0442\u0435 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u00ab;\u00bb. \u041d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c \u0441\u0443\u0449\u0435\u0441\u0442\u0432\u0443\u044e\u0449\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
+ "LabelTransferMethod": "\u041c\u0435\u0442\u043e\u0434 \u043f\u0435\u0440\u0435\u0445\u043e\u0434\u0430",
+ "OptionCopy": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435",
+ "OptionMove": "\u041f\u0435\u0440\u0435\u043c\u0435\u0449\u0435\u043d\u0438\u0435",
+ "LabelTransferMethodHelp": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0438\u043b\u0438 \u043f\u0435\u0440\u0435\u043c\u0435\u0449\u0435\u043d\u0438\u0435 \u0444\u0430\u0439\u043b\u043e\u0432 \u0438\u0437 \u043f\u0430\u043f\u043a\u0438 \u043e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u044f",
+ "HeaderLatestNews": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043d\u043e\u0432\u043e\u0441\u0442\u0438",
+ "HeaderHelpImproveMediaBrowser": "\u041f\u043e\u043c\u043e\u0449\u044c \u0432 \u0441\u043e\u0432\u0435\u0440\u0448\u0435\u043d\u0441\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0438 Media Browser",
+ "HeaderRunningTasks": "\u0412\u044b\u043f\u043e\u043b\u043d\u044f\u044e\u0449\u0438\u0435\u0441\u044f \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
+ "HeaderActiveDevices": "\u0410\u043a\u0442\u0438\u0432\u043d\u044b\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430",
+ "HeaderPendingInstallations": "\u041e\u0442\u043b\u043e\u0436\u0435\u043d\u043d\u044b\u0435 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438",
+ "HeaerServerInformation": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u0441\u0435\u0440\u0432\u0435\u0440\u0435",
+ "ButtonRestartNow": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e",
+ "ButtonRestart": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u044c",
+ "ButtonShutdown": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u0440\u0430\u0431\u043e\u0442\u0443",
+ "ButtonUpdateNow": "\u041e\u0431\u043d\u043e\u0432\u0438\u0442\u044c \u043d\u0435\u043c\u0435\u0434\u043b\u0435\u043d\u043d\u043e",
+ "PleaseUpdateManually": "\u0417\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u0435 \u0440\u0430\u0431\u043e\u0442\u0443 \u0441\u0435\u0440\u0432\u0435\u0440\u0430 \u0438 \u043e\u0431\u043d\u043e\u0432\u0438\u0442\u0435 \u0432\u0440\u0443\u0447\u043d\u0443\u044e.",
+ "NewServerVersionAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043d\u043e\u0432\u0430\u044f \u0432\u0435\u0440\u0441\u0438\u044f Media Browser Server!",
+ "ServerUpToDate": "Media Browser Server - \u043e\u0431\u043d\u043e\u0432\u043b\u0451\u043d",
+ "ErrorConnectingToMediaBrowserRepository": "\u041f\u0440\u043e\u0438\u0437\u043e\u0448\u043b\u0430 \u043e\u0448\u0438\u0431\u043a\u0430 \u043f\u0440\u0438 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u043a \u0443\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u043c\u0443 \u0440\u0435\u043f\u043e\u0437\u0438\u0442\u043e\u0440\u0438\u044e Media Browser.",
+ "LabelComponentsUpdated": "\u0411\u044b\u043b\u0438 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u044b \u0438\u043b\u0438 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u044b \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0435 \u043a\u043e\u043c\u043f\u043e\u043d\u0435\u043d\u0442\u044b:",
+ "MessagePleaseRestartServerToFinishUpdating": "\u041f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u0442\u0438\u0442\u0435 \u0441\u0435\u0440\u0432\u0435\u0440, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0432\u0435\u0440\u0448\u0438\u0442\u044c \u043f\u0440\u0438\u043c\u0435\u043d\u0435\u043d\u0438\u0435 \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0439.",
+ "LabelDownMixAudioScale": "\u041a\u043e\u043c\u043f\u0435\u043d\u0441\u0430\u0446\u0438\u044f \u043f\u0440\u0438 \u043f\u043e\u043d\u0438\u0436\u0430\u044e\u0449\u0435\u043c \u043c\u0438\u043a\u0448\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438:",
+ "LabelDownMixAudioScaleHelp": "\u041a\u043e\u043c\u043f\u0435\u043d\u0441\u0438\u0440\u0443\u0435\u0442\u0441\u044f \u0443\u0440\u043e\u0432\u0435\u043d\u044c \u0437\u0432\u0443\u043a\u0430 \u043f\u0440\u0438 \u043f\u043e\u043d\u0438\u0436\u0430\u044e\u0449\u0435\u043c \u043c\u0438\u043a\u0448\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438. \u0412\u0432\u0435\u0434\u0438\u0442\u0435 1, \u0447\u0442\u043e\u0431\u044b \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u0438\u0441\u0445\u043e\u0434\u043d\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435 \u0443\u0440\u043e\u0432\u043d\u044f.",
+ "ButtonLinkKeys": "\u041f\u0435\u0440\u0435\u043d\u0435\u0441\u0442\u0438 \u043a\u043b\u044e\u0447",
+ "LabelOldSupporterKey": "\u0421\u0442\u0430\u0440\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430",
+ "LabelNewSupporterKey": "\u041d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430",
+ "HeaderMultipleKeyLinking": "\u041f\u0435\u0440\u0435\u0445\u043e\u0434 \u043a \u043d\u043e\u0432\u043e\u043c\u0443 \u043a\u043b\u044e\u0447\u0443",
+ "MultipleKeyLinkingHelp": "\u0415\u0441\u043b\u0438 \u0432\u044b \u043f\u043e\u043b\u0443\u0447\u0438\u043b\u0438 \u043d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u0432\u043e\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435\u0441\u044c \u0434\u0430\u043d\u043d\u043e\u0439 \u0444\u043e\u0440\u043c\u043e\u0439, \u0447\u0442\u043e\u0431\u044b \u043f\u0435\u0440\u0435\u043d\u0435\u0441\u0442\u0438 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430\u0446\u0438\u0438 \u0441\u043e \u0441\u0442\u0430\u0440\u043e\u0433\u043e \u043a\u043b\u044e\u0447\u0430 \u043a \u043d\u043e\u0432\u043e\u043c\u0443.",
+ "LabelCurrentEmailAddress": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u0430\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b",
+ "LabelCurrentEmailAddressHelp": "\u0422\u0435\u043a\u0443\u0449\u0438\u0439 \u0430\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b, \u043d\u0430 \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0431\u044b\u043b \u043e\u0442\u043f\u0440\u0430\u0432\u043b\u0435\u043d \u043d\u043e\u0432\u044b\u0439 \u043a\u043b\u044e\u0447.",
+ "HeaderForgotKey": "\u041a\u043b\u044e\u0447 \u0431\u044b\u043b \u0437\u0430\u0431\u044b\u0442",
+ "LabelEmailAddress": "\u0410\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b",
+ "LabelSupporterEmailAddress": "\u0410\u0434\u0440\u0435\u0441 \u042d-\u043f\u043e\u0447\u0442\u044b, \u043a\u043e\u0442\u043e\u0440\u044b\u0439 \u0431\u044b\u043b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d \u0434\u043b\u044f \u043f\u0440\u0438\u043e\u0431\u0440\u0435\u0442\u0435\u043d\u0438\u044f \u043a\u043b\u044e\u0447\u0430.",
+ "ButtonRetrieveKey": "\u0412\u043e\u0441\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u043a\u043b\u044e\u0447",
+ "LabelSupporterKey": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 (\u0432\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u0438\u0437 \u043f\u0438\u0441\u044c\u043c\u0430 \u043f\u043e \u042d-\u043f\u043e\u0447\u0442\u0435)",
+ "LabelSupporterKeyHelp": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u043a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0447\u0430\u0442\u044c \u043d\u0430\u0441\u043b\u0430\u0436\u0434\u0430\u0442\u044c\u0441\u044f \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c\u0438 \u043f\u0440\u0435\u0438\u043c\u0443\u0449\u0435\u0441\u0442\u0432\u0430\u043c\u0438, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0431\u044b\u043b\u0438 \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u0430\u043d\u044b \u0441\u043e\u043e\u0431\u0449\u0435\u0441\u0442\u0432\u043e\u043c \u0434\u043b\u044f Media Browser.",
+ "MessageInvalidKey": "\u041a\u043b\u044e\u0447 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u0430 \u043e\u0442\u0441\u0443\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0438\u043b\u0438 \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043d\u0435\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c.",
+ "ErrorMessageInvalidKey": "\u0414\u043b\u044f \u0442\u043e\u0433\u043e, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u043b\u044e\u0431\u043e\u0435 \u043f\u0440\u0435\u043c\u0438\u0443\u043c \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435, \u0432\u044b \u0434\u043e\u043b\u0436\u043d\u044b \u0431\u044b\u0442\u044c \u0442\u0430\u043a\u0436\u0435 \u0441\u043f\u043e\u043d\u0441\u043e\u0440\u043e\u043c Media Browser. \u0421\u0434\u0435\u043b\u0430\u0439\u0442\u0435 \u043f\u043e\u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u043d\u0438\u0435 \u0438 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0442\u0435 \u0434\u0430\u043b\u044c\u043d\u0435\u0439\u0448\u0443\u044e \u0440\u0430\u0437\u0440\u0430\u0431\u043e\u0442\u043a\u0443 \u043e\u0441\u043d\u043e\u0432\u043e\u043f\u043e\u043b\u0430\u0433\u0430\u044e\u0449\u0435\u0433\u043e \u043f\u0440\u043e\u0434\u0443\u043a\u0442\u0430.",
+ "HeaderDisplaySettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f",
+ "TabPlayTo": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u041d\u0430",
+ "LabelEnableDlnaServer": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c DLNA-\u0441\u0435\u0440\u0432\u0435\u0440",
+ "LabelEnableDlnaServerHelp": "UPnP-\u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c \u0432 \u0441\u0435\u0442\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0430 \u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f Media Browser.",
+ "LabelEnableBlastAliveMessages": "\u0412\u0441\u043f\u043b\u0435\u0441\u043a \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0439 \u043f\u0440\u043e\u0432\u0435\u0440\u043a\u0438 \u0430\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438",
+ "LabelEnableBlastAliveMessagesHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0435\u0441\u043b\u0438 \u0441\u0435\u0440\u0432\u0435\u0440 \u043d\u0435 \u043e\u0431\u043d\u0430\u0440\u0443\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u043d\u0430\u0434\u0451\u0436\u043d\u043e \u0434\u0440\u0443\u0433\u0438\u043c\u0438 UPnP \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u043c\u0438 \u0432 \u0441\u0435\u0442\u0438.",
+ "LabelBlastMessageInterval": "\u0418\u043d\u0442\u0435\u0440\u0432\u0430\u043b \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u0439 \u043f\u0440\u043e\u0432\u0435\u0440\u043a\u0438 \u0430\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438, \u0441",
+ "LabelBlastMessageIntervalHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0434\u043b\u0438\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u044c \u0432 \u0441\u0435\u043a\u0443\u043d\u0434\u0430\u0445 \u043c\u0435\u0436\u0434\u0443 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f\u043c\u0438 \u043f\u0440\u043e\u0432\u0435\u0440\u043a\u0438 \u0430\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438 \u0441\u0435\u0440\u0432\u0435\u0440\u0430.",
+ "LabelDefaultUser": "\u0421\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c:",
+ "LabelDefaultUserHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f, \u0447\u044c\u044f \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430 \u0434\u043e\u043b\u0436\u043d\u0430 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043d\u0430 \u043f\u043e\u0434\u043a\u043b\u044e\u0447\u0435\u043d\u043d\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430\u0445. \u041f\u0435\u0440\u0435\u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0435\u043d\u0438\u0435 \u044d\u0442\u043e\u0433\u043e \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0434\u043b\u044f \u043a\u0430\u0436\u0434\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u0440\u043e\u0444\u0438\u043b\u0435\u0439.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "\u041a\u0430\u043d\u0430\u043b\u044b",
+ "HeaderServerSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0441\u0435\u0440\u0432\u0435\u0440\u0430",
+ "LabelWeatherDisplayLocation": "\u041c\u0435\u0441\u0442\u043d\u043e\u0441\u0442\u044c \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0435\u043c\u043e\u0439 \u043f\u043e\u0433\u043e\u0434\u044b:",
+ "LabelWeatherDisplayLocationHelp": "\u041f\u043e\u0447\u0442\u043e\u0432\u044b\u0439 \u043a\u043e\u0434 \u0421\u0428\u0410 \/ \u0413\u043e\u0440\u043e\u0434, \u0420\u0435\u0433\u0438\u043e\u043d, \u0421\u0442\u0440\u0430\u043d\u0430 \/ \u0413\u043e\u0440\u043e\u0434, \u0421\u0442\u0440\u0430\u043d\u0430",
+ "LabelWeatherDisplayUnit": "\u0415\u0434\u0438\u043d\u0438\u0446\u0430 \u0438\u0437\u043c\u0435\u0440\u0435\u043d\u0438\u044f \u0442\u0435\u043c\u043f\u0435\u0440\u0430\u0442\u0443\u0440\u044b \u043f\u043e:",
+ "OptionCelsius": "\u0426\u0435\u043b\u044c\u0441\u0438\u0439",
+ "OptionFahrenheit": "\u0424\u0430\u0440\u0435\u043d\u0433\u0435\u0439\u0442",
+ "HeaderRequireManualLogin": "\u0420\u0443\u0447\u043d\u043e\u0439 \u0432\u0432\u043e\u0434 \u0438\u043c\u0435\u043d\u0438 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f:",
+ "HeaderRequireManualLoginHelp": "\u041f\u0440\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0434\u043b\u044f \u043a\u043b\u0438\u0435\u043d\u0442\u043e\u0432 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u043f\u0440\u0435\u0434\u044a\u044f\u0432\u043b\u0435\u043d\u0438\u0435 \u044d\u043a\u0440\u0430\u043d\u0430 \u0432\u0445\u043e\u0434\u0430 \u0441 \u0432\u0438\u0437\u0443\u0430\u043b\u044c\u043d\u044b\u043c \u0432\u044b\u0431\u043e\u0440\u043e\u043c \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0435\u0439.",
+ "OptionOtherApps": "\u0414\u0440\u0443\u0433\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
+ "OptionMobileApps": "\u041c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
+ "HeaderNotificationList": "\u0429\u0451\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u043e \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044e, \u0447\u0442\u043e\u0431\u044b \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0435\u0433\u043e \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438.",
+ "NotificationOptionApplicationUpdateAvailable": "\u0418\u043c\u0435\u0435\u0442\u0441\u044f \u043e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f",
+ "NotificationOptionApplicationUpdateInstalled": "\u041e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
+ "NotificationOptionPluginUpdateInstalled": "\u041e\u0431\u043d\u043e\u0432\u043b\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u0430 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
+ "NotificationOptionPluginInstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d",
+ "NotificationOptionPluginUninstalled": "\u041f\u043b\u0430\u0433\u0438\u043d \u0443\u0434\u0430\u043b\u0451\u043d",
+ "NotificationOptionVideoPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e",
+ "NotificationOptionAudioPlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e",
+ "NotificationOptionGamePlayback": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0438\u0433\u0440\u044b \u0437\u0430\u043f\u0443\u0449\u0435\u043d\u043e",
+ "NotificationOptionVideoPlaybackStopped": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0432\u0438\u0434\u0435\u043e \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
+ "NotificationOptionAudioPlaybackStopped": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0430\u0443\u0434\u0438\u043e \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
+ "NotificationOptionGamePlaybackStopped": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u0438\u0433\u0440\u044b \u043e\u0441\u0442\u0430\u043d\u043e\u0432\u043b\u0435\u043d\u043e",
+ "NotificationOptionTaskFailed": "\u0421\u0431\u043e\u0439 \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0437\u0430\u0434\u0430\u043d\u0438\u044f",
+ "NotificationOptionInstallationFailed": "\u0421\u0431\u043e\u0439 \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438",
+ "NotificationOptionNewLibraryContent": "\u041d\u043e\u0432\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e",
+ "NotificationOptionNewLibraryContentMultiple": "\u041d\u043e\u0432\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0434\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u043e (\u043c\u043d\u043e\u0433\u043e\u043a\u0440\u0430\u0442\u043d\u043e)",
+ "SendNotificationHelp": "\u041f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e, \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432 \u044f\u0449\u0438\u043a \u0432\u0445\u043e\u0434\u044f\u0449\u0438\u0445 \u0432 \u00ab\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u0438\u00bb. \u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0438\u0442\u0435 \u043a\u0430\u0442\u0430\u043b\u043e\u0433 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0439.",
+ "NotificationOptionServerRestartRequired": "\u0422\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u0435\u0440\u0435\u0437\u0430\u043f\u0443\u0441\u043a \u0441\u0435\u0440\u0432\u0435\u0440\u0430",
+ "LabelNotificationEnabled": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0434\u0430\u043d\u043d\u043e\u0435 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0435",
+ "LabelMonitorUsers": "\u041e\u0442\u0441\u043b\u0435\u0436\u0438\u0432\u0430\u043d\u0438\u0435 \u0434\u0435\u044f\u0442\u0435\u043b\u044c\u043d\u043e\u0441\u0442\u0438 \u043e\u0442:",
+ "LabelSendNotificationToUsers": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430 \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u044f \u0434\u043b\u044f:",
+ "LabelUseNotificationServices": "\u0418\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u043d\u0438\u0435 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u0441\u043b\u0443\u0436\u0431:",
+ "CategoryUser": "\u041f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044c",
+ "CategorySystem": "\u0421\u0438\u0441\u0442\u0435\u043c\u0430",
+ "CategoryApplication": "\u041f\u0440\u0438\u043b\u043e\u0436\u0435\u043d\u0438\u0435",
+ "CategoryPlugin": "\u041f\u043b\u0430\u0433\u0438\u043d",
+ "LabelMessageTitle": "\u0417\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f:",
+ "LabelAvailableTokens": "\u0418\u043c\u0435\u044e\u0449\u0438\u0435\u0441\u044f \u043c\u0430\u0440\u043a\u0435\u0440\u044b:",
+ "AdditionalNotificationServices": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0438\u0442\u0435 \u043a\u0430\u0442\u0430\u043b\u043e\u0433 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432, \u0447\u0442\u043e\u0431\u044b \u0443\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0435 \u0441\u043b\u0443\u0436\u0431\u044b \u0443\u0432\u0435\u0434\u043e\u043c\u043b\u0435\u043d\u0438\u0439.",
+ "OptionAllUsers": "\u0412\u0441\u0435 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u0438",
+ "OptionAdminUsers": "\u0410\u0434\u043c\u0438\u043d\u0438\u0441\u0442\u0440\u0430\u0442\u043e\u0440\u044b",
+ "OptionCustomUsers": "\u041d\u0430\u0441\u0442\u0440\u0430\u0438\u0432\u0430\u0435\u043c\u044b\u0435",
+ "ButtonArrowUp": "\u0412\u0432\u0435\u0440\u0445",
+ "ButtonArrowDown": "\u0412\u043d\u0438\u0437",
+ "ButtonArrowLeft": "\u0412\u043b\u0435\u0432\u043e",
+ "ButtonArrowRight": "\u0412\u043f\u0440\u0430\u0432\u043e",
+ "ButtonBack": "\u041d\u0430\u0437\u0430\u0434",
+ "ButtonInfo": "\u0418\u043d\u0444\u043e",
+ "ButtonOsd": "\u042d\u043a\u0440\u0430\u043d\u043d\u043e\u0435 \u043c\u0435\u043d\u044e",
+ "ButtonPageUp": "\u041d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u0432\u0435\u0440\u0445",
+ "ButtonPageDown": "\u041d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0443 \u0432\u043d\u0438\u0437",
+ "PageAbbreviation": "\u0421\u0422\u0420",
+ "ButtonHome": "\u0413\u043b\u0430\u0432\u043d\u043e\u0435",
+ "ButtonSearch": "\u0412\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u044c \u043f\u043e\u0438\u0441\u043a",
+ "ButtonSettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b",
+ "ButtonTakeScreenshot": "\u0421\u043d\u044f\u0442\u044c \u044d\u043a\u0440\u0430\u043d",
+ "ButtonLetterUp": "\u041d\u0430 \u0431\u0443\u043a\u0432\u0443 \u0432\u0432\u0435\u0440\u0445",
+ "ButtonLetterDown": "\u041d\u0430 \u0431\u0443\u043a\u0432\u0443 \u0432\u043d\u0438\u0437",
+ "PageButtonAbbreviation": "\u0421\u0422\u0420",
+ "LetterButtonAbbreviation": "\u0411\u041a\u0412",
+ "TabNowPlaying": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u043e\u0435",
+ "TabNavigation": "\u041d\u0430\u0432\u0438\u0433\u0430\u0446\u0438\u044f",
+ "TabControls": "\u0420\u0435\u0433\u0443\u043b\u0438\u0440\u043e\u0432\u043a\u0438",
+ "ButtonFullscreen": "\u041f\u0435\u0440\u0435\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c \u044d\u043a\u0440\u0430\u043d\u0430",
+ "ButtonScenes": "\u0421\u0446\u0435\u043d\u044b",
+ "ButtonSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b",
+ "ButtonAudioTracks": "\u0410\u0443\u0434\u0438\u043e \u0434\u043e\u0440\u043e\u0436\u043a\u0438",
+ "ButtonPreviousTrack": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430",
+ "ButtonNextTrack": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0430\u044f \u0434\u043e\u0440\u043e\u0436\u043a\u0430",
+ "ButtonStop": "\u041e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c",
+ "ButtonPause": "\u041f\u0440\u0438\u043e\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u044c",
+ "ButtonNext": "\u0421\u043b\u0435\u0434\u0443\u044e\u0449\u0435\u0435",
+ "ButtonPrevious": "\u041f\u0440\u0435\u0434\u044b\u0434\u0443\u0449\u0435\u0435",
+ "LabelGroupMoviesIntoCollections": "\u0413\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0444\u0438\u043b\u044c\u043c\u044b \u0432\u043d\u0443\u0442\u0440\u044c \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0439",
+ "LabelGroupMoviesIntoCollectionsHelp": "\u041f\u0440\u0438 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0438 \u0444\u0438\u043b\u044c\u043c\u043e\u0432\u044b\u0445 \u0441\u043f\u0438\u0441\u043a\u043e\u0432, \u0444\u0438\u043b\u044c\u043c\u044b, \u043f\u0440\u0438\u043d\u0430\u0434\u043b\u0435\u0436\u0430\u0449\u0438\u0435 \u043a\u043e \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043a\u0430\u043a \u0435\u0434\u0438\u043d\u044b\u0439 \u0441\u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u043d\u044b\u0439 \u044d\u043b\u0435\u043c\u0435\u043d\u0442.",
+ "NotificationOptionPluginError": "\u0421\u0431\u043e\u0439 \u043f\u043b\u0430\u0433\u0438\u043d\u0430",
+ "ButtonVolumeUp": "\u0413\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c \u0432\u044b\u0448\u0435",
+ "ButtonVolumeDown": "\u0413\u0440\u043e\u043c\u043a\u043e\u0441\u0442\u044c \u043d\u0438\u0436\u0435",
+ "ButtonMute": "\u041e\u0442\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0437\u0432\u0443\u043a",
+ "HeaderLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435",
+ "OptionSpecialFeatures": "\u0414\u043e\u043f. \u043c\u0430\u0442\u0435\u0440\u0438\u0430\u043b\u044b",
+ "HeaderCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438",
+ "LabelProfileCodecsHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u044e\u0442\u0441\u044f \u0437\u0430\u043f\u044f\u0442\u043e\u0439. \u041c\u043e\u0436\u043d\u043e \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0442\u044c \u0434\u043b\u044f \u0432\u0441\u0435\u0445 \u043a\u043e\u0434\u0435\u043a\u043e\u0432.",
+ "LabelProfileContainersHelp": "\u0420\u0430\u0437\u0434\u0435\u043b\u044f\u044e\u0442\u0441\u044f \u0437\u0430\u043f\u044f\u0442\u043e\u0439. \u041c\u043e\u0436\u043d\u043e \u043e\u0441\u0442\u0430\u0432\u0438\u0442\u044c \u043f\u0443\u0441\u0442\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0442\u044c \u0434\u043b\u044f \u0432\u0441\u0435\u0445 \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043e\u0432.",
+ "HeaderResponseProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043e\u0442\u043a\u043b\u0438\u043a\u0430",
+ "LabelType": "\u0422\u0438\u043f:",
+ "LabelPersonRole": "\u0420\u043e\u043b\u044c:",
+ "LabelPersonRoleHelp": "\u0420\u043e\u043b\u0438 \u043e\u0431\u044b\u0447\u043d\u043e \u043f\u0440\u0438\u043c\u0435\u043d\u0438\u043c\u044b \u0442\u043e\u043b\u044c\u043a\u043e \u043a \u0430\u043a\u0442\u0451\u0440\u0430\u043c.",
+ "LabelProfileContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
+ "LabelProfileVideoCodecs": "\u0412\u0438\u0434\u0435\u043e \u043a\u043e\u0434\u0435\u043a\u0438:",
+ "LabelProfileAudioCodecs": "\u0410\u0443\u0434\u0438\u043e \u043a\u043e\u0434\u0435\u043a\u0438:",
+ "LabelProfileCodecs": "\u041a\u043e\u0434\u0435\u043a\u0438:",
+ "HeaderDirectPlayProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f",
+ "HeaderTranscodingProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438",
+ "HeaderCodecProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043a\u043e\u0434\u0435\u043a\u043e\u0432",
+ "HeaderCodecProfileHelp": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u043a\u043e\u0434\u0435\u043a\u043e\u0432 \u043e\u0431\u043e\u0437\u043d\u0430\u0447\u0430\u044e\u0442 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u0441 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u043c\u0438 \u043a\u043e\u0434\u0435\u043a\u0430\u043c\u0438. \u0415\u0441\u043b\u0438 \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0435\u0442\u0441\u044f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435, \u0442\u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0443\u044e\u0442\u0441\u044f, \u0434\u0430\u0436\u0435 \u0435\u0441\u043b\u0438 \u043a\u043e\u0434\u0435\u043a \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043d \u0434\u043b\u044f \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f.",
+ "HeaderContainerProfile": "\u041f\u0440\u043e\u0444\u0438\u043b\u044c \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u0430",
+ "HeaderContainerProfileHelp": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u043a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u043e\u0432 \u043e\u0431\u043e\u0437\u043d\u0430\u0447\u0430\u044e\u0442 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430 \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u0451\u043d\u043d\u044b\u0445 \u0444\u043e\u0440\u043c\u0430\u0442\u043e\u0432. \u0415\u0441\u043b\u0438 \u043f\u0440\u0438\u043c\u0435\u043d\u044f\u0435\u0442\u0441\u044f \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435, \u0442\u043e \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u0443\u044e\u0442\u0441\u044f, \u0434\u0430\u0436\u0435 \u0435\u0441\u043b\u0438 \u0444\u043e\u0440\u043c\u0430\u0442 \u043d\u0430\u0441\u0442\u0440\u043e\u0435\u043d \u0434\u043b\u044f \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f.",
+ "OptionProfileVideo": "\u0412\u0438\u0434\u0435\u043e",
+ "OptionProfileAudio": "\u0410\u0443\u0434\u0438\u043e",
+ "OptionProfileVideoAudio": "\u0412\u0438\u0434\u0435\u043e \u0410\u0443\u0434\u0438\u043e",
+ "OptionProfilePhoto": "\u0424\u043e\u0442\u043e",
+ "LabelUserLibrary": "\u041c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0430 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f:",
+ "LabelUserLibraryHelp": "\u0412\u044b\u0431\u0435\u0440\u0438\u0442\u0435, \u0447\u044c\u044e \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0443 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0435. \u041e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u0443\u0441\u0442\u044b\u043c \u0434\u043b\u044f \u043d\u0430\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u043d\u0438\u044f \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u043e\u0433\u043e \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0430.",
+ "OptionPlainStorageFolders": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438, \u043a\u0430\u043a \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u043f\u0430\u043f\u043a\u0438 \u0445\u0440\u0430\u043d\u0435\u043d\u0438\u044f",
+ "OptionPlainStorageFoldersHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u0441\u0435 \u043f\u0430\u043f\u043a\u0438 \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432 DIDL \u043a\u0430\u043a \u00abobject.container.storageFolder\u00bb, \u0432\u043c\u0435\u0441\u0442\u043e \u0431\u043e\u043b\u0435\u0435 \u0441\u043f\u0435\u0446\u0438\u0444\u0438\u0447\u043d\u043e\u0433\u043e \u0442\u0438\u043f\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u00abobject.container.person.musicArtist\u00bb.",
+ "OptionPlainVideoItems": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0432\u0441\u0435 \u0438\u043c\u0435\u044e\u0449\u0438\u0435\u0441\u044f \u0432\u0438\u0434\u0435\u043e, \u043a\u0430\u043a \u043e\u0431\u044b\u0447\u043d\u044b\u0435 \u0432\u0438\u0434\u0435\u043e \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u044b",
+ "OptionPlainVideoItemsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0432\u0441\u0435 \u0438\u043c\u0435\u044e\u0449\u0438\u0435\u0441\u044f \u0432\u0438\u0434\u0435\u043e \u043f\u0440\u0435\u0434\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442\u0441\u044f \u0432 DIDL \u043a\u0430\u043a \u00abobject.item.videoItem\u00bb, \u0432\u043c\u0435\u0441\u0442\u043e \u0431\u043e\u043b\u0435\u0435 \u0441\u043f\u0435\u0446\u0438\u0444\u0438\u0447\u043d\u043e\u0433\u043e \u0442\u0438\u043f\u0430, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, \u00abobject.item.videoItem.movie\u00bb.",
+ "LabelSupportedMediaTypes": "\u041f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u043c\u044b\u0435 \u0442\u0438\u043f\u044b \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445:",
+ "TabIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435",
+ "HeaderIdentification": "\u0420\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u0435",
+ "TabDirectPlay": "\u041f\u0440\u044f\u043c\u043e\u0435 \u0432\u043e\u0441\u043f\u0440-\u0438\u0435",
+ "TabContainers": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440\u044b",
+ "TabCodecs": "\u041a\u043e\u0434\u0435\u043a\u0438",
+ "TabResponses": "\u041e\u0442\u043a\u043b\u0438\u043a\u0438",
+ "HeaderProfileInformation": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043f\u0440\u043e\u0444\u0438\u043b\u0435",
+ "LabelEmbedAlbumArtDidl": "\u0412\u043d\u0435\u0434\u0440\u044f\u0442\u044c \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u043e\u0431\u043b\u043e\u0436\u043a\u0438 \u0432 DIDL",
+ "LabelEmbedAlbumArtDidlHelp": "\u0414\u043b\u044f \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432 \u044d\u0442\u043e\u0442 \u043c\u0435\u0442\u043e\u0434 \u043f\u043e\u043b\u0443\u0447\u0435\u043d\u0438\u044f \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a \u044f\u0432\u043b\u044f\u0435\u0442\u0441\u044f \u043f\u0440\u0435\u0434\u043f\u043e\u0447\u0442\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u043c. \u0414\u043b\u044f \u0434\u0440\u0443\u0433\u0438\u0445 \u0436\u0435, \u043f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438 \u044d\u0442\u043e\u0433\u043e \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u0430, \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0435 \u043c\u043e\u0436\u0435\u0442 \u043d\u0435 \u0443\u0434\u0430\u0441\u0442\u0441\u044f.",
+ "LabelAlbumArtPN": "PN \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:",
+ "LabelAlbumArtHelp": "PN \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0435\u043c\u043e\u0435 \u0434\u043b\u044f \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a, \u0432\u043d\u0443\u0442\u0440\u0438 \u0430\u0442\u0440\u0438\u0431\u0443\u0442\u0430 dlna:profileID \u043f\u0440\u0438 upnp:albumArtURI. \u041d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u043c \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0441\u043f\u0435\u0446\u0438\u0444\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u0435, \u0432\u043d\u0435 \u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e\u0441\u0442\u0438 \u043e\u0442 \u0440\u0430\u0437\u043c\u0435\u0440\u0430 \u0440\u0438\u0441\u0443\u043d\u043a\u0430.",
+ "LabelAlbumArtMaxWidth": "\u041c\u0430\u043a\u0441. \u0448\u0438\u0440\u0438\u043d\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:",
+ "LabelAlbumArtMaxWidthHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "\u041c\u0430\u043a\u0441. \u0432\u044b\u0441\u043e\u0442\u0430 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u043e\u0439 \u043e\u0431\u043b\u043e\u0436\u043a\u0438:",
+ "LabelAlbumArtMaxHeightHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0445 \u043e\u0431\u043b\u043e\u0436\u0435\u043a \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:albumArtURI.",
+ "LabelIconMaxWidth": "\u041c\u0430\u043a\u0441. \u0448\u0438\u0440\u0438\u043d\u0430 \u0437\u043d\u0430\u0447\u043a\u0430:",
+ "LabelIconMaxWidthHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0437\u043d\u0430\u0447\u043a\u043e\u0432 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:icon.",
+ "LabelIconMaxHeight": "\u041c\u0430\u043a\u0441. \u0432\u044b\u0441\u043e\u0442\u0430 \u0437\u043d\u0430\u0447\u043a\u0430:",
+ "LabelIconMaxHeightHelp": "\u041c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0435 \u0440\u0430\u0437\u0440\u0435\u0448\u0435\u043d\u0438\u0435 \u0437\u043d\u0430\u0447\u043a\u043e\u0432 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u0435\u043c\u044b\u0445 \u0447\u0435\u0440\u0435\u0437 upnp:icon.",
+ "LabelIdentificationFieldHelp": "\u041f\u043e\u0434\u0441\u0442\u0440\u043e\u043a\u0430 \u0431\u0435\u0437 \u0443\u0447\u0451\u0442\u0430 \u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0430, \u043b\u0438\u0431\u043e \u0440\u0435\u0433\u0443\u043b\u044f\u0440\u043d\u043e\u0435 \u0432\u044b\u0440\u0430\u0436\u0435\u043d\u0438\u0435.",
+ "HeaderProfileServerSettingsHelp": "\u0414\u0430\u043d\u043d\u044b\u0435 \u0437\u043d\u0430\u0447\u0435\u043d\u0438\u044f \u043e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u044e\u0442, \u043a\u0430\u043a Media Browser \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u0435\u0434\u044a\u044f\u0432\u043b\u044f\u0442\u044c\u0441\u044f \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0435.",
+ "LabelMaxBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c:",
+ "LabelMaxBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0432 \u0441\u0440\u0435\u0434\u0430\u0445 \u0441 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u043d\u043e\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a\u043d\u043e\u0439 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e, \u043b\u0438\u0431\u043e, \u0435\u0441\u043b\u0438 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0443 - \u0435\u0433\u043e \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u043e\u0435 \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435.",
+ "LabelMaxStreamingBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0430\u044f \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438:",
+ "LabelMaxStreamingBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.",
+ "LabelMaxStaticBitrate": "\u041c\u0430\u043a\u0441. \u043f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0441\u0438\u043d\u0445\u0440-\u0438\u0438:",
+ "LabelMaxStaticBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0432\u043e \u0432\u044b\u0441\u043e\u043a\u043e\u043c \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0435.",
+ "LabelMusicStaticBitrate": "\u041f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u0441\u0438\u043d\u0445\u0440-\u0438\u0438 \u043c\u0443\u0437\u044b\u043a\u0438:",
+ "LabelMusicStaticBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u043f\u043e\u0442\u043e\u043a\u043e\u0432\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u0438 \u043c\u0443\u0437\u044b\u043a\u0438",
+ "LabelMusicStreamingTranscodingBitrate": "\u041f\u043e\u0442\u043e\u043a. \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438 \u043c\u0443\u0437\u044b\u043a\u0438:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u0443\u044e \u0441\u043a\u043e\u0440\u043e\u0441\u0442\u044c \u043f\u0440\u0438 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438 \u043c\u0443\u0437\u044b\u043a\u0438",
+ "OptionIgnoreTranscodeByteRangeRequests": "\u0418\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c \u0437\u0430\u043f\u0440\u043e\u0441\u044b \u0434\u0438\u0430\u043f\u0430\u0437\u043e\u043d\u0430 \u0431\u0430\u0439\u0442\u043e\u0432 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u044d\u0442\u0438 \u0437\u0430\u043f\u0440\u043e\u0441\u044b \u0431\u0443\u0434\u0443\u0442 \u0443\u0447\u0442\u0435\u043d\u044b, \u043d\u043e \u0437\u0430\u0433\u043e\u043b\u043e\u0432\u043e\u043a \u0434\u0438\u0430\u043f\u0430\u0437\u043e\u043d\u0430 \u0431\u0430\u0439\u0442\u043e\u0432 \u0431\u0443\u0434\u0435\u0442 \u043f\u0440\u043e\u0438\u0433\u043d\u043e\u0440\u0438\u0440\u043e\u0432\u0430\u043d.",
+ "LabelFriendlyName": "\u041f\u043e\u043d\u044f\u0442\u043d\u043e\u0435 \u0438\u043c\u044f",
+ "LabelManufacturer": "\u041f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044c",
+ "LabelManufacturerUrl": "URL \u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u0435\u043b\u044f",
+ "LabelModelName": "\u041d\u0430\u0438\u043c\u0435\u043d\u043e\u0432\u0430\u043d\u0438\u0435 \u043c\u043e\u0434\u0435\u043b\u0438",
+ "LabelModelNumber": "\u041d\u043e\u043c\u0435\u0440 \u043c\u043e\u0434\u0435\u043b\u0438",
+ "LabelModelDescription": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u043c\u043e\u0434\u0435\u043b\u0438",
+ "LabelModelUrl": "URL \u043c\u043e\u0434\u0435\u043b\u0438",
+ "LabelSerialNumber": "\u0421\u0435\u0440\u0438\u0439\u043d\u044b\u0439 \u043d\u043e\u043c\u0435\u0440",
+ "LabelDeviceDescription": "\u041e\u043f\u0438\u0441\u0430\u043d\u0438\u0435 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430",
+ "HeaderIdentificationCriteriaHelp": "\u0412\u0432\u0435\u0434\u0438\u0442\u0435 \u0445\u043e\u0442\u044f \u0431\u044b \u043e\u0434\u043d\u043e \u0443\u0441\u043b\u043e\u0432\u0438\u0435 \u0440\u0430\u0441\u043f\u043e\u0437\u043d\u0430\u043d\u0438\u044f.",
+ "HeaderDirectPlayProfileHelp": "\u0414\u043e\u0431\u0430\u0432\u044c\u0442\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438 \u043f\u0440\u044f\u043c\u043e\u0433\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f, \u0447\u0442\u043e\u0431\u044b \u0443\u043a\u0430\u0437\u0430\u0442\u044c, \u043a\u0430\u043a\u0438\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u043c\u043e\u0433\u0443\u0442 \u043e\u0431\u0440\u0430\u0431\u0430\u0442\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e\u043c \u0438\u0437\u043d\u0430\u0447\u0430\u043b\u044c\u043d\u043e.",
+ "HeaderTranscodingProfileHelp": "\u0414\u043e\u0431\u0430\u0432\u044c\u0442\u0435 \u043f\u0440\u043e\u0444\u0438\u043b\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0438, \u0447\u0442\u043e\u0431\u044b \u0443\u043a\u0430\u0437\u0430\u0442\u044c, \u043a\u0430\u043a\u0438\u0435 \u0444\u043e\u0440\u043c\u0430\u0442\u044b \u0434\u043e\u043b\u0436\u043d\u044b \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f, \u043a\u043e\u0433\u0434\u0430 \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0430.",
+ "HeaderResponseProfileHelp": "\u041f\u0440\u043e\u0444\u0438\u043b\u0438 \u043e\u0442\u043a\u043b\u0438\u043a\u043e\u0432 \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0432\u0430\u044e\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u044c \u043e\u0431\u043e\u0441\u043e\u0431\u0438\u0442\u044c \u0438\u043d\u0444\u043e\u0440\u043c\u0430\u0446\u0438\u044e, \u043f\u043e\u0441\u044b\u043b\u0430\u0435\u043c\u0443\u044e \u043d\u0430 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u043e \u043f\u0440\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u0438 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0432\u0438\u0434\u043e\u0432 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.",
+ "LabelXDlnaCap": "\u0421\u0432\u043e\u0439\u0441\u0442\u0432\u0430 X-Dlna:",
+ "LabelXDlnaCapHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430 X_DLNACAP \u0432\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0435 \u0438\u043c\u0451\u043d urn:schemas-dlna-org:device-1-0",
+ "LabelXDlnaDoc": "\u0421\u0445\u0435\u043c\u0430 X-Dlna:",
+ "LabelXDlnaDocHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430 X_DLNADOC \u0432\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0435 \u0438\u043c\u0451\u043d urn:schemas-dlna-org:device-1-0",
+ "LabelSonyAggregationFlags": "\u0424\u043b\u0430\u0433\u0438 \u0441\u0442\u0430\u0442\u0438\u0441\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0439 \u043e\u0431\u0440\u0430\u0431\u043e\u0442\u043a\u0438 Sony:",
+ "LabelSonyAggregationFlagsHelp": "\u041e\u043f\u0440\u0435\u0434\u0435\u043b\u044f\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u0430 aggregationFlags \u0432\u043e \u043f\u0440\u043e\u0441\u0442\u0440\u0430\u043d\u0441\u0442\u0432\u0435 \u0438\u043c\u0451\u043d urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "\u041a\u043e\u043d\u0442\u0435\u0439\u043d\u0435\u0440:",
+ "LabelTranscodingVideoCodec": "\u0412\u0438\u0434\u0435\u043e \u043a\u043e\u0434\u0435\u043a:",
+ "LabelTranscodingVideoProfile": "\u0412\u0438\u0434\u0435\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044c:",
+ "LabelTranscodingAudioCodec": "\u0410\u0443\u0434\u0438\u043e \u043f\u0440\u043e\u0444\u0438\u043b\u044c:",
+ "OptionEnableM2tsMode": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u0440\u0435\u0436\u0438\u043c M2ts",
+ "OptionEnableM2tsModeHelp": "\u0412\u043a\u043b\u044e\u0447\u0430\u0439\u0442\u0435 \u0440\u0435\u0436\u0438\u043c M2ts \u043f\u0440\u0438 \u043a\u043e\u0434\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438 \u0434\u043b\u044f mpegts.",
+ "OptionEstimateContentLength": "\u0420\u0430\u0441\u0441\u0447\u0438\u0442\u044b\u0432\u0430\u0442\u044c \u0434\u043b\u0438\u043d\u0443 \u0441\u043e\u0434\u0435\u0440\u0436\u0438\u043c\u043e\u0433\u043e \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435",
+ "OptionReportByteRangeSeekingWhenTranscoding": "\u0423\u0432\u0435\u0434\u043e\u043c\u043b\u044f\u0442\u044c \u043e \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0435 \u0441\u0435\u0440\u0432\u0435\u0440\u043e\u043c \u043f\u043e\u0431\u0430\u0439\u0442\u043e\u0432\u043e\u0439 \u043f\u0435\u0440\u0435\u043c\u043e\u0442\u043a\u0438 \u043f\u0440\u0438 \u043f\u0435\u0440\u0435\u043a\u043e\u0434\u0438\u0440\u043e\u0432\u043a\u0435",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u042d\u0442\u043e \u0442\u0440\u0435\u0431\u0443\u0435\u0442\u0441\u044f \u0434\u043b\u044f \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432, \u043a\u043e\u0442\u043e\u0440\u044b\u0435 \u0434\u0435\u043b\u0430\u044e\u0442 \u043f\u043e\u0432\u0440\u0435\u043c\u0451\u043d\u043d\u0443\u044e \u043f\u0435\u0440\u0435\u043c\u043e\u0442\u043a\u0443 \u043d\u0435\u0434\u043e\u0441\u0442\u0430\u0442\u043e\u0447\u043d\u043e \u0443\u0434\u043e\u0432\u043b\u0435\u0442\u0432\u043e\u0440\u0438\u0442\u0435\u043b\u044c\u043d\u043e.",
+ "HeaderSubtitleDownloadingHelp": "\u0412 Media Browser \u043f\u0440\u0438 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438 \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u043e\u0432 \u0438\u043c\u0435\u044e\u0442\u0441\u044f \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0432\u044b\u043f\u043e\u043b\u043d\u0438\u0442\u044c \u043f\u043e\u0438\u0441\u043a \u043d\u0435\u0434\u043e\u0441\u0442\u0430\u044e\u0449\u0438\u0445 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u0438\u0442\u044c \u0438\u0445 \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u0434\u043b\u044f:",
+ "MessageNoChapterProviders": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043f\u043b\u0430\u0433\u0438\u043d-\u043f\u043e\u0441\u0442\u0430\u0432\u0449\u0438\u043a \u0441\u0446\u0435\u043d (\u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: ChapterDb) \u0434\u043b\u044f \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0434\u043e\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u044c\u043d\u044b\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0435\u0439 \u0434\u043b\u044f \u0441\u0446\u0435\u043d.",
+ "LabelSkipIfGraphicalSubsPresent": "\u041e\u043f\u0443\u0441\u0442\u0438\u0442\u044c, \u0435\u0441\u043b\u0438 \u0432\u0438\u0434\u0435\u043e \u0443\u0436\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0438\u0442 \u0433\u0440\u0430\u0444\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u044b",
+ "LabelSkipIfGraphicalSubsPresentHelp": "\u041d\u0430\u043b\u0438\u0447\u0438\u0435 \u0442\u0435\u043a\u0441\u0442\u043e\u0432\u044b\u0445 \u0432\u0435\u0440\u0441\u0438\u0439 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432 \u043f\u0440\u0438\u0432\u0435\u0434\u0451\u0442 \u043a \u0431\u043e\u043b\u044c\u0448\u0435\u0439 \u044d\u0444\u0444\u0435\u043a\u0442\u0438\u0432\u043d\u043e\u0441\u0442\u0438 \u043f\u0435\u0440\u0435\u0434\u0430\u0447\u0438 \u043a \u043c\u043e\u0431\u0438\u043b\u044c\u043d\u044b\u043c \u043a\u043b\u0438\u0435\u043d\u0442\u0430\u043c.",
+ "TabSubtitles": "\u0421\u0443\u0431\u0442\u0438\u0442\u0440\u044b",
+ "TabChapters": "\u0421\u0446\u0435\u043d\u044b",
+ "HeaderDownloadChaptersFor": "\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u0439 \u0441\u0446\u0435\u043d \u0434\u043b\u044f:",
+ "LabelOpenSubtitlesUsername": "\u0418\u043c\u044f \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "\u041f\u0430\u0440\u043e\u043b\u044c Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "\u041f\u0440\u0438 \u0441\u043a\u0430\u043d\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0438 \u0432\u0438\u0434\u0435\u043e\u0444\u0430\u0439\u043b\u043e\u0432, Media Browser \u043c\u043e\u0436\u0435\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u043f\u043e\u043d\u044f\u0442\u043d\u044b\u0435 \u043d\u0430\u0437\u0432\u0430\u043d\u0438\u044f \u0441\u0446\u0435\u043d \u0447\u0435\u0440\u0435\u0437 \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442, \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u0441\u0446\u0435\u043d, \u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440, ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "\u0412\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c \u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u0443\u044e \u0430\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0443 \u0432\u043d\u0435 \u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e\u0441\u0442\u0438 \u043e\u0442 \u044f\u0437\u044b\u043a\u0430",
+ "LabelSubtitlePlaybackMode": "\u0420\u0435\u0436\u0438\u043c \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432:",
+ "LabelDownloadLanguages": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0435 \u044f\u0437\u044b\u043a\u0438:",
+ "ButtonRegister": "\u0417\u0430\u0440\u0435\u0433\u0438\u0441\u0442\u0440\u0438\u0440\u043e\u0432\u0430\u0442\u044c\u0441\u044f",
+ "LabelSkipIfAudioTrackPresent": "\u041e\u043f\u0443\u0441\u0442\u0438\u0442\u044c, \u0435\u0441\u043b\u0438 \u0430\u0443\u0434\u0438\u043e\u0434\u043e\u0440\u043e\u0436\u043a\u0430 \u043f\u043e \u0443\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u044e \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u043c\u0443 \u044f\u0437\u044b\u043a\u0443",
+ "LabelSkipIfAudioTrackPresentHelp": "\u0421\u043d\u044f\u0442\u044c \u0444\u043b\u0430\u0436\u043e\u043a, \u0447\u0442\u043e\u0431\u044b \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442\u044c \u0432\u0441\u0435\u043c\u0443 \u0432\u0438\u0434\u0435\u043e \u043d\u0430\u043b\u0438\u0447\u0438\u0435 \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432, \u0432\u043d\u0435 \u0437\u0430\u0432\u0438\u0441\u0438\u043c\u043e\u0441\u0442\u0438 \u043e\u0442 \u044f\u0437\u044b\u043a\u0430 \u0430\u0443\u0434\u0438\u043e.",
+ "HeaderSendMessage": "\u041f\u0435\u0440\u0435\u0434\u0430\u0447\u0430 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f",
+ "ButtonSend": "\u041f\u0435\u0440\u0435\u0434\u0430\u0442\u044c",
+ "LabelMessageText": "\u0422\u0435\u043a\u0441\u0442 \u0441\u043e\u043e\u0431\u0449\u0435\u043d\u0438\u044f:",
+ "MessageNoAvailablePlugins": "\u041f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u043d\u0435 \u0438\u043c\u0435\u0435\u0442\u0441\u044f.",
+ "LabelDisplayPluginsFor": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432 \u0434\u043b\u044f:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "LabelSeriesNamePlain": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u0430",
+ "ValueSeriesNamePeriod": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435.\u0441\u0435\u0440\u0438\u0430\u043b\u0430",
+ "ValueSeriesNameUnderscore": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435_\u0441\u0435\u0440\u0438\u0430\u043b\u0430",
+ "ValueEpisodeNamePeriod": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435.\u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "ValueEpisodeNameUnderscore": "\u041d\u0430\u0437\u0432\u0430\u043d\u0438\u0435_\u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "LabelSeasonNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u0441\u0435\u0437\u043e\u043d\u0430",
+ "LabelEpisodeNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "LabelEndingEpisodeNumberPlain": "\u041d\u043e\u043c\u0435\u0440 \u043a\u043e\u043d\u0435\u0447\u043d\u043e\u0433\u043e \u044d\u043f\u0438\u0437\u043e\u0434\u0430",
+ "HeaderTypeText": "\u0412\u0432\u043e\u0434 \u0442\u0435\u043a\u0441\u0442\u0430",
+ "LabelTypeText": "\u0422\u0435\u043a\u0441\u0442",
+ "HeaderSearchForSubtitles": "\u041f\u043e\u0438\u0441\u043a \u0441\u0443\u0431\u0442\u0438\u0442\u0440\u043e\u0432",
+ "MessageNoSubtitleSearchResultsFound": "\u041d\u0435 \u043d\u0430\u0439\u0434\u0435\u043d\u043e \u0440\u0435\u0437\u0443\u043b\u044c\u0442\u0430\u0442\u043e\u0432 \u043f\u0440\u0438 \u043f\u043e\u0438\u0441\u043a\u0435.",
+ "TabDisplay": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435",
+ "TabLanguages": "\u042f\u0437\u044b\u043a\u0438",
+ "TabWebClient": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442",
+ "LabelEnableThemeSongs": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0445 \u043c\u0435\u043b\u043e\u0434\u0438\u0439",
+ "LabelEnableBackdrops": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0437\u0430\u0434\u043d\u0438\u043a\u043e\u0432",
+ "LabelEnableThemeSongsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0442\u0435\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438 \u0431\u0443\u0434\u0443\u0442 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u0442\u044c\u0441\u044f \u0444\u043e\u043d\u043e\u043c \u043f\u0440\u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.",
+ "LabelEnableBackdropsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0437\u0430\u0434\u043d\u0438\u043a\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0444\u043e\u043d\u043e\u043c \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0441\u0442\u0440\u0430\u043d\u0438\u0446 \u043f\u0440\u0438 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435 \u043c\u0435\u0434\u0438\u0430\u0442\u0435\u043a\u0438.",
+ "HeaderHomePage": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430",
+ "HeaderSettingsForThisDevice": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430",
+ "OptionAuto": "\u0410\u0432\u0442\u043e",
+ "OptionYes": "\u0414\u0430",
+ "OptionNo": "\u041d\u0435\u0442",
+ "LabelHomePageSection1": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 1:",
+ "LabelHomePageSection2": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 2:",
+ "LabelHomePageSection3": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 3:",
+ "LabelHomePageSection4": "\u0413\u043b\u0430\u0432\u043d\u0430\u044f \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0430 - \u0440\u0430\u0437\u0434\u0435\u043b 4:",
+ "OptionMyViewsButtons": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b (\u043a\u043d\u043e\u043f\u043a\u0438)",
+ "OptionMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b",
+ "OptionMyViewsSmall": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b (\u043a\u043e\u043c\u043f\u0430\u043a\u0442\u043d\u043e)",
+ "OptionResumablemedia": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u0435",
+ "OptionLatestMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0435",
+ "OptionLatestChannelMedia": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432",
+ "HeaderLatestChannelItems": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435 \u0438\u0437 \u043a\u0430\u043d\u0430\u043b\u043e\u0432",
+ "OptionNone": "\u041d\u0438\u0447\u0435\u0433\u043e",
+ "HeaderLiveTv": "\u0422\u0412 \u044d\u0444\u0438\u0440",
+ "HeaderReports": "\u041e\u0442\u0447\u0451\u0442\u044b",
+ "HeaderMetadataManager": "\u0414\u0438\u0441\u043f\u0435\u0442\u0447\u0435\u0440 \u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445",
+ "HeaderPreferences": "\u041d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438",
+ "MessageLoadingChannels": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043a\u0430\u043d\u0430\u043b\u0430...",
+ "MessageLoadingContent": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435...",
+ "ButtonMarkRead": "\u041e\u0442\u043c\u0435\u0442\u0438\u0442\u044c \u043a\u0430\u043a \u043f\u0440\u043e\u0447\u0442\u0451\u043d\u043d\u043e\u0435",
+ "OptionDefaultSort": "\u0423\u043c\u043e\u043b\u0447\u0430\u043d\u0438\u0435",
+ "OptionCommunityMostWatchedSort": "\u041f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u044b\u0435 \u0431\u043e\u043b\u044c\u0448\u0435",
+ "TabNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u043e\u0435",
+ "MessageNoMovieSuggestionsAvailable": "\u0412 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043d\u0435 \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u043f\u0440\u0435\u0434\u043b\u0430\u0433\u0430\u0435\u043c\u044b\u0445 \u0444\u0438\u043b\u044c\u043c\u043e\u0432. \u041d\u0430\u0447\u043d\u0438\u0442\u0435 \u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0438 \u043e\u0446\u0435\u043d\u0438\u0432\u0430\u0442\u044c \u0441\u0432\u043e\u0438 \u0444\u0438\u043b\u044c\u043c\u044b, \u0438 \u0442\u043e\u0433\u0434\u0430 \u0432\u0435\u0440\u043d\u0438\u0442\u0435\u0441\u044c \u043d\u0430\u0437\u0430\u0434, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u0442\u044c \u0440\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0430\u0446\u0438\u0438.",
+ "MessageNoCollectionsAvailable": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0438\u043c\u0435\u0442\u044c \u043e\u0431\u043e\u0441\u043e\u0431\u043b\u0435\u043d\u043d\u044b\u0435 \u0433\u0440\u0443\u043f\u043f\u044b \u0444\u0438\u043b\u044c\u043c\u043e\u0432, \u0441\u0435\u0440\u0438\u0430\u043b\u043e\u0432, \u0430\u043b\u044c\u0431\u043e\u043c\u043e\u0432 \u0438 \u0438\u0433\u0440. \u041d\u0430\u0436\u043c\u0438\u0442\u0435 \u043a\u043d\u043e\u043f\u043a\u0443 \u00ab\u0421\u043e\u0437\u0434\u0430\u0442\u044c\u00bb \u0434\u043b\u044f \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f \u043d\u043e\u0432\u043e\u0439 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438.",
+ "MessageNoPlaylistsAvailable": "\u0421\u043f\u0438\u0441\u043a\u0438 \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043f\u0440\u0435\u0434\u043e\u0441\u0442\u0430\u0432\u043b\u044f\u044e\u0442 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u0434\u043b\u044f \u0441\u043e\u0437\u0434\u0430\u043d\u0438\u044f \u0441\u043f\u0438\u0441\u043a\u043e\u0432 \u0438\u0437 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0441\u043b\u0435\u0434\u043e\u0432\u0430\u0442\u0435\u043b\u044c\u043d\u043e \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0441\u0442\u0438 \u0440\u0430\u0437\u043e\u043c. \u0427\u0442\u043e\u0431\u044b \u0434\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u044d\u043b\u0435\u043c\u0435\u043d\u0442\u044b \u0432\u043e \u0441\u043f\u0438\u0441\u043a\u0438, \u0449\u0435\u043b\u043a\u043d\u0438\u0442\u0435 \u043f\u0440\u0430\u0432\u043e\u0439 \u043a\u043d\u043e\u043f\u043a\u043e\u0439 \u043c\u044b\u0448\u0438 \u0438\u043b\u0438 \u043a\u043e\u0441\u043d\u0438\u0442\u0435\u0441\u044c \u0438 \u0443\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0439\u0442\u0435, \u0437\u0430\u0442\u0435\u043c \u0432\u044b\u0431\u0435\u0440\u0438\u0442\u0435 \u00ab\u0414\u043e\u0431\u0430\u0432\u0438\u0442\u044c \u0432\u043e \u0441\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f\u00bb.",
+ "MessageNoPlaylistItemsAvailable": "\u0414\u0430\u043d\u043d\u044b\u0439 \u0441\u043f\u0438\u0441\u043e\u043a \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u0432 \u043d\u0430\u0441\u0442\u043e\u044f\u0449\u0435\u0435 \u0432\u0440\u0435\u043c\u044f \u043f\u0443\u0441\u0442.",
+ "HeaderWelcomeToMediaBrowserWebClient": "\u0412\u0435\u0431-\u043a\u043b\u0438\u0435\u043d\u0442 Media Browser \u043f\u0440\u0438\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u0435\u0442 \u0432\u0430\u0441!",
+ "ButtonDismiss": "\u0421\u043a\u0440\u044b\u0442\u044c",
+ "ButtonTakeTheTour": "\u041e\u0437\u043d\u0430\u043a\u043e\u043c\u0438\u0442\u044c\u0441\u044f \u0441 \u043e\u0431\u0437\u043e\u0440\u043e\u043c",
+ "ButtonEditOtherUserPreferences": "\u041f\u0440\u0430\u0432\u0438\u0442\u044c \u043f\u0440\u043e\u0444\u0438\u043b\u044c, \u043f\u0430\u0440\u043e\u043b\u044c \u0438 \u043b\u0438\u0447\u043d\u044b\u0435 \u043d\u0430\u0441\u0442\u0440\u043e\u0439\u043a\u0438 \u044d\u0442\u043e\u0433\u043e \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f.",
+ "LabelChannelStreamQuality": "\u041f\u0440\u0435\u0434\u043f\u043e\u0447\u0438\u0442\u0430\u0435\u043c\u043e\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u043e \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438:",
+ "LabelChannelStreamQualityHelp": "\u0412 \u0441\u0440\u0435\u0434\u0435 \u0441 \u043d\u0438\u0437\u043a\u043e\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a\u043d\u043e\u0439 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e, \u043e\u0433\u0440\u0430\u043d\u0438\u0447\u0435\u043d\u0438\u0435 \u043a\u0430\u0447\u0435\u0441\u0442\u0432\u0430 \u043c\u043e\u0436\u0435\u0442 \u043f\u043e\u043c\u043e\u0447\u044c \u043e\u0431\u0435\u0441\u043f\u0435\u0447\u0438\u0442\u044c \u0432\u0437\u0430\u0438\u043c\u043e\u0434\u0435\u0439\u0441\u0442\u0432\u0438\u0435 \u0434\u043b\u044f \u043f\u043b\u0430\u0432\u043d\u043e\u0439 \u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.",
+ "OptionBestAvailableStreamQuality": "\u041d\u0430\u0438\u043b\u0443\u0447\u0448\u0435\u0435 \u0438\u043c\u0435\u044e\u0449\u0435\u0435\u0441\u044f",
+ "LabelEnableChannelContentDownloadingFor": "\u0412\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u043a\u0430\u043d\u0430\u043b\u0430 \u0434\u043b\u044f:",
+ "LabelEnableChannelContentDownloadingForHelp": "\u041d\u0430 \u043d\u0435\u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u0430\u0445 \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0435\u0442\u0441\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435, \u043f\u0440\u0435\u0434\u0432\u0430\u0440\u044f\u044e\u0449\u0435\u0435 \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440. \u0412\u043a\u043b\u044e\u0447\u0430\u0439\u0442\u0435 \u043f\u0440\u0438 \u0441\u0440\u0435\u0434\u0430\u0445 \u0441 \u043d\u0438\u0437\u043a\u043e\u0439 \u043f\u0440\u043e\u043f\u0443\u0441\u043a\u043d\u043e\u0439 \u0441\u043f\u043e\u0441\u043e\u0431\u043d\u043e\u0441\u0442\u044c\u044e, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u043a\u0430\u043d\u0430\u043b\u0430 \u0432 \u043d\u0435\u0440\u0430\u0431\u043e\u0447\u0435\u0435 \u0432\u0440\u0435\u043c\u044f. \u0421\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u0442\u0441\u044f \u043a\u0430\u043a \u0447\u0430\u0441\u0442\u044c \u043d\u0430\u0437\u043d\u0430\u0447\u0435\u043d\u043d\u043e\u0433\u043e \u0437\u0430\u0434\u0430\u043d\u0438\u044f \u00ab\u0417\u0430\u0433\u0440\u0443\u0437\u043a\u0430 \u043a\u0430\u043d\u0430\u043b\u043e\u0432\u00bb.",
+ "LabelChannelDownloadPath": "\u041f\u0443\u0442\u044c \u0434\u043b\u044f \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u044b\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432:",
+ "LabelChannelDownloadPathHelp": "\u0423\u043a\u0430\u0436\u0438\u0442\u0435 \u043d\u0435\u0441\u0442\u0430\u043d\u0434\u0430\u0440\u0442\u043d\u044b\u0439 \u043f\u0443\u0442\u044c \u0434\u043b\u044f \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0433\u043e, \u043f\u043e \u0436\u0435\u043b\u0430\u043d\u0438\u044e. \u041e\u0441\u0442\u0430\u0432\u044c\u0442\u0435 \u043f\u0443\u0441\u0442\u044b\u043c, \u0447\u0442\u043e\u0431\u044b \u0437\u0430\u0433\u0440\u0443\u0436\u0430\u0442\u044c \u0432\u043e \u0432\u043d\u0443\u0442\u0440\u0435\u043d\u043d\u044e\u044e \u043f\u0430\u043f\u043a\u0443 \u043f\u0440\u043e\u0433\u0440\u0430\u043c\u043c\u043d\u044b\u0445 \u0434\u0430\u043d\u043d\u044b\u0445.",
+ "LabelChannelDownloadAge": "\u0423\u0434\u0430\u043b\u0435\u043d\u0438\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0447\u0435\u0440\u0435\u0437, \u0434\u043d\u0438:",
+ "LabelChannelDownloadAgeHelp": "\u0417\u0430\u0433\u0440\u0443\u0436\u0430\u0435\u043c\u043e\u0435 \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435 \u0441\u0442\u0430\u0440\u0448\u0435 \u0443\u043a\u0430\u0437\u0430\u043d\u043d\u043e\u0433\u043e \u0431\u0443\u0434\u0435\u0442 \u0443\u0434\u0430\u043b\u0435\u043d\u043e. \u041e\u043d\u043e \u043e\u0441\u0442\u0430\u043d\u0435\u0442\u0441\u044f \u0432\u043e\u0441\u043f\u0440\u043e\u0438\u0437\u0432\u043e\u0434\u0438\u043c\u044b\u043c \u043f\u043e \u0438\u043d\u0442\u0435\u0440\u043d\u0435\u0442-\u0442\u0440\u0430\u043d\u0441\u043b\u044f\u0446\u0438\u0438.",
+ "ChannelSettingsFormHelp": "\u0423\u0441\u0442\u0430\u043d\u043e\u0432\u0438\u0442\u0435 \u043a\u0430\u043d\u0430\u043b\u044b (\u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: Trailers \u0438\u043b\u0438 Vimeo) \u0438\u0437 \u043a\u0430\u0442\u0430\u043b\u043e\u0433\u0430 \u043f\u043b\u0430\u0433\u0438\u043d\u043e\u0432.",
+ "LabelSelectCollection": "\u0412\u044b\u0431\u043e\u0440 \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438:",
+ "ButtonOptions": "\u0412\u0430\u0440\u0438\u0430\u043d\u0442\u044b",
+ "ViewTypeMovies": "\u041a\u0438\u043d\u043e",
+ "ViewTypeTvShows": "\u0422\u0412",
+ "ViewTypeGames": "\u0418\u0433\u0440\u044b",
+ "ViewTypeMusic": "\u041c\u0443\u0437\u044b\u043a\u0430",
+ "ViewTypeBoxSets": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438",
+ "ViewTypeChannels": "\u041a\u0430\u043d\u0430\u043b\u044b",
+ "ViewTypeLiveTV": "\u0422\u0412 \u044d\u0444\u0438\u0440",
+ "ViewTypeLiveTvNowPlaying": "\u0412 \u044d\u0444\u0438\u0440\u0435",
+ "ViewTypeLatestGames": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0438\u0433\u0440\u044b",
+ "ViewTypeRecentlyPlayedGames": "C\u044b\u0433\u0440\u0430\u043d\u043d\u044b\u0435 \u043d\u0435\u0434\u0430\u0432\u043d\u043e",
+ "ViewTypeGameFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435",
+ "ViewTypeGameSystems": "\u0418\u0433\u0440\u043e\u0432\u044b\u0435 \u0441\u0438\u0441\u0442\u0435\u043c\u044b",
+ "ViewTypeGameGenres": "\u0416\u0430\u043d\u0440\u044b",
+ "ViewTypeTvResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u0435",
+ "ViewTypeTvNextUp": "\u041e\u0447\u0435\u0440\u0435\u0434\u043d\u044b\u0435",
+ "ViewTypeTvLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435",
+ "ViewTypeTvShowSeries": "\u0421\u0435\u0440\u0438\u0430\u043b\u044b",
+ "ViewTypeTvGenres": "\u0416\u0430\u043d\u0440\u044b",
+ "ViewTypeTvFavoriteSeries": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0441\u0435\u0440\u0438\u0430\u043b\u044b",
+ "ViewTypeTvFavoriteEpisodes": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u044d\u043f\u0438\u0437\u043e\u0434\u044b",
+ "ViewTypeMovieResume": "\u0412\u043e\u0437\u043e\u0431\u043d\u043e\u0432\u0438\u043c\u044b\u0435",
+ "ViewTypeMovieLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435",
+ "ViewTypeMovieMovies": "\u0424\u0438\u043b\u044c\u043c\u044b",
+ "ViewTypeMovieCollections": "\u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438",
+ "ViewTypeMovieFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435",
+ "ViewTypeMovieGenres": "\u0416\u0430\u043d\u0440\u044b",
+ "ViewTypeMusicLatest": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0435\u0435",
+ "ViewTypeMusicAlbums": "\u0410\u043b\u044c\u0431\u043e\u043c\u044b",
+ "ViewTypeMusicAlbumArtists": "\u0410\u043b\u044c\u0431\u043e\u043c\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438",
+ "HeaderOtherDisplaySettings": "\u041f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u044b \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u044f",
+ "ViewTypeMusicSongs": "\u041c\u0435\u043b\u043e\u0434\u0438\u0438",
+ "ViewTypeMusicFavorites": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u043e\u0435",
+ "ViewTypeMusicFavoriteAlbums": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0430\u043b\u044c\u0431\u043e\u043c\u044b",
+ "ViewTypeMusicFavoriteArtists": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u0438\u0441\u043f\u043e\u043b\u043d\u0438\u0442\u0435\u043b\u0438",
+ "ViewTypeMusicFavoriteSongs": "\u0418\u0437\u0431\u0440\u0430\u043d\u043d\u044b\u0435 \u043c\u0435\u043b\u043e\u0434\u0438\u0438",
+ "HeaderMyViews": "\u041c\u043e\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u044b",
+ "LabelSelectFolderGroups": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u043e\u0435 \u0433\u0440\u0443\u043f\u043f\u0438\u0440\u043e\u0432\u0430\u043d\u0438\u0435 \u0432\u043d\u0443\u0442\u0440\u044c \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432 (\u043d\u0430\u043f\u0440\u0438\u043c\u0435\u0440: \u041a\u0438\u043d\u043e, \u041c\u0443\u0437\u044b\u043a\u0430 \u0438 \u0422\u0412) \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u044f \u0438\u0437 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u043f\u0430\u043f\u043e\u043a:",
+ "LabelSelectFolderGroupsHelp": "\u041f\u0430\u043f\u043a\u0438, \u0441 \u043a\u043e\u0442\u043e\u0440\u044b\u0445 \u0441\u043d\u044f\u0442\u044b \u0444\u043b\u0430\u0436\u043a\u0438, \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0441\u0430\u043c\u043e\u0441\u0442\u043e\u044f\u0442\u0435\u043b\u044c\u043d\u043e \u0432 \u0438\u0445 \u0441\u043e\u0431\u0441\u0442\u0432\u0435\u043d\u043d\u044b\u0445 \u0430\u0441\u043f\u0435\u043a\u0442\u0430\u0445.",
+ "OptionDisplayAdultContent": "\u041e\u0442\u043e\u0431\u0440\u0430\u0437\u0438\u0442\u044c \u00ab\u0432\u0437\u0440\u043e\u0441\u043b\u043e\u0435\u00bb \u0441\u043e\u0434\u0435\u0440\u0436\u0430\u043d\u0438\u0435",
+ "OptionLibraryFolders": "\u041c\u0435\u0434\u0438\u0430\u043f\u0430\u043f\u043a\u0438",
+ "TitleRemoteControl": "\u0423\u0434\u0430\u043b\u0451\u043d\u043d\u043e\u0435 \u0443\u043f\u0440\u0430\u0432\u043b\u0435\u043d\u0438\u0435",
+ "OptionLatestTvRecordings": "\u041f\u043e\u0441\u043b\u0435\u0434\u043d\u0438\u0435 \u0437\u0430\u043f\u0438\u0441\u0438",
+ "LabelProtocolInfo": "\u0421\u0432\u0435\u0434\u0435\u043d\u0438\u044f \u043e \u043f\u0440\u043e\u0442\u043e\u043a\u043e\u043b\u0435:",
+ "LabelProtocolInfoHelp": "\u0417\u043d\u0430\u0447\u0435\u043d\u0438\u0435, \u043a\u043e\u0442\u043e\u0440\u043e\u0435 \u0431\u0443\u0434\u0435\u0442 \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u044c\u0441\u044f \u043f\u0440\u0438 \u043e\u0442\u043a\u043b\u0438\u043a\u0435 \u043d\u0430 \u0437\u0430\u043f\u0440\u043e\u0441\u044b GetProtocolInfo \u043e\u0442 \u0443\u0441\u0442\u0440\u043e\u0439\u0441\u0442\u0432\u0430.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "\u0412 Media Browser \u0438\u043c\u0435\u0435\u0442\u0441\u044f \u0432\u0441\u0442\u0440\u043e\u0435\u043d\u043d\u0430\u044f \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u043a\u0430 \u0434\u043b\u044f Kodi-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445 \u0432 NFO-\u0444\u0430\u0439\u043b\u0430\u0445 \u0438 \u0434\u043b\u044f \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432. \u0414\u043b\u044f \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f \u0438\u043b\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u044f Kodi-\u043c\u0435\u0442\u0430\u0434\u0430\u043d\u043d\u044b\u0445, \u0438\u0441\u043f\u043e\u043b\u044c\u0437\u0443\u0439\u0442\u0435 \u0432\u043a\u043b\u0430\u0434\u043a\u0443 \u00ab\u0421\u043b\u0443\u0436\u0431\u044b\u00bb, \u0447\u0442\u043e\u0431\u044b \u0434\u043b\u044f \u043d\u0430\u0441\u0442\u0440\u043e\u0438\u0442\u044c \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e\u0441\u0442\u0438 \u043f\u043e \u0442\u0438\u043f\u0430\u043c \u043c\u0435\u0434\u0438\u0430\u0434\u0430\u043d\u043d\u044b\u0445.",
+ "LabelKodiMetadataUser": "\u0414\u043e\u0431\u0430\u0432\u043b\u0435\u043d\u0438\u0435 \u0434\u0430\u043d\u043d\u044b\u0445 \u043f\u043e\u043b\u044c\u0437\u043e\u0432\u0430\u0442\u0435\u043b\u044f \u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435 \u0432 NFO-\u0444\u0430\u0439\u043b\u044b \u0434\u043b\u044f:",
+ "LabelKodiMetadataUserHelp": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u0435, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u0434\u0434\u0435\u0440\u0436\u0438\u0432\u0430\u0442\u044c \u0441\u0438\u043d\u0445\u0440\u043e\u043d\u0438\u0437\u0430\u0446\u0438\u044e \u0434\u0430\u043d\u043d\u044b\u0445 \u043e \u043f\u0440\u043e\u0441\u043c\u043e\u0442\u0440\u0435\u043d\u043d\u043e\u043c \u043c\u0435\u0436\u0434\u0443 Media Browser \u0438 Kodi.",
+ "LabelKodiMetadataDateFormat": "\u0424\u043e\u0440\u043c\u0430\u0442 \u0434\u0430\u0442\u044b \u0432\u044b\u043f\u0443\u0441\u043a\u0430:",
+ "LabelKodiMetadataDateFormatHelp": "\u0412\u0441\u0435 \u0434\u0430\u0442\u044b \u0432\u043d\u0443\u0442\u0440\u0438 NFO-\u0444\u0430\u0439\u043b\u043e\u0432 \u0431\u0443\u0434\u0443\u0442 \u0441\u0447\u0438\u0442\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u0438 \u0437\u0430\u043f\u0438\u0441\u044b\u0432\u0430\u0442\u044c\u0441\u044f \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u0434\u0430\u043d\u043d\u043e\u0433\u043e \u0444\u043e\u0440\u043c\u0430\u0442\u0430.",
+ "LabelKodiMetadataSaveImagePaths": "\u0421\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u043f\u0443\u0442\u0438 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u0432\u043d\u0443\u0442\u0440\u0438 NFO-\u0444\u0430\u0439\u043b\u043e\u0432",
+ "LabelKodiMetadataSaveImagePathsHelp": "\u0420\u0435\u043a\u043e\u043c\u0435\u043d\u0434\u0443\u0435\u0442\u0441\u044f, \u0435\u0441\u043b\u0438 \u0438\u043c\u0435\u043d\u0430 \u0444\u0430\u0439\u043b\u043e\u0432 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432 \u043d\u0435 \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0443\u044e\u0442 \u0440\u0443\u043a\u043e\u0432\u043e\u0434\u044f\u0449\u0438\u043c \u043f\u0440\u0438\u043d\u0446\u0438\u043f\u0430\u043c Kodi.",
+ "LabelKodiMetadataEnablePathSubstitution": "\u0412\u043a\u043b\u044e\u0447\u0438\u0442\u044c \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "\u0412\u043a\u043b\u044e\u0447\u0430\u044e\u0442\u0441\u044f \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439 \u043a \u0440\u0438\u0441\u0443\u043d\u043a\u0430\u043c \u0441 \u043f\u043e\u043c\u043e\u0449\u044c\u044e \u043f\u0430\u0440\u0430\u043c\u0435\u0442\u0440\u043e\u0432 \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439 \u0441\u0435\u0440\u0432\u0435\u0440\u0430.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "\u0421\u043c. \u043f\u043e\u0434\u0441\u0442\u0430\u043d\u043e\u0432\u043a\u0438 \u043f\u0443\u0442\u0435\u0439",
+ "LabelGroupChannelsIntoViews": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0435\u043d\u0438\u0435 \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u0441\u0440\u0435\u0434\u0438 \u043c\u043e\u0438\u0445 \u0430\u0441\u043f\u0435\u043a\u0442\u043e\u0432 \u0441\u043b\u0435\u0434\u0443\u044e\u0449\u0438\u0445 \u043a\u0430\u043d\u0430\u043b\u043e\u0432:",
+ "LabelGroupChannelsIntoViewsHelp": "\u041f\u0440\u0438 \u0432\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u0434\u0430\u043d\u043d\u044b\u0435 \u043a\u0430\u043d\u0430\u043b\u044b \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u043d\u0430\u043f\u0440\u044f\u043c\u0443\u044e \u043d\u0430\u0440\u044f\u0434\u0443 \u0441 \u0434\u0440\u0443\u0433\u0438\u043c\u0438 \u0430\u0441\u043f\u0435\u043a\u0442\u0430\u043c\u0438. \u041f\u0440\u0438 \u0432\u044b\u043a\u043b\u044e\u0447\u0435\u043d\u0438\u0438, \u043e\u043d\u0438 \u0431\u0443\u0434\u0443\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0432\u043d\u0443\u0442\u0440\u0438 \u043e\u0442\u0434\u0435\u043b\u044c\u043d\u043e\u0433\u043e \u0430\u0441\u043f\u0435\u043a\u0442\u0430 \u00ab\u041a\u0430\u043d\u0430\u043b\u044b\u00bb.",
+ "LabelDisplayCollectionsView": "\u041e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c \u0430\u0441\u043f\u0435\u043a\u0442 \u041a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438, \u0447\u0442\u043e\u0431\u044b \u043f\u043e\u043a\u0430\u0437\u044b\u0432\u0430\u0442\u044c \u043a\u043e\u043b\u043b\u0435\u043a\u0446\u0438\u0438 \u0444\u0438\u043b\u044c\u043c\u043e\u0432",
+ "LabelKodiMetadataEnableExtraThumbs": "\u041a\u043e\u043f\u0438\u0440\u043e\u0432\u0430\u0442\u044c extrafanart \u0432\u043d\u0443\u0442\u0440\u044c extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "\u041f\u0440\u0438 \u0437\u0430\u0433\u0440\u0443\u0437\u043a\u0435 \u0440\u0438\u0441\u0443\u043d\u043a\u043e\u0432, \u0438\u0445 \u0432\u043e\u0437\u043c\u043e\u0436\u043d\u043e \u0441\u043e\u0445\u0440\u0430\u043d\u044f\u0442\u044c \u0432\u043d\u0443\u0442\u0440\u044c extrafanart \u0438 extrathumbs \u0434\u043b\u044f \u043c\u0430\u043a\u0441\u0438\u043c\u0430\u043b\u044c\u043d\u043e\u0439 \u0441\u043e\u0432\u043c\u0435\u0441\u0442\u0438\u043c\u043e\u0441\u0442\u0438 \u0441 \u043e\u0431\u043e\u043b\u043e\u0447\u043a\u043e\u0439 Kodi.",
+ "TabServices": "\u0421\u043b\u0443\u0436\u0431\u044b",
+ "TabLogs": "\u0416\u0443\u0440\u043d\u0430\u043b\u044b",
+ "HeaderServerLogFiles": "\u0424\u0430\u0439\u043b\u044b \u0436\u0443\u0440\u043d\u0430\u043b\u0430 \u0441\u0435\u0440\u0432\u0435\u0440\u0430:",
+ "TabBranding": "\u0411\u0440\u0435\u043d\u0434\u0438\u043d\u0433",
+ "HeaderBrandingHelp": "\u041e\u0431\u043e\u0441\u043e\u0431\u044c\u0442\u0435 \u0432\u043d\u0435\u0448\u043d\u0438\u0439 \u0432\u0438\u0434 Media Browser \u0434\u043b\u044f \u0441\u043e\u043e\u0442\u0432\u0435\u0442\u0441\u0442\u0432\u0438\u044f \u043f\u043e\u0442\u0440\u0435\u0431\u043d\u043e\u0441\u0442\u044f\u043c \u0432\u0430\u0448\u0435\u0439 \u0433\u0440\u0443\u043f\u043f\u044b \u0438\u043b\u0438 \u043e\u0440\u0433\u0430\u043d\u0438\u0437\u0430\u0446\u0438\u0438.",
+ "LabelLoginDisclaimer": "\u041e\u0433\u043e\u0432\u043e\u0440\u043a\u0430 \u043d\u0430 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u0435 \u0432\u0445\u043e\u0434\u0430:",
+ "LabelLoginDisclaimerHelp": "\u042d\u0442\u043e \u0431\u0443\u0434\u0435\u0442 \u043e\u0442\u043e\u0431\u0440\u0430\u0436\u0430\u0442\u044c\u0441\u044f \u0432 \u043d\u0438\u0436\u043d\u0435\u0439 \u0447\u0430\u0441\u0442\u0438 \u0441\u0442\u0440\u0430\u043d\u0438\u0446\u044b \u0432\u0445\u043e\u0434\u0430 \u0432 \u0441\u0438\u0441\u0442\u0435\u043c\u0443.",
+ "LabelAutomaticallyDonate": "\u0410\u0432\u0442\u043e\u043c\u0430\u0442\u0438\u0447\u0435\u0441\u043a\u0438 \u0436\u0435\u0440\u0442\u0432\u043e\u0432\u0430\u0442\u044c \u0434\u0430\u043d\u043d\u0443\u044e \u0441\u0443\u043c\u043c\u0443 \u043a\u0430\u0436\u0434\u044b\u0439 \u043c\u0435\u0441\u044f\u0446",
+ "LabelAutomaticallyDonateHelp": "\u041c\u043e\u0436\u043d\u043e \u0432 \u043b\u044e\u0431\u043e\u0435 \u0432\u0440\u0435\u043c\u044f \u043e\u0442\u043c\u0435\u043d\u0438\u0442\u044c \u044d\u0442\u043e \u0447\u0435\u0440\u0435\u0437 \u0441\u0432\u043e\u044e \u0443\u0447\u0435\u0442\u043d\u0443\u044e \u0437\u0430\u043f\u0438\u0441\u044c PayPal.",
+ "OptionList": "\u0421\u043f\u0438\u0441\u043e\u043a",
+ "TabDashboard": "\u0418\u043d\u0444\u043e\u043f\u0430\u043d\u0435\u043b\u044c",
+ "TitleServer": "\u0421\u0435\u0440\u0432\u0435\u0440",
+ "LabelCache": "\u041a\u0435\u0448:",
+ "LabelLogs": "\u0416\u0443\u0440\u043d\u0430\u043b\u044b:"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/server.json b/MediaBrowser.Server.Implementations/Localization/Server/server.json
index a263d960de..099f3f75b7 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/server.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/server.json
@@ -1260,7 +1260,7 @@
"OptionDisableUserPreferences": "Disable access to user preferences",
"OptionDisableUserPreferencesHelp": "If enabled, only administrators will be able to configure user profile images, passwords, and language preferences.",
"HeaderSelectServer": "Select Server",
- "MessageNoServersAvailableToConnect": "No servers are available to connect to. If you've been invited to share a server, make sure to confirm it by clicking the link in the email.",
+ "MessageNoServersAvailableToConnect": "No servers are available to connect to. If you've been invited to share a server, make sure to accept it below or by clicking the link in the email.",
"TitleNewUser": "New User",
"ButtonConfigurePassword": "Configure Password",
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
@@ -1269,5 +1269,6 @@
"HeaderLatestItems": "Latest Items",
"LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
"HeaderShareMediaFolders": "Share Media Folders",
- "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed."
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
+ "HeaderInvitations": "Invitations"
}
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/sv.json b/MediaBrowser.Server.Implementations/Localization/Server/sv.json
index b20e841c47..81e91b78b9 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/sv.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/sv.json
@@ -1,598 +1,4 @@
{
- "ButtonDelete": "Ta bort",
- "ButtonRemove": "Ta bort",
- "OptionRecordSeries": "Spela in serie",
- "HeaderDetails": "Detaljinfo",
- "TitleLiveTV": "Live-TV",
- "LabelNumberOfGuideDays": "Antal dagars tabl\u00e5 att h\u00e4mta",
- "LabelNumberOfGuideDaysHelp": "H\u00e4mtning av en l\u00e4ngre periods tabl\u00e5 ger m\u00f6jlighet att boka inspelningar och se program l\u00e4ngre fram i tiden, men ger l\u00e4ngre nedladdningstid. \"Auto\" v\u00e4ljer baserat p\u00e5 antalet kanaler.",
- "LabelActiveService": "Aktuell tj\u00e4nst:",
- "LabelActiveServiceHelp": "Flera TV-till\u00e4gg kan vara installerade men bara en \u00e5t g\u00e5ngen kan vara aktiv.",
- "OptionAutomatic": "Auto",
- "LiveTvPluginRequired": "Du m\u00e5ste ha ett till\u00e4gg f\u00f6r live-TV installerad f\u00f6r att kunna forts\u00e4tta.",
- "LiveTvPluginRequiredHelp": "Installera ett av v\u00e5ra till\u00e4gg, t ex Next PVR eller ServerWMC.",
- "LabelCustomizeOptionsPerMediaType": "Anpassa f\u00f6r typ av media:",
- "OptionDownloadThumbImage": "Miniatyr",
- "OptionDownloadMenuImage": "Meny",
- "OptionDownloadLogoImage": "Logotyp",
- "OptionDownloadBoxImage": "Konvolut",
- "OptionDownloadDiscImage": "Skiva",
- "OptionDownloadBannerImage": "Banderoll",
- "OptionDownloadBackImage": "Baksida",
- "OptionDownloadArtImage": "Grafik",
- "OptionDownloadPrimaryImage": "Huvudbild",
- "HeaderFetchImages": "H\u00e4mta bilder:",
- "HeaderImageSettings": "Bildinst\u00e4llningar",
- "TabOther": "\u00d6vrigt",
- "LabelMaxBackdropsPerItem": "H\u00f6gsta antal fondbilder per objekt:",
- "LabelMaxScreenshotsPerItem": "H\u00f6gsta antal sk\u00e4rmdumpar per objekt:",
- "LabelMinBackdropDownloadWidth": "H\u00e4mta enbart fondbilder bredare \u00e4n:",
- "LabelMinScreenshotDownloadWidth": "H\u00e4mta enbart sk\u00e4rmdumpar bredare \u00e4n:",
- "ButtonAddScheduledTaskTrigger": "L\u00e4gg till utl\u00f6sare f\u00f6r aktivitet",
- "HeaderAddScheduledTaskTrigger": "L\u00e4gg till utl\u00f6sare f\u00f6r aktivitet",
- "ButtonAdd": "L\u00e4gg till",
- "LabelTriggerType": "Typ av utl\u00f6sare:",
- "OptionDaily": "Dagligen",
- "OptionWeekly": "Varje vecka",
- "OptionOnInterval": "Med visst intervall",
- "OptionOnAppStartup": "N\u00e4r servern startar",
- "OptionAfterSystemEvent": "Efter en systemh\u00e4ndelse",
- "LabelDay": "Dag:",
- "LabelTime": "Tid:",
- "LabelEvent": "H\u00e4ndelse:",
- "OptionWakeFromSleep": "Vakna ur energisparl\u00e4ge",
- "LabelEveryXMinutes": "Varje:",
- "HeaderTvTuners": "TV-mottagare",
- "HeaderGallery": "Galleri",
- "HeaderLatestGames": "Senaste spelen",
- "HeaderRecentlyPlayedGames": "Nyligen spelade spel",
- "TabGameSystems": "Spelkonsoler",
- "TitleMediaLibrary": "Mediabibliotek",
- "TabFolders": "Mappar",
- "TabPathSubstitution": "S\u00f6kv\u00e4gsutbyte",
- "LabelSeasonZeroDisplayName": "Visning av S\u00e4song 0",
- "LabelEnableRealtimeMonitor": "Aktivera bevakning av mappar i realtid",
- "LabelEnableRealtimeMonitorHelp": "F\u00f6r\u00e4ndringar uppt\u00e4cks omedelbart (i filsystem som st\u00f6djer detta)",
- "ButtonScanLibrary": "Uppdatera biblioteket",
- "HeaderNumberOfPlayers": "Spelare:",
- "OptionAnyNumberOfPlayers": "Vilken som helst",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Mediamappar",
- "HeaderThemeVideos": "Temavideor",
- "HeaderThemeSongs": "Ledmotiv",
- "HeaderScenes": "Kapitel",
- "HeaderAwardsAndReviews": "Priser och recensioner",
- "HeaderSoundtracks": "Filmmusik",
- "HeaderMusicVideos": "Musikvideor",
- "HeaderSpecialFeatures": "Extramaterial",
- "HeaderCastCrew": "Rollista & bes\u00e4ttning",
- "HeaderAdditionalParts": "Ytterligare delar",
- "ButtonSplitVersionsApart": "Hantera olika versioner separat",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Saknas",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "S\u00f6kv\u00e4gsutbyte betyder att en plats p\u00e5 servern kopplas till en lokal fils\u00f6kv\u00e4g p\u00e5 en klient. P\u00e5 s\u00e5 s\u00e4tt f\u00e5r klienten direkt tillg\u00e5ng till material p\u00e5 servern och kan spela upp det direkt via n\u00e4tverket utan att f\u00f6rbruka serverresurser f\u00f6r str\u00f6mning och omkodning.",
- "HeaderFrom": "Fr\u00e5n",
- "HeaderTo": "Till",
- "LabelFrom": "Fr\u00e5n:",
- "LabelFromHelp": "Exempel: D:\\Filmer (p\u00e5 servern)",
- "LabelTo": "Till:",
- "LabelToHelp": "Exempel: \\\\server\\Filmer (tillg\u00e4nglig f\u00f6r klienter)",
- "ButtonAddPathSubstitution": "L\u00e4gg till utbytess\u00f6kv\u00e4g",
- "OptionSpecialEpisode": "Specialavsnitt",
- "OptionMissingEpisode": "Saknade avsnitt",
- "OptionUnairedEpisode": "Ej s\u00e4nda avsnitt",
- "OptionEpisodeSortName": "Sorteringstitel f\u00f6r avsnitt",
- "OptionSeriesSortName": "Serietitel",
- "OptionTvdbRating": "TVDB-betyg",
- "HeaderTranscodingQualityPreference": "\u00d6nskad kvalitet f\u00f6r omkodning:",
- "OptionAutomaticTranscodingHelp": "Servern avg\u00f6r kvalitet och hastighet",
- "OptionHighSpeedTranscodingHelp": "L\u00e4gre kvalitet men snabbare omkodning",
- "OptionHighQualityTranscodingHelp": "H\u00f6gre kvalitet men l\u00e5ngsammare omkodning",
- "OptionMaxQualityTranscodingHelp": "H\u00f6gsta kvalitet, l\u00e5ngsammare omkodning och h\u00f6g CPU-belastning",
- "OptionHighSpeedTranscoding": "H\u00f6gre hastighet",
- "OptionHighQualityTranscoding": "H\u00f6gre kvalitet",
- "OptionMaxQualityTranscoding": "H\u00f6gsta kvalitet",
- "OptionEnableDebugTranscodingLogging": "Aktivera loggning av fel fr\u00e5n omkodning",
- "OptionEnableDebugTranscodingLoggingHelp": "Detta resulterar i mycket stora loggfiler och rekommenderas bara vid fels\u00f6kning.",
- "OptionUpscaling": "Till\u00e5t klienter att beg\u00e4ra uppskalad video",
- "OptionUpscalingHelp": "Kan i vissa fall ge h\u00f6gre videokvalitet, men kr\u00e4ver mer CPU-kapacitet.",
- "EditCollectionItemsHelp": "L\u00e4gg till eller ta bort filmer, tv-serier, album, b\u00f6cker eller spel du vill gruppera inom den h\u00e4r samlingen.",
- "HeaderAddTitles": "L\u00e4gg till titlar",
- "LabelEnableDlnaPlayTo": "Anv\u00e4nd DLNA spela-upp-p\u00e5",
- "LabelEnableDlnaPlayToHelp": "Media Browser kan hitta enheter inom ditt n\u00e4tverk och erbjuda m\u00f6jligheten att styra dem.",
- "LabelEnableDlnaDebugLogging": "Aktivera DLNA fels\u00f6kningsloggning",
- "LabelEnableDlnaDebugLoggingHelp": "Detta resulterar i mycket stora loggfiler och rekommenderas bara vid fels\u00f6kning.",
- "LabelEnableDlnaClientDiscoveryInterval": "Intervall f\u00f6r uppt\u00e4ckt av klienter (i sekunder)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Best\u00e4mmer intervallet i sekunder mellan SSDP-s\u00f6kningar som utf\u00f6rs av Media Browser.",
- "HeaderCustomDlnaProfiles": "Anpassade profiler",
- "HeaderSystemDlnaProfiles": "Systemprofiler",
- "CustomDlnaProfilesHelp": "Skapa en anpassad profil f\u00f6r ny enhet eller f\u00f6r att \u00f6verlappa en systemprofil.",
- "SystemDlnaProfilesHelp": "Systemprofiler \u00e4r skrivskyddade. \u00c4ndringar av en systemprofil resulterar att en ny anpassad profil skapas.",
- "TitleDashboard": "\u00d6versikt",
- "TabHome": "Hem",
- "TabInfo": "Info",
- "HeaderLinks": "L\u00e4nkar",
- "HeaderSystemPaths": "Systems\u00f6kv\u00e4gar",
- "LinkCommunity": "Anv\u00e4ndargrupper",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "API-dokumentation",
- "LabelFriendlyServerName": "Ditt \u00f6nskade servernamn:",
- "LabelFriendlyServerNameHelp": "Det h\u00e4r namnet anv\u00e4nds f\u00f6r att identifiera servern, om det l\u00e4mnas tomt kommer datorns namn att anv\u00e4ndas.",
- "LabelPreferredDisplayLanguage": "\u00d6nskat visningsspr\u00e5k",
- "LabelPreferredDisplayLanguageHelp": "\u00d6vers\u00e4ttningen av Media Browser \u00e4r ett p\u00e5g\u00e5ende projekt och \u00e4nnu ej f\u00e4rdigst\u00e4llt.",
- "LabelReadHowYouCanContribute": "L\u00e4s om hur du kan bidra.",
- "HeaderNewCollection": "Ny samling",
- "HeaderAddToCollection": "L\u00e4gg till samling",
- "ButtonSubmit": "Bekr\u00e4fta",
- "NewCollectionNameExample": "Exemple: Star Wars-samling",
- "OptionSearchForInternetMetadata": "S\u00f6k p\u00e5 internet efter grafik och metadata",
- "ButtonCreate": "Skapa",
- "LabelLocalHttpServerPortNumber": "Lokalt portnummer:",
- "LabelLocalHttpServerPortNumberHelp": "TCP-portnumret som Media Browsers http-server skall knytas till.",
- "LabelPublicPort": "Publikt portnummer:",
- "LabelPublicPortHelp": "Publikt portnummer som den lokala porten skall knytas till.",
- "LabelWebSocketPortNumber": "Webanslutningens portnummer:",
- "LabelEnableAutomaticPortMap": "Aktivera automatisk koppling av portar",
- "LabelEnableAutomaticPortMapHelp": "Automatisk l\u00e4nkning av publik och lokal port via UPnP. Detta kanske inte fungerar med alla routrar.",
- "LabelExternalDDNS": "Extern DDNS:",
- "LabelExternalDDNSHelp": "Om du har en dynamisk DNS skriv in den h\u00e4r. Media Browser-appar kommer att anv\u00e4nda den n\u00e4r de fj\u00e4rransluts.",
- "TabResume": "\u00c5teruppta",
- "TabWeather": "V\u00e4der",
- "TitleAppSettings": "Programinst\u00e4llningar",
- "LabelMinResumePercentage": "L\u00e4gsta gr\u00e4ns f\u00f6r \u00e5terupptagande (%)",
- "LabelMaxResumePercentage": "H\u00f6gsta gr\u00e4ns f\u00f6r \u00e5terupptagande (%)",
- "LabelMinResumeDuration": "Minsta tid f\u00f6r \u00e5terupptagande (s)",
- "LabelMinResumePercentageHelp": "Objekt betraktas som ej spelade om uppspelningen stoppas f\u00f6re denna tidpunkt",
- "LabelMaxResumePercentageHelp": "Objekt betraktas som f\u00e4rdigspelade om uppspelningen stoppas efter denna tidpunkt",
- "LabelMinResumeDurationHelp": "Objekt med speltid kortare \u00e4n s\u00e5 h\u00e4r kan ej \u00e5terupptas",
- "TitleAutoOrganize": "Katalogisera automatiskt",
- "TabActivityLog": "Aktivitetslogg",
- "HeaderName": "Namn",
- "HeaderDate": "Datum",
- "HeaderSource": "K\u00e4lla",
- "HeaderDestination": "M\u00e5l",
- "HeaderProgram": "Program",
- "HeaderClients": "Klienter",
- "LabelCompleted": "Klar",
- "LabelFailed": "Misslyckades",
- "LabelSkipped": "Hoppades \u00f6ver",
- "HeaderEpisodeOrganization": "Katalogisering av avsnitt",
- "LabelSeries": "Serie:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Kr\u00e4vs endast f\u00f6r filer som inneh\u00e5ller flera avsnitt",
- "HeaderSupportTheTeam": "St\u00f6d utvecklingen av Media Browser",
- "LabelSupportAmount": "Belopp (USD)",
- "HeaderSupportTheTeamHelp": "Bidra till fortsatt utveckling av projektet genom att donera. En del av alla donationer kommer att ges till andra kostnadsfria verktyg som vi \u00e4r beroende av.",
- "ButtonEnterSupporterKey": "Ange din donationskod",
- "DonationNextStep": "N\u00e4r du \u00e4r klar, g\u00e5 tillbaka och ange din donationskod, som du kommer att f\u00e5 via e-post.",
- "AutoOrganizeHelp": "Automatisk katalogisering bevakar angivna mappar och flyttar nytillkomna objekt till dina mediamappar.",
- "AutoOrganizeTvHelp": "Katalogiseringen av TV-avsnitt flyttar bara nya avsnitt av befintliga serier. Den skapar inte mappar f\u00f6r nya serier.",
- "OptionEnableEpisodeOrganization": "Aktivera katalogisering av nya avsnitt",
- "LabelWatchFolder": "Bevakad mapp:",
- "LabelWatchFolderHelp": "Servern s\u00f6ker igenom den h\u00e4r mappen d\u00e5 den schemalagda katalogiseringen k\u00f6rs.",
- "ButtonViewScheduledTasks": "Visa schemalagda aktiviteter",
- "LabelMinFileSizeForOrganize": "Minsta filstorlek (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Filer mindre \u00e4n denna storlek kommer inte att behandlas.",
- "LabelSeasonFolderPattern": "Namnm\u00f6nster f\u00f6r s\u00e4songmappar:",
- "LabelSeasonZeroFolderName": "Namn p\u00e5 mapp f\u00f6r s\u00e4song 0",
- "HeaderEpisodeFilePattern": "Filnamnsm\u00f6nster f\u00f6r avsnitt",
- "LabelEpisodePattern": "Namnm\u00f6nster f\u00f6r avsnitt:",
- "LabelMultiEpisodePattern": "Namnm\u00f6nster f\u00f6r multiavsnitt:",
- "HeaderSupportedPatterns": "M\u00f6nster som st\u00f6ds",
- "HeaderTerm": "Term",
- "HeaderPattern": "M\u00f6nster",
- "HeaderResult": "Resultat",
- "LabelDeleteEmptyFolders": "Ta bort tomma mappar efter katalogisering",
- "LabelDeleteEmptyFoldersHelp": "Aktivera detta f\u00f6r att h\u00e5lla rent i bevakade mappar.",
- "LabelDeleteLeftOverFiles": "Ta bort \u00f6verblivna filer med f\u00f6ljande till\u00e4gg:",
- "LabelDeleteLeftOverFilesHelp": "\u00c5tskilj med;. Till exempel: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Skriv \u00f6ver existerande avsnitt",
- "LabelTransferMethod": "Metod f\u00f6r \u00f6verf\u00f6ring",
- "OptionCopy": "Kopiera",
- "OptionMove": "Flytta",
- "LabelTransferMethodHelp": "Kopiera eller flytta filer fr\u00e5n bevakade mappar",
- "HeaderLatestNews": "Senaste nytt",
- "HeaderHelpImproveMediaBrowser": "Hj\u00e4lp till att f\u00f6rb\u00e4ttra Media Browser",
- "HeaderRunningTasks": "P\u00e5g\u00e5ende aktiviteter",
- "HeaderActiveDevices": "Aktiva enheter",
- "HeaderPendingInstallations": "V\u00e4ntande installationer",
- "HeaerServerInformation": "Serverinformation",
- "ButtonRestartNow": "Starta om nu",
- "ButtonRestart": "Starta om",
- "ButtonShutdown": "St\u00e4ng av",
- "ButtonUpdateNow": "Uppdatera nu",
- "PleaseUpdateManually": "Var god st\u00e4ng av servern och uppdatera manuellt.",
- "NewServerVersionAvailable": "En ny version av Media Browser Server finns tillg\u00e4nglig!",
- "ServerUpToDate": "Media Browser Server \u00e4r uppdaterad till den senaste versionen",
- "ErrorConnectingToMediaBrowserRepository": "Ett fel uppstod vid anslutning till Media Browser-databasen.",
- "LabelComponentsUpdated": "F\u00f6ljande komponenter har installerats eller uppdaterats:",
- "MessagePleaseRestartServerToFinishUpdating": "V\u00e4nligen starta om servern f\u00f6r att slutf\u00f6ra uppdateringarna.",
- "LabelDownMixAudioScale": "H\u00f6j niv\u00e5n vid nedmixning av ljud",
- "LabelDownMixAudioScaleHelp": "H\u00f6j niv\u00e5n vid nedmixning. S\u00e4tt v\u00e4rdet till 1 f\u00f6r att beh\u00e5lla den ursprungliga niv\u00e5n.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Tidigare donationskod",
- "LabelNewSupporterKey": "Ny donationskod",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Nuvarande e-postadress",
- "LabelCurrentEmailAddressHelp": "Den e-postadress den nya koden skickades till.",
- "HeaderForgotKey": "Gl\u00f6mt koden",
- "LabelEmailAddress": "E-postadress",
- "LabelSupporterEmailAddress": "Den e-postadress du angav vid k\u00f6pet av den nya koden.",
- "ButtonRetrieveKey": "H\u00e4mta donationskod",
- "LabelSupporterKey": "Donationskod (klistra in fr\u00e5n e-postmeddelandet)",
- "LabelSupporterKeyHelp": "Ange din donationskod s\u00e5 att du kan b\u00f6rja anv\u00e4nda de extrafunktioner som har utvecklats inom Media Browsers anv\u00e4ndargrupper.",
- "MessageInvalidKey": "Supporterkod ogiltig eller saknas.",
- "ErrorMessageInvalidKey": "F\u00f6r att registrera premiuminneh\u00e5ll m\u00e5ste du vara Media Browser-supporter. Bidra g\u00e4rna till fortsatt utveckling av projektet genom att donera. Tack p\u00e5 f\u00f6rhand.",
- "HeaderDisplaySettings": "Bildsk\u00e4rmsinst\u00e4llningar",
- "TabPlayTo": "Spela upp p\u00e5",
- "LabelEnableDlnaServer": "Aktivera DLNA-server",
- "LabelEnableDlnaServerHelp": "L\u00e5ter UPnP-enheter p\u00e5 n\u00e4tverket bl\u00e4ddra bland och spela upp Media Browser-inneh\u00e5ll.",
- "LabelEnableBlastAliveMessages": "Skicka ut \"jag lever\"-meddelanden",
- "LabelEnableBlastAliveMessagesHelp": "Aktivera detta om andra UPnP-enheter p\u00e5 n\u00e4tverket har problem att uppt\u00e4cka servern.",
- "LabelBlastMessageInterval": "S\u00e4ndningsintervall i sekunder f\u00f6r \"jag lever\"-meddelanden",
- "LabelBlastMessageIntervalHelp": "Anger tid i sekunder mellan varje \"jag lever\"-meddelande.",
- "LabelDefaultUser": "F\u00f6rvald anv\u00e4ndare:",
- "LabelDefaultUserHelp": "Anger vilket anv\u00e4ndarbibliotek som skall visas p\u00e5 anslutna enheter. Denna inst\u00e4llning kan \u00e4ndras p\u00e5 enhetsbasis med hj\u00e4lp av en enhetsprofiler.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Kanaler",
- "HeaderServerSettings": "Serverinst\u00e4llningar",
- "LabelWeatherDisplayLocation": "Geografisk plats f\u00f6r v\u00e4derdata:",
- "LabelWeatherDisplayLocationHelp": "U.S. zip code \/ Stad, stat, land \/ Stad, land",
- "LabelWeatherDisplayUnit": "Enhet f\u00f6r v\u00e4derdata:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Kr\u00e4v att anv\u00e4ndarnamn anges manuellt f\u00f6r:",
- "HeaderRequireManualLoginHelp": "Om avaktiverat kan klienterna visa en inloggningsbild f\u00f6r visuellt val av anv\u00e4ndare.",
- "OptionOtherApps": "Andra appar",
- "OptionMobileApps": "Mobilappar",
- "HeaderNotificationList": "Klicka p\u00e5 en meddelandetyp f\u00f6r att ange inst\u00e4llningar.",
- "NotificationOptionApplicationUpdateAvailable": "Ny programversion tillg\u00e4nglig",
- "NotificationOptionApplicationUpdateInstalled": "Programuppdatering installerad",
- "NotificationOptionPluginUpdateInstalled": "Till\u00e4gg har uppdaterats",
- "NotificationOptionPluginInstalled": "Till\u00e4gg har installerats",
- "NotificationOptionPluginUninstalled": "Till\u00e4gg har avinstallerats",
- "NotificationOptionVideoPlayback": "Videouppspelning har p\u00e5b\u00f6rjats",
- "NotificationOptionAudioPlayback": "Ljuduppspelning har p\u00e5b\u00f6rjats",
- "NotificationOptionGamePlayback": "Spel har startats",
- "NotificationOptionVideoPlaybackStopped": "Videouppspelning stoppad",
- "NotificationOptionAudioPlaybackStopped": "Ljuduppspelning stoppad",
- "NotificationOptionGamePlaybackStopped": "Spel stoppat",
- "NotificationOptionTaskFailed": "Schemalagd aktivitet har misslyckats",
- "NotificationOptionInstallationFailed": "Fel vid installation",
- "NotificationOptionNewLibraryContent": "Nytt inneh\u00e5ll har tillkommit",
- "NotificationOptionNewLibraryContentMultiple": "Nytillkommet inneh\u00e5ll finns (flera objekt)",
- "SendNotificationHelp": "Meddelanden visas f\u00f6rvalt i kontrollpanelens inkorg. S\u00f6k efter fler meddelandetill\u00e4gg i till\u00e4ggskatalogen.",
- "NotificationOptionServerRestartRequired": "Servern m\u00e5ste startas om",
- "LabelNotificationEnabled": "Aktivera denna meddelandetyp",
- "LabelMonitorUsers": "\u00d6vervaka aktivitet fr\u00e5n:",
- "LabelSendNotificationToUsers": "Skicka meddelande till:",
- "LabelUseNotificationServices": "Anv\u00e4nd f\u00f6ljande tj\u00e4nster:",
- "CategoryUser": "Anv\u00e4ndare",
- "CategorySystem": "System",
- "CategoryApplication": "App",
- "CategoryPlugin": "Till\u00e4gg",
- "LabelMessageTitle": "Meddelandetitel",
- "LabelAvailableTokens": "Tillg\u00e4ngliga mark\u00f6rer:",
- "AdditionalNotificationServices": "S\u00f6k efter fler meddelandetill\u00e4gg i till\u00e4ggskatalogen.",
- "OptionAllUsers": "Alla anv\u00e4ndare",
- "OptionAdminUsers": "Administrat\u00f6rer",
- "OptionCustomUsers": "Anpassad",
- "ButtonArrowUp": "Upp",
- "ButtonArrowDown": "Ned",
- "ButtonArrowLeft": "V\u00e4nster",
- "ButtonArrowRight": "H\u00f6ger",
- "ButtonBack": "F\u00f6reg\u00e5ende",
- "ButtonInfo": "Info",
- "ButtonOsd": "OSD",
- "ButtonPageUp": "Sida upp",
- "ButtonPageDown": "Sida ned",
- "PageAbbreviation": "Sid",
- "ButtonHome": "Hem",
- "ButtonSearch": "S\u00f6k",
- "ButtonSettings": "Inst\u00e4llningar",
- "ButtonTakeScreenshot": "Ta sk\u00e4rmbild",
- "ButtonLetterUp": "Bokstav upp",
- "ButtonLetterDown": "Bokstav ned",
- "PageButtonAbbreviation": "Sid",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Nu spelas",
- "TabNavigation": "Navigering",
- "TabControls": "Kontroller",
- "ButtonFullscreen": "V\u00e4xla fullsk\u00e4rmsl\u00e4ge",
- "ButtonScenes": "Scener",
- "ButtonSubtitles": "Undertexter",
- "ButtonAudioTracks": "Ljudsp\u00e5r",
- "ButtonPreviousTrack": "F\u00f6reg\u00e5ende sp\u00e5r:",
- "ButtonNextTrack": "N\u00e4sta sp\u00e5r:",
- "ButtonStop": "Stopp",
- "ButtonPause": "Paus",
- "ButtonNext": "N\u00e4sta",
- "ButtonPrevious": "F\u00f6reg\u00e5ende",
- "LabelGroupMoviesIntoCollections": "Gruppera filmer i samlingsboxar",
- "LabelGroupMoviesIntoCollectionsHelp": "I filmlistor visas filmer som ing\u00e5r i en samlingsbox som ett enda objekt.",
- "NotificationOptionPluginError": "Fel uppstod med till\u00e4gget",
- "ButtonVolumeUp": "H\u00f6j volymen",
- "ButtonVolumeDown": "S\u00e4nk volymen",
- "ButtonMute": "Tyst",
- "HeaderLatestMedia": "Nytillkommet",
- "OptionSpecialFeatures": "Extramaterial",
- "HeaderCollections": "Samlingar",
- "LabelProfileCodecsHelp": "\u00c5tskilda med kommatecken, detta kan l\u00e4mnas tomt f\u00f6r att g\u00e4lla f\u00f6r alla kodningsformat.",
- "LabelProfileContainersHelp": "\u00c5tskilda med kommatecken, detta kan l\u00e4mnas tomt f\u00f6r att g\u00e4lla f\u00f6r alla beh\u00e5llare.",
- "HeaderResponseProfile": "Svarsprofil",
- "LabelType": "Typ:",
- "LabelPersonRole": "Roll:",
- "LabelPersonRoleHelp": "Roll anv\u00e4nds i allm\u00e4nhet bara f\u00f6r sk\u00e5despelare.",
- "LabelProfileContainer": "Beh\u00e5llare:",
- "LabelProfileVideoCodecs": "Kodning av video:",
- "LabelProfileAudioCodecs": "Kodning av ljud:",
- "LabelProfileCodecs": "Videokodningar:",
- "HeaderDirectPlayProfile": "Profil f\u00f6r direktuppspelning",
- "HeaderTranscodingProfile": "Profil f\u00f6r omkodning",
- "HeaderCodecProfile": "Profil f\u00f6r videokodning",
- "HeaderCodecProfileHelp": "Avkodarprofiler best\u00e4mmer begr\u00e4nsningarna hos en enhet n\u00e4r den spelar upp olika kodningstyper. Om en begr\u00e4nsning \u00e4r aktuell kommer inneh\u00e5llet att kodas om, \u00e4ven om kodningstypen sig \u00e4r inst\u00e4lld f\u00f6r direkt avspelning.",
- "HeaderContainerProfile": "Beh\u00e5llareprofil",
- "HeaderContainerProfileHelp": "Beh\u00e5llareprofiler best\u00e4mmer begr\u00e4nsningarna hos en enhet n\u00e4r den spelar upp olika filformat. Om en begr\u00e4nsning \u00e4r aktuell kommer inneh\u00e5llet att kodas om, \u00e4ven om formatet i sig \u00e4r inst\u00e4llt f\u00f6r direkt avspelning.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Ljud",
- "OptionProfileVideoAudio": "Videoljudsp\u00e5r",
- "OptionProfilePhoto": "Foto",
- "LabelUserLibrary": "Anv\u00e4ndarbibliotek:",
- "LabelUserLibraryHelp": "V\u00e4lj vilken anv\u00e4ndares bibliotek som skall visas p\u00e5 enheten. L\u00e4mna detta tomt f\u00f6r att anv\u00e4nda standardbiblioteket.",
- "OptionPlainStorageFolders": "Visa alla mappar som vanliga lagringsmappar",
- "OptionPlainStorageFoldersHelp": "Om aktiverad representeras alla mappar i DIDL som \"object.container.storageFolder\" i st\u00e4llet f\u00f6r en mera specifik typ, t ex \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Visa alla videor som objekt utan specifikt format",
- "OptionPlainVideoItemsHelp": "Om aktiverad representeras alla videor i DIDL som \"object.item.videoItem\" i st\u00e4llet f\u00f6r en mera specifik typ, t ex \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Mediaformat som st\u00f6ds:",
- "TabIdentification": "Identifiering",
- "HeaderIdentification": "Identifiering",
- "TabDirectPlay": "Direktuppspelning",
- "TabContainers": "Beh\u00e5llare",
- "TabCodecs": "Kodningsformat",
- "TabResponses": "Svar",
- "HeaderProfileInformation": "Profilinformation",
- "LabelEmbedAlbumArtDidl": "B\u00e4dda in omslagsbilder i Didl",
- "LabelEmbedAlbumArtDidlHelp": "Vissa enheter f\u00f6redrar den h\u00e4r metoden att ta fram omslagsbilder. Andra kanske avbryter avspelningen om detta val \u00e4r aktiverat.",
- "LabelAlbumArtPN": "PN f\u00f6r omslagsbilder:",
- "LabelAlbumArtHelp": "Det PN som anv\u00e4nds f\u00f6r omslagsbilder, inom attributet dlna:profileID hos upnp:albumArtURI. Vissa klienter kr\u00e4ver ett specifikt v\u00e4rde, oavsett bildens storlek.",
- "LabelAlbumArtMaxWidth": "Maximal bredd f\u00f6r omslagsbilder:",
- "LabelAlbumArtMaxWidthHelp": "H\u00f6gsta uppl\u00f6sning hos omslagsbilder presenterade via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Skivomslagens maxh\u00f6jd:",
- "LabelAlbumArtMaxHeightHelp": "H\u00f6gsta uppl\u00f6sning hos omslagsbilder presenterade via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Maxbredd p\u00e5 ikoner:",
- "LabelIconMaxWidthHelp": "H\u00f6gsta uppl\u00f6sning p\u00e5 ikoner som visas via upnp:icon.",
- "LabelIconMaxHeight": "Maxh\u00f6jd p\u00e5 ikoner:",
- "LabelIconMaxHeightHelp": "H\u00f6gsta uppl\u00f6sning hos ikoner som visas via upnp:icon.",
- "LabelIdentificationFieldHelp": "En skiftl\u00e4gesok\u00e4nslig delstr\u00e4ng eller regex-uttryck.",
- "HeaderProfileServerSettingsHelp": "Dessa v\u00e4rden styr hur Media Browser presenterar sig f\u00f6r enheten.",
- "LabelMaxBitrate": "H\u00f6gsta bithastighet:",
- "LabelMaxBitrateHelp": "Ange en h\u00f6gsta bithastighet i bandbreddsbegr\u00e4nsade milj\u00f6er, eller i fall d\u00e4r enheten har sina egna begr\u00e4nsningar.",
- "LabelMaxStreamingBitrate": "Max bithastighet f\u00f6r str\u00f6mning:",
- "LabelMaxStreamingBitrateHelp": "Ange h\u00f6gsta bithastighet f\u00f6r str\u00f6mning.",
- "LabelMaxStaticBitrate": "Max bithastighet vid synkronisering:",
- "LabelMaxStaticBitrateHelp": "Ange h\u00f6gsta bithastighet vid synkronisering.",
- "LabelMusicStaticBitrate": "Bithastighet vid synkning av musik:",
- "LabelMusicStaticBitrateHelp": "Ange h\u00f6gsta bithastighet vid synkronisering av musik",
- "LabelMusicStreamingTranscodingBitrate": "Bithastighet vid omkodning av musik:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Ange h\u00f6gsta bithastighet vid str\u00f6mning av musik",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignorera beg\u00e4ran om \"byte range\" vid omkodning",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "Om aktiverad kommer beg\u00e4ran att uppfyllas, men \"byte range\"-rubriken ignoreras.",
- "LabelFriendlyName": "\u00d6nskat namn",
- "LabelManufacturer": "Tillverkare",
- "LabelManufacturerUrl": "Tillverkarens webaddress",
- "LabelModelName": "Modellnamn",
- "LabelModelNumber": "Modellnummer",
- "LabelModelDescription": "Modellbeskrivning",
- "LabelModelUrl": "L\u00e4nk till modellen",
- "LabelSerialNumber": "Serienummer",
- "LabelDeviceDescription": "Enhetsbeskrivning",
- "HeaderIdentificationCriteriaHelp": "Var god skriv in minst ett identifieringskriterium",
- "HeaderDirectPlayProfileHelp": "Ange direktuppspelningsprofiler f\u00f6r att indikera vilka format enheten kan spela upp utan omkodning.",
- "HeaderTranscodingProfileHelp": "Ange omkodningsprofiler f\u00f6r att indikera vilka format som ska anv\u00e4ndas d\u00e5 omkodning kr\u00e4vs.",
- "HeaderResponseProfileHelp": "Svarsprofiler \u00e4r ett s\u00e4tt att anpassa den information som s\u00e4nds till enheten d\u00e5 olika typer av media spelas upp.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Anger inneh\u00e5llet i elementet X_DLNACAP i namnutrymmet urn:schemas-dlna-org:device-1-0.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Anger inneh\u00e5llet i elementet X_DLNADOC i namnutrymmet urn:schemas-dlna-org:device-1-0.",
- "LabelSonyAggregationFlags": "\"Aggregation flags\" f\u00f6r Sony:",
- "LabelSonyAggregationFlagsHelp": "Anger inneh\u00e5llet i elementet aggregationFlags i namnutrymmet urn:schemas-sonycom:av.",
- "LabelTranscodingContainer": "Beh\u00e5llare:",
- "LabelTranscodingVideoCodec": "Videokodning:",
- "LabelTranscodingVideoProfile": "Videoprofil:",
- "LabelTranscodingAudioCodec": "Ljudkodning:",
- "OptionEnableM2tsMode": "Till\u00e5t M2ts-l\u00e4ge",
- "OptionEnableM2tsModeHelp": "Aktivera m2ts-l\u00e4ge n\u00e4r omkodning sker till mpegts.",
- "OptionEstimateContentLength": "Upskattad inneh\u00e5llsl\u00e4ngd vid omkodning",
- "OptionReportByteRangeSeekingWhenTranscoding": "Meddela att servern st\u00f6djer bytebaserad s\u00f6kning vid omkodning",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "Detta kr\u00e4vs f\u00f6r vissa enheter som inte kan utf\u00f6ra tidss\u00f6kning p\u00e5 ett tillfredsst\u00e4llande s\u00e4tt.",
- "HeaderSubtitleDownloadingHelp": "N\u00e4r Media Browser s\u00f6ker igenom dina videofiler kan den identifiera saknade undertexter och ladda ner dem fr\u00e5n en onlinetj\u00e4nst, t ex OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Ladda ner undertexter f\u00f6r:",
- "MessageNoChapterProviders": "Installera ett kapiteltill\u00e4gg s\u00e5som ChapterDb f\u00f6r att ge fler kapitelfunktioner.",
- "LabelSkipIfGraphicalSubsPresent": "Hoppa \u00f6ver om videon redan inneh\u00e5ller grafiska undertexter",
- "LabelSkipIfGraphicalSubsPresentHelp": "Om du sparar textversioner av undertexterna f\u00e5r du ett b\u00e4ttre resultat vid anv\u00e4ndning av mobila enheter.",
- "TabSubtitles": "Undertexter",
- "TabChapters": "Kapitel",
- "HeaderDownloadChaptersFor": "H\u00e4mta kapitelnamn f\u00f6r:",
- "LabelOpenSubtitlesUsername": "Inloggnings-ID hos Open Subtitles:",
- "LabelOpenSubtitlesPassword": "L\u00f6senord hos Open Subtitles:",
- "HeaderChapterDownloadingHelp": "N\u00e4r Media Browser s\u00f6ker igenom dina videofiler kan den identifiera kapitelnamn och ladda ner dem med hj\u00e4lp av kapiteltill\u00e4gg s\u00e5som ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Anv\u00e4nd det f\u00f6rvalda ljudsp\u00e5ret oavsett spr\u00e5k",
- "LabelSubtitlePlaybackMode": "Undertextl\u00e4ge:",
- "LabelDownloadLanguages": "Spr\u00e5k att ladda ner:",
- "ButtonRegister": "Registrera",
- "LabelSkipIfAudioTrackPresent": "Hoppa \u00f6ver om det f\u00f6rvalda ljudsp\u00e5rets spr\u00e5k \u00e4r samma som det nerladdade",
- "LabelSkipIfAudioTrackPresentHelp": "Bocka ur denna f\u00f6r att ge undertexter \u00e5t alla videor oavsett ljudsp\u00e5rets spr\u00e5k.",
- "HeaderSendMessage": "Skicka meddelande",
- "ButtonSend": "Skicka",
- "LabelMessageText": "Meddelandetext",
- "MessageNoAvailablePlugins": "Inga till\u00e4gg tillg\u00e4ngliga.",
- "LabelDisplayPluginsFor": "Visa till\u00e4gg f\u00f6r:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Avsnittsnamn",
- "LabelSeriesNamePlain": "Seriens namn",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "S\u00e4songsnummer",
- "LabelEpisodeNumberPlain": "Avsnittsnummer",
- "LabelEndingEpisodeNumberPlain": "Avslutande avsnittsnummer",
- "HeaderTypeText": "Ange text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "S\u00f6k efter undertexter",
- "MessageNoSubtitleSearchResultsFound": "S\u00f6kningen gav inga resultat.",
- "TabDisplay": "Visning",
- "TabLanguages": "Spr\u00e5k",
- "TabWebClient": "Webbklient",
- "LabelEnableThemeSongs": "Aktivera ledmotiv",
- "LabelEnableBackdrops": "Aktivera fondbilder",
- "LabelEnableThemeSongsHelp": "Om aktiverat spelas ledmotiv upp vid bl\u00e4ddring i biblioteket.",
- "LabelEnableBackdropsHelp": "Om aktiverat visas fondbilder i bakgrunden av vissa sidor vid bl\u00e4ddring i biblioteket.",
- "HeaderHomePage": "Hemsidan",
- "HeaderSettingsForThisDevice": "Inst\u00e4llningar f\u00f6r den h\u00e4r enheten",
- "OptionAuto": "Auto",
- "OptionYes": "Ja",
- "OptionNo": "Nej",
- "LabelHomePageSection1": "Startsidans sektion 1:",
- "LabelHomePageSection2": "Startsidans sektion 2:",
- "LabelHomePageSection3": "Startsidans sektion 3:",
- "LabelHomePageSection4": "Startsidans sektion 4:",
- "OptionMyViewsButtons": "Mina vyer (knappar)",
- "OptionMyViews": "Mina vyer",
- "OptionMyViewsSmall": "Mina vyer (liten)",
- "OptionResumablemedia": "\u00c5teruppta",
- "OptionLatestMedia": "Nytillkommet",
- "OptionLatestChannelMedia": "Senaste objekten i Kanaler",
- "HeaderLatestChannelItems": "Senaste objekten i Kanaler",
- "OptionNone": "Inga",
- "HeaderLiveTv": "Live-TV",
- "HeaderReports": "Rapporter",
- "HeaderMetadataManager": "Metadatahanteraren",
- "HeaderPreferences": "Inst\u00e4llningar",
- "MessageLoadingChannels": "H\u00e4mtar kanalinneh\u00e5ll...",
- "MessageLoadingContent": "H\u00e4mtar inneh\u00e5ll...",
- "ButtonMarkRead": "Markera som l\u00e4st",
- "OptionDefaultSort": "F\u00f6rval",
- "OptionCommunityMostWatchedSort": "Oftast visade",
- "TabNextUp": "N\u00e4stkommande",
- "MessageNoMovieSuggestionsAvailable": "Det finns inga filmf\u00f6rslag f\u00f6r tillf\u00e4llet. Efter att ha sett ett antal filmer kan du \u00e5terkomma hit f\u00f6r att se dina f\u00f6rslag.",
- "MessageNoCollectionsAvailable": "Samlingar g\u00f6r det m\u00f6jligt att skapa skr\u00e4ddarsydda grupper av filmer, serier, album, b\u00f6cker och spel. Klicka p\u00e5 \"Ny\" f\u00f6r att b\u00f6rja med samlingar.",
- "MessageNoPlaylistsAvailable": "Spellistor l\u00e5ter dig skapa listor med inneh\u00e5ll att spela upp i ordning. F\u00f6r att l\u00e4gga till objekt i spellistor, h\u00f6gerklicka eller tryck-och-h\u00e5ll och v\u00e4lj \"l\u00e4gg till i spellista\".",
- "MessageNoPlaylistItemsAvailable": "Den h\u00e4r spellistan \u00e4r tom.",
- "HeaderWelcomeToMediaBrowserWebClient": "V\u00e4lkommen till Media Browsers webbklient",
- "ButtonDismiss": "Avvisa",
- "ButtonTakeTheTour": "Ta en rundtur",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "\u00d6nskad kvalitet vid str\u00f6mning via Internet:",
- "LabelChannelStreamQualityHelp": "N\u00e4r bandbredden \u00e4r begr\u00e4nsad kan en l\u00e4gre kvalitet ge en mera st\u00f6rningsfri upplevelse.",
- "OptionBestAvailableStreamQuality": "B\u00e4sta tillg\u00e4ngliga",
- "LabelEnableChannelContentDownloadingFor": "Aktivera nedladdning av inneh\u00e5ll f\u00f6r dessa kanaler:",
- "LabelEnableChannelContentDownloadingForHelp": "Vissa kanaler till\u00e5ter nedladdning av material f\u00f6re visning. Aktivera detta d\u00e5 bandbredden \u00e4r begr\u00e4nsad f\u00f6r att h\u00e4mta material vid tider med l\u00e5g belastning. H\u00e4mtningen styrs av den schemalagda aktiviteten \"Nedladdning till kanaler\".",
- "LabelChannelDownloadPath": "Plats f\u00f6r lagring av nedladdat kanalinneh\u00e5ll:",
- "LabelChannelDownloadPathHelp": "Ange anpassad plats om s\u00e5 \u00f6nskas. L\u00e4mna tomt f\u00f6r att anv\u00e4nda en intern programdatamapp.",
- "LabelChannelDownloadAge": "Radera inneh\u00e5ll efter (dagar):",
- "LabelChannelDownloadAgeHelp": "Nedladdat inneh\u00e5ll \u00e4ldre \u00e4n s\u00e5 raderas. Det \u00e4r fortfarande tillg\u00e4ngligt via str\u00f6mning fr\u00e5n Internet.",
- "ChannelSettingsFormHelp": "Installera kanaler, t ex Trailers och Vimeo, via till\u00e4ggskatalogen.",
- "LabelSelectCollection": "V\u00e4lj samling:",
- "ButtonOptions": "Alternativ",
- "ViewTypeMovies": "Filmer",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Spel",
- "ViewTypeMusic": "Musik",
- "ViewTypeBoxSets": "Samlingar",
- "ViewTypeChannels": "Kanaler",
- "ViewTypeLiveTV": "Live-TV",
- "ViewTypeLiveTvNowPlaying": "Visas nu",
- "ViewTypeLatestGames": "Senaste spelen",
- "ViewTypeRecentlyPlayedGames": "Nyligen spelade",
- "ViewTypeGameFavorites": "Favoriter",
- "ViewTypeGameSystems": "Spelsystem",
- "ViewTypeGameGenres": "Genrer",
- "ViewTypeTvResume": "\u00c5teruppta",
- "ViewTypeTvNextUp": "N\u00e4stkommande",
- "ViewTypeTvLatest": "Nytillkommet",
- "ViewTypeTvShowSeries": "Serier",
- "ViewTypeTvGenres": "Genrer",
- "ViewTypeTvFavoriteSeries": "Favoritserier",
- "ViewTypeTvFavoriteEpisodes": "Favoritavsnitt",
- "ViewTypeMovieResume": "\u00c5teruppta",
- "ViewTypeMovieLatest": "Nytillkommet",
- "ViewTypeMovieMovies": "Filmer",
- "ViewTypeMovieCollections": "Samlingar",
- "ViewTypeMovieFavorites": "Favoriter",
- "ViewTypeMovieGenres": "Genrer",
- "ViewTypeMusicLatest": "Nytillkommet",
- "ViewTypeMusicAlbums": "Album",
- "ViewTypeMusicAlbumArtists": "Albumartister",
- "HeaderOtherDisplaySettings": "Visningsinst\u00e4llningar",
- "ViewTypeMusicSongs": "L\u00e5tar",
- "ViewTypeMusicFavorites": "Favoriter",
- "ViewTypeMusicFavoriteAlbums": "Favoritalbum",
- "ViewTypeMusicFavoriteArtists": "Favoritartister",
- "ViewTypeMusicFavoriteSongs": "Favoritl\u00e5tar",
- "HeaderMyViews": "Mina vyer",
- "LabelSelectFolderGroups": "Gruppera automatiskt inneh\u00e5ll fr\u00e5n dessa mappar i vyer, t ex Filmer, Musik eller TV:",
- "LabelSelectFolderGroupsHelp": "Ej valda mappar kommer att visas f\u00f6r sig sj\u00e4lva i en egen vy.",
- "OptionDisplayAdultContent": "Visa erotiskt inneh\u00e5ll",
- "OptionLibraryFolders": "Mediamappar",
- "TitleRemoteControl": "Fj\u00e4rrkontroll",
- "OptionLatestTvRecordings": "Senaste inspelningar",
- "LabelProtocolInfo": "Protokollinfo:",
- "LabelProtocolInfoHelp": "V\u00e4rde att anv\u00e4nda vid svar p\u00e5 GetProtocolInfo-beg\u00e4ran fr\u00e5n enheter.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser har inbyggt st\u00f6d f\u00f6r Kodi Nfo-metadata och bilder. F\u00f6r att aktivera eller avaktivera Kodi-metadata, anv\u00e4nd \"Avancerat\"-fliken f\u00f6r att g\u00f6ra inst\u00e4llningar f\u00f6r olika mediatyper.",
- "LabelKodiMetadataUser": "St\u00e4ll in anv\u00e4ndare att bevaka nfo-data f\u00f6r:",
- "LabelKodiMetadataUserHelp": "Aktivera detta f\u00f6r att synkronisera bevakade data mellan Media Browser och Kodi.",
- "LabelKodiMetadataDateFormat": "Format f\u00f6r premi\u00e4rdatum:",
- "LabelKodiMetadataDateFormatHelp": "Alla datum i nfo-filer kommer att l\u00e4sas och skrivas i detta format.",
- "LabelKodiMetadataSaveImagePaths": "Spara bilds\u00f6kv\u00e4gar i nfo-filer",
- "LabelKodiMetadataSaveImagePathsHelp": "Detta rekommenderas om du har bilder med filnamn som inte uppfyller Kodis riktlinjer.",
- "LabelKodiMetadataEnablePathSubstitution": "Aktivera s\u00f6kv\u00e4gsutbyte",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverar s\u00f6kv\u00e4gsutbyte enligt serverns inst\u00e4llningar.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "Se \"s\u00f6kv\u00e4gsutbyte\".",
- "LabelGroupChannelsIntoViews": "Visa dessa kanaler direkt i mina vyer:",
- "LabelGroupChannelsIntoViewsHelp": "Om aktiverat kommer dessa kanaler att visas tillsammans med andra vyer. Annars visas de i en separat vy f\u00f6r Kanaler.",
- "LabelDisplayCollectionsView": "Vy som visar filmsamlingar",
- "LabelKodiMetadataEnableExtraThumbs": "Kopiera extrafanart till extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "N\u00e4r bilder h\u00e4mtas fr\u00e5n Internet kan de sparas i b\u00e5de extrafanart- och extrathumbs-mapparna f\u00f6r att ge maximal kompatibilitet med Kodi-skins.",
- "TabServices": "Tj\u00e4nster",
- "TabLogs": "Loggfiler",
- "HeaderServerLogFiles": "Serverloggfiler:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Anpassa utseendet p\u00e5 Media Browser till din grupp eller f\u00f6retags \u00f6nskem\u00e5l.",
- "LabelLoginDisclaimer": "Ansvarsbegr\u00e4nsning vid inloggning:",
- "LabelLoginDisclaimerHelp": "Detta visas l\u00e4ngst ned p\u00e5 inloggningssidan.",
- "LabelAutomaticallyDonate": "Donera detta belopp automatiskt varje m\u00e5nad",
- "LabelAutomaticallyDonateHelp": "Du kan avbryta n\u00e4r som helst via ditt PayPal-konto.",
- "OptionList": "Lista",
- "TabDashboard": "Kontrollpanel",
- "TitleServer": "Server",
- "LabelCache": "Cache:",
- "LabelLogs": "Loggfiler:",
- "LabelMetadata": "Metadata",
- "LabelImagesByName": "Images by name:",
- "LabelTranscodingTemporaryFiles": "Tillf\u00e4lliga omkodningsfiler:",
- "HeaderLatestMusic": "Nytillkommen musik",
- "HeaderBranding": "Branding",
- "HeaderApiKeys": "API-nycklar",
- "HeaderApiKeysHelp": "Externa program m\u00e5ste ha en API-nyckel f\u00f6r att kommunicera med Media Browser. Nycklar skapas genom inloggning med ett Media Browser-konto eller genom att manuellt tilldela ett program en nyckel.",
- "HeaderApiKey": "API-nyckel",
- "HeaderApp": "App",
- "HeaderDevice": "Enhet",
- "HeaderUser": "Anv\u00e4ndare",
- "HeaderDateIssued": "Utgivningsdatum",
- "LabelChapterName": "Kapitel {0}",
- "HeaderNewApiKey": "Ny API-nyckel",
- "LabelAppName": "Appens namn",
- "LabelAppNameExample": "Exempel: Sickbeard, NzbDrone",
"HeaderNewApiKeyHelp": "Till\u00e5t en app att kommunicera med Media Browser",
"HeaderHttpHeaders": "Http-rubriker",
"HeaderIdentificationHeader": "ID-rubrik",
@@ -919,6 +325,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Avsluta",
"LabelVisitCommunity": "Bes\u00f6k v\u00e5rt diskussionsforum",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +659,599 @@
"HeaderAllRecordings": "Alla inspelningar",
"ButtonPlay": "Spela upp",
"ButtonEdit": "\u00c4ndra",
- "ButtonRecord": "Spela in"
+ "ButtonRecord": "Spela in",
+ "ButtonDelete": "Ta bort",
+ "ButtonRemove": "Ta bort",
+ "OptionRecordSeries": "Spela in serie",
+ "HeaderDetails": "Detaljinfo",
+ "TitleLiveTV": "Live-TV",
+ "LabelNumberOfGuideDays": "Antal dagars tabl\u00e5 att h\u00e4mta",
+ "LabelNumberOfGuideDaysHelp": "H\u00e4mtning av en l\u00e4ngre periods tabl\u00e5 ger m\u00f6jlighet att boka inspelningar och se program l\u00e4ngre fram i tiden, men ger l\u00e4ngre nedladdningstid. \"Auto\" v\u00e4ljer baserat p\u00e5 antalet kanaler.",
+ "LabelActiveService": "Aktuell tj\u00e4nst:",
+ "LabelActiveServiceHelp": "Flera TV-till\u00e4gg kan vara installerade men bara en \u00e5t g\u00e5ngen kan vara aktiv.",
+ "OptionAutomatic": "Auto",
+ "LiveTvPluginRequired": "Du m\u00e5ste ha ett till\u00e4gg f\u00f6r live-TV installerad f\u00f6r att kunna forts\u00e4tta.",
+ "LiveTvPluginRequiredHelp": "Installera ett av v\u00e5ra till\u00e4gg, t ex Next PVR eller ServerWMC.",
+ "LabelCustomizeOptionsPerMediaType": "Anpassa f\u00f6r typ av media:",
+ "OptionDownloadThumbImage": "Miniatyr",
+ "OptionDownloadMenuImage": "Meny",
+ "OptionDownloadLogoImage": "Logotyp",
+ "OptionDownloadBoxImage": "Konvolut",
+ "OptionDownloadDiscImage": "Skiva",
+ "OptionDownloadBannerImage": "Banderoll",
+ "OptionDownloadBackImage": "Baksida",
+ "OptionDownloadArtImage": "Grafik",
+ "OptionDownloadPrimaryImage": "Huvudbild",
+ "HeaderFetchImages": "H\u00e4mta bilder:",
+ "HeaderImageSettings": "Bildinst\u00e4llningar",
+ "TabOther": "\u00d6vrigt",
+ "LabelMaxBackdropsPerItem": "H\u00f6gsta antal fondbilder per objekt:",
+ "LabelMaxScreenshotsPerItem": "H\u00f6gsta antal sk\u00e4rmdumpar per objekt:",
+ "LabelMinBackdropDownloadWidth": "H\u00e4mta enbart fondbilder bredare \u00e4n:",
+ "LabelMinScreenshotDownloadWidth": "H\u00e4mta enbart sk\u00e4rmdumpar bredare \u00e4n:",
+ "ButtonAddScheduledTaskTrigger": "L\u00e4gg till utl\u00f6sare f\u00f6r aktivitet",
+ "HeaderAddScheduledTaskTrigger": "L\u00e4gg till utl\u00f6sare f\u00f6r aktivitet",
+ "ButtonAdd": "L\u00e4gg till",
+ "LabelTriggerType": "Typ av utl\u00f6sare:",
+ "OptionDaily": "Dagligen",
+ "OptionWeekly": "Varje vecka",
+ "OptionOnInterval": "Med visst intervall",
+ "OptionOnAppStartup": "N\u00e4r servern startar",
+ "OptionAfterSystemEvent": "Efter en systemh\u00e4ndelse",
+ "LabelDay": "Dag:",
+ "LabelTime": "Tid:",
+ "LabelEvent": "H\u00e4ndelse:",
+ "OptionWakeFromSleep": "Vakna ur energisparl\u00e4ge",
+ "LabelEveryXMinutes": "Varje:",
+ "HeaderTvTuners": "TV-mottagare",
+ "HeaderGallery": "Galleri",
+ "HeaderLatestGames": "Senaste spelen",
+ "HeaderRecentlyPlayedGames": "Nyligen spelade spel",
+ "TabGameSystems": "Spelkonsoler",
+ "TitleMediaLibrary": "Mediabibliotek",
+ "TabFolders": "Mappar",
+ "TabPathSubstitution": "S\u00f6kv\u00e4gsutbyte",
+ "LabelSeasonZeroDisplayName": "Visning av S\u00e4song 0",
+ "LabelEnableRealtimeMonitor": "Aktivera bevakning av mappar i realtid",
+ "LabelEnableRealtimeMonitorHelp": "F\u00f6r\u00e4ndringar uppt\u00e4cks omedelbart (i filsystem som st\u00f6djer detta)",
+ "ButtonScanLibrary": "Uppdatera biblioteket",
+ "HeaderNumberOfPlayers": "Spelare:",
+ "OptionAnyNumberOfPlayers": "Vilken som helst",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Mediamappar",
+ "HeaderThemeVideos": "Temavideor",
+ "HeaderThemeSongs": "Ledmotiv",
+ "HeaderScenes": "Kapitel",
+ "HeaderAwardsAndReviews": "Priser och recensioner",
+ "HeaderSoundtracks": "Filmmusik",
+ "HeaderMusicVideos": "Musikvideor",
+ "HeaderSpecialFeatures": "Extramaterial",
+ "HeaderCastCrew": "Rollista & bes\u00e4ttning",
+ "HeaderAdditionalParts": "Ytterligare delar",
+ "ButtonSplitVersionsApart": "Hantera olika versioner separat",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Saknas",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "S\u00f6kv\u00e4gsutbyte betyder att en plats p\u00e5 servern kopplas till en lokal fils\u00f6kv\u00e4g p\u00e5 en klient. P\u00e5 s\u00e5 s\u00e4tt f\u00e5r klienten direkt tillg\u00e5ng till material p\u00e5 servern och kan spela upp det direkt via n\u00e4tverket utan att f\u00f6rbruka serverresurser f\u00f6r str\u00f6mning och omkodning.",
+ "HeaderFrom": "Fr\u00e5n",
+ "HeaderTo": "Till",
+ "LabelFrom": "Fr\u00e5n:",
+ "LabelFromHelp": "Exempel: D:\\Filmer (p\u00e5 servern)",
+ "LabelTo": "Till:",
+ "LabelToHelp": "Exempel: \\\\server\\Filmer (tillg\u00e4nglig f\u00f6r klienter)",
+ "ButtonAddPathSubstitution": "L\u00e4gg till utbytess\u00f6kv\u00e4g",
+ "OptionSpecialEpisode": "Specialavsnitt",
+ "OptionMissingEpisode": "Saknade avsnitt",
+ "OptionUnairedEpisode": "Ej s\u00e4nda avsnitt",
+ "OptionEpisodeSortName": "Sorteringstitel f\u00f6r avsnitt",
+ "OptionSeriesSortName": "Serietitel",
+ "OptionTvdbRating": "TVDB-betyg",
+ "HeaderTranscodingQualityPreference": "\u00d6nskad kvalitet f\u00f6r omkodning:",
+ "OptionAutomaticTranscodingHelp": "Servern avg\u00f6r kvalitet och hastighet",
+ "OptionHighSpeedTranscodingHelp": "L\u00e4gre kvalitet men snabbare omkodning",
+ "OptionHighQualityTranscodingHelp": "H\u00f6gre kvalitet men l\u00e5ngsammare omkodning",
+ "OptionMaxQualityTranscodingHelp": "H\u00f6gsta kvalitet, l\u00e5ngsammare omkodning och h\u00f6g CPU-belastning",
+ "OptionHighSpeedTranscoding": "H\u00f6gre hastighet",
+ "OptionHighQualityTranscoding": "H\u00f6gre kvalitet",
+ "OptionMaxQualityTranscoding": "H\u00f6gsta kvalitet",
+ "OptionEnableDebugTranscodingLogging": "Aktivera loggning av fel fr\u00e5n omkodning",
+ "OptionEnableDebugTranscodingLoggingHelp": "Detta resulterar i mycket stora loggfiler och rekommenderas bara vid fels\u00f6kning.",
+ "OptionUpscaling": "Till\u00e5t klienter att beg\u00e4ra uppskalad video",
+ "OptionUpscalingHelp": "Kan i vissa fall ge h\u00f6gre videokvalitet, men kr\u00e4ver mer CPU-kapacitet.",
+ "EditCollectionItemsHelp": "L\u00e4gg till eller ta bort filmer, tv-serier, album, b\u00f6cker eller spel du vill gruppera inom den h\u00e4r samlingen.",
+ "HeaderAddTitles": "L\u00e4gg till titlar",
+ "LabelEnableDlnaPlayTo": "Anv\u00e4nd DLNA spela-upp-p\u00e5",
+ "LabelEnableDlnaPlayToHelp": "Media Browser kan hitta enheter inom ditt n\u00e4tverk och erbjuda m\u00f6jligheten att styra dem.",
+ "LabelEnableDlnaDebugLogging": "Aktivera DLNA fels\u00f6kningsloggning",
+ "LabelEnableDlnaDebugLoggingHelp": "Detta resulterar i mycket stora loggfiler och rekommenderas bara vid fels\u00f6kning.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Intervall f\u00f6r uppt\u00e4ckt av klienter (i sekunder)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Best\u00e4mmer intervallet i sekunder mellan SSDP-s\u00f6kningar som utf\u00f6rs av Media Browser.",
+ "HeaderCustomDlnaProfiles": "Anpassade profiler",
+ "HeaderSystemDlnaProfiles": "Systemprofiler",
+ "CustomDlnaProfilesHelp": "Skapa en anpassad profil f\u00f6r ny enhet eller f\u00f6r att \u00f6verlappa en systemprofil.",
+ "SystemDlnaProfilesHelp": "Systemprofiler \u00e4r skrivskyddade. \u00c4ndringar av en systemprofil resulterar att en ny anpassad profil skapas.",
+ "TitleDashboard": "\u00d6versikt",
+ "TabHome": "Hem",
+ "TabInfo": "Info",
+ "HeaderLinks": "L\u00e4nkar",
+ "HeaderSystemPaths": "Systems\u00f6kv\u00e4gar",
+ "LinkCommunity": "Anv\u00e4ndargrupper",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "API-dokumentation",
+ "LabelFriendlyServerName": "Ditt \u00f6nskade servernamn:",
+ "LabelFriendlyServerNameHelp": "Det h\u00e4r namnet anv\u00e4nds f\u00f6r att identifiera servern, om det l\u00e4mnas tomt kommer datorns namn att anv\u00e4ndas.",
+ "LabelPreferredDisplayLanguage": "\u00d6nskat visningsspr\u00e5k",
+ "LabelPreferredDisplayLanguageHelp": "\u00d6vers\u00e4ttningen av Media Browser \u00e4r ett p\u00e5g\u00e5ende projekt och \u00e4nnu ej f\u00e4rdigst\u00e4llt.",
+ "LabelReadHowYouCanContribute": "L\u00e4s om hur du kan bidra.",
+ "HeaderNewCollection": "Ny samling",
+ "HeaderAddToCollection": "L\u00e4gg till samling",
+ "ButtonSubmit": "Bekr\u00e4fta",
+ "NewCollectionNameExample": "Exemple: Star Wars-samling",
+ "OptionSearchForInternetMetadata": "S\u00f6k p\u00e5 internet efter grafik och metadata",
+ "ButtonCreate": "Skapa",
+ "LabelLocalHttpServerPortNumber": "Lokalt portnummer:",
+ "LabelLocalHttpServerPortNumberHelp": "TCP-portnumret som Media Browsers http-server skall knytas till.",
+ "LabelPublicPort": "Publikt portnummer:",
+ "LabelPublicPortHelp": "Publikt portnummer som den lokala porten skall knytas till.",
+ "LabelWebSocketPortNumber": "Webanslutningens portnummer:",
+ "LabelEnableAutomaticPortMap": "Aktivera automatisk koppling av portar",
+ "LabelEnableAutomaticPortMapHelp": "Automatisk l\u00e4nkning av publik och lokal port via UPnP. Detta kanske inte fungerar med alla routrar.",
+ "LabelExternalDDNS": "Extern DDNS:",
+ "LabelExternalDDNSHelp": "Om du har en dynamisk DNS skriv in den h\u00e4r. Media Browser-appar kommer att anv\u00e4nda den n\u00e4r de fj\u00e4rransluts.",
+ "TabResume": "\u00c5teruppta",
+ "TabWeather": "V\u00e4der",
+ "TitleAppSettings": "Programinst\u00e4llningar",
+ "LabelMinResumePercentage": "L\u00e4gsta gr\u00e4ns f\u00f6r \u00e5terupptagande (%)",
+ "LabelMaxResumePercentage": "H\u00f6gsta gr\u00e4ns f\u00f6r \u00e5terupptagande (%)",
+ "LabelMinResumeDuration": "Minsta tid f\u00f6r \u00e5terupptagande (s)",
+ "LabelMinResumePercentageHelp": "Objekt betraktas som ej spelade om uppspelningen stoppas f\u00f6re denna tidpunkt",
+ "LabelMaxResumePercentageHelp": "Objekt betraktas som f\u00e4rdigspelade om uppspelningen stoppas efter denna tidpunkt",
+ "LabelMinResumeDurationHelp": "Objekt med speltid kortare \u00e4n s\u00e5 h\u00e4r kan ej \u00e5terupptas",
+ "TitleAutoOrganize": "Katalogisera automatiskt",
+ "TabActivityLog": "Aktivitetslogg",
+ "HeaderName": "Namn",
+ "HeaderDate": "Datum",
+ "HeaderSource": "K\u00e4lla",
+ "HeaderDestination": "M\u00e5l",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Klienter",
+ "LabelCompleted": "Klar",
+ "LabelFailed": "Misslyckades",
+ "LabelSkipped": "Hoppades \u00f6ver",
+ "HeaderEpisodeOrganization": "Katalogisering av avsnitt",
+ "LabelSeries": "Serie:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Kr\u00e4vs endast f\u00f6r filer som inneh\u00e5ller flera avsnitt",
+ "HeaderSupportTheTeam": "St\u00f6d utvecklingen av Media Browser",
+ "LabelSupportAmount": "Belopp (USD)",
+ "HeaderSupportTheTeamHelp": "Bidra till fortsatt utveckling av projektet genom att donera. En del av alla donationer kommer att ges till andra kostnadsfria verktyg som vi \u00e4r beroende av.",
+ "ButtonEnterSupporterKey": "Ange din donationskod",
+ "DonationNextStep": "N\u00e4r du \u00e4r klar, g\u00e5 tillbaka och ange din donationskod, som du kommer att f\u00e5 via e-post.",
+ "AutoOrganizeHelp": "Automatisk katalogisering bevakar angivna mappar och flyttar nytillkomna objekt till dina mediamappar.",
+ "AutoOrganizeTvHelp": "Katalogiseringen av TV-avsnitt flyttar bara nya avsnitt av befintliga serier. Den skapar inte mappar f\u00f6r nya serier.",
+ "OptionEnableEpisodeOrganization": "Aktivera katalogisering av nya avsnitt",
+ "LabelWatchFolder": "Bevakad mapp:",
+ "LabelWatchFolderHelp": "Servern s\u00f6ker igenom den h\u00e4r mappen d\u00e5 den schemalagda katalogiseringen k\u00f6rs.",
+ "ButtonViewScheduledTasks": "Visa schemalagda aktiviteter",
+ "LabelMinFileSizeForOrganize": "Minsta filstorlek (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Filer mindre \u00e4n denna storlek kommer inte att behandlas.",
+ "LabelSeasonFolderPattern": "Namnm\u00f6nster f\u00f6r s\u00e4songmappar:",
+ "LabelSeasonZeroFolderName": "Namn p\u00e5 mapp f\u00f6r s\u00e4song 0",
+ "HeaderEpisodeFilePattern": "Filnamnsm\u00f6nster f\u00f6r avsnitt",
+ "LabelEpisodePattern": "Namnm\u00f6nster f\u00f6r avsnitt:",
+ "LabelMultiEpisodePattern": "Namnm\u00f6nster f\u00f6r multiavsnitt:",
+ "HeaderSupportedPatterns": "M\u00f6nster som st\u00f6ds",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "M\u00f6nster",
+ "HeaderResult": "Resultat",
+ "LabelDeleteEmptyFolders": "Ta bort tomma mappar efter katalogisering",
+ "LabelDeleteEmptyFoldersHelp": "Aktivera detta f\u00f6r att h\u00e5lla rent i bevakade mappar.",
+ "LabelDeleteLeftOverFiles": "Ta bort \u00f6verblivna filer med f\u00f6ljande till\u00e4gg:",
+ "LabelDeleteLeftOverFilesHelp": "\u00c5tskilj med;. Till exempel: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Skriv \u00f6ver existerande avsnitt",
+ "LabelTransferMethod": "Metod f\u00f6r \u00f6verf\u00f6ring",
+ "OptionCopy": "Kopiera",
+ "OptionMove": "Flytta",
+ "LabelTransferMethodHelp": "Kopiera eller flytta filer fr\u00e5n bevakade mappar",
+ "HeaderLatestNews": "Senaste nytt",
+ "HeaderHelpImproveMediaBrowser": "Hj\u00e4lp till att f\u00f6rb\u00e4ttra Media Browser",
+ "HeaderRunningTasks": "P\u00e5g\u00e5ende aktiviteter",
+ "HeaderActiveDevices": "Aktiva enheter",
+ "HeaderPendingInstallations": "V\u00e4ntande installationer",
+ "HeaerServerInformation": "Serverinformation",
+ "ButtonRestartNow": "Starta om nu",
+ "ButtonRestart": "Starta om",
+ "ButtonShutdown": "St\u00e4ng av",
+ "ButtonUpdateNow": "Uppdatera nu",
+ "PleaseUpdateManually": "Var god st\u00e4ng av servern och uppdatera manuellt.",
+ "NewServerVersionAvailable": "En ny version av Media Browser Server finns tillg\u00e4nglig!",
+ "ServerUpToDate": "Media Browser Server \u00e4r uppdaterad till den senaste versionen",
+ "ErrorConnectingToMediaBrowserRepository": "Ett fel uppstod vid anslutning till Media Browser-databasen.",
+ "LabelComponentsUpdated": "F\u00f6ljande komponenter har installerats eller uppdaterats:",
+ "MessagePleaseRestartServerToFinishUpdating": "V\u00e4nligen starta om servern f\u00f6r att slutf\u00f6ra uppdateringarna.",
+ "LabelDownMixAudioScale": "H\u00f6j niv\u00e5n vid nedmixning av ljud",
+ "LabelDownMixAudioScaleHelp": "H\u00f6j niv\u00e5n vid nedmixning. S\u00e4tt v\u00e4rdet till 1 f\u00f6r att beh\u00e5lla den ursprungliga niv\u00e5n.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Tidigare donationskod",
+ "LabelNewSupporterKey": "Ny donationskod",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Nuvarande e-postadress",
+ "LabelCurrentEmailAddressHelp": "Den e-postadress den nya koden skickades till.",
+ "HeaderForgotKey": "Gl\u00f6mt koden",
+ "LabelEmailAddress": "E-postadress",
+ "LabelSupporterEmailAddress": "Den e-postadress du angav vid k\u00f6pet av den nya koden.",
+ "ButtonRetrieveKey": "H\u00e4mta donationskod",
+ "LabelSupporterKey": "Donationskod (klistra in fr\u00e5n e-postmeddelandet)",
+ "LabelSupporterKeyHelp": "Ange din donationskod s\u00e5 att du kan b\u00f6rja anv\u00e4nda de extrafunktioner som har utvecklats inom Media Browsers anv\u00e4ndargrupper.",
+ "MessageInvalidKey": "Supporterkod ogiltig eller saknas.",
+ "ErrorMessageInvalidKey": "F\u00f6r att registrera premiuminneh\u00e5ll m\u00e5ste du vara Media Browser-supporter. Bidra g\u00e4rna till fortsatt utveckling av projektet genom att donera. Tack p\u00e5 f\u00f6rhand.",
+ "HeaderDisplaySettings": "Bildsk\u00e4rmsinst\u00e4llningar",
+ "TabPlayTo": "Spela upp p\u00e5",
+ "LabelEnableDlnaServer": "Aktivera DLNA-server",
+ "LabelEnableDlnaServerHelp": "L\u00e5ter UPnP-enheter p\u00e5 n\u00e4tverket bl\u00e4ddra bland och spela upp Media Browser-inneh\u00e5ll.",
+ "LabelEnableBlastAliveMessages": "Skicka ut \"jag lever\"-meddelanden",
+ "LabelEnableBlastAliveMessagesHelp": "Aktivera detta om andra UPnP-enheter p\u00e5 n\u00e4tverket har problem att uppt\u00e4cka servern.",
+ "LabelBlastMessageInterval": "S\u00e4ndningsintervall i sekunder f\u00f6r \"jag lever\"-meddelanden",
+ "LabelBlastMessageIntervalHelp": "Anger tid i sekunder mellan varje \"jag lever\"-meddelande.",
+ "LabelDefaultUser": "F\u00f6rvald anv\u00e4ndare:",
+ "LabelDefaultUserHelp": "Anger vilket anv\u00e4ndarbibliotek som skall visas p\u00e5 anslutna enheter. Denna inst\u00e4llning kan \u00e4ndras p\u00e5 enhetsbasis med hj\u00e4lp av en enhetsprofiler.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Kanaler",
+ "HeaderServerSettings": "Serverinst\u00e4llningar",
+ "LabelWeatherDisplayLocation": "Geografisk plats f\u00f6r v\u00e4derdata:",
+ "LabelWeatherDisplayLocationHelp": "U.S. zip code \/ Stad, stat, land \/ Stad, land",
+ "LabelWeatherDisplayUnit": "Enhet f\u00f6r v\u00e4derdata:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Kr\u00e4v att anv\u00e4ndarnamn anges manuellt f\u00f6r:",
+ "HeaderRequireManualLoginHelp": "Om avaktiverat kan klienterna visa en inloggningsbild f\u00f6r visuellt val av anv\u00e4ndare.",
+ "OptionOtherApps": "Andra appar",
+ "OptionMobileApps": "Mobilappar",
+ "HeaderNotificationList": "Klicka p\u00e5 en meddelandetyp f\u00f6r att ange inst\u00e4llningar.",
+ "NotificationOptionApplicationUpdateAvailable": "Ny programversion tillg\u00e4nglig",
+ "NotificationOptionApplicationUpdateInstalled": "Programuppdatering installerad",
+ "NotificationOptionPluginUpdateInstalled": "Till\u00e4gg har uppdaterats",
+ "NotificationOptionPluginInstalled": "Till\u00e4gg har installerats",
+ "NotificationOptionPluginUninstalled": "Till\u00e4gg har avinstallerats",
+ "NotificationOptionVideoPlayback": "Videouppspelning har p\u00e5b\u00f6rjats",
+ "NotificationOptionAudioPlayback": "Ljuduppspelning har p\u00e5b\u00f6rjats",
+ "NotificationOptionGamePlayback": "Spel har startats",
+ "NotificationOptionVideoPlaybackStopped": "Videouppspelning stoppad",
+ "NotificationOptionAudioPlaybackStopped": "Ljuduppspelning stoppad",
+ "NotificationOptionGamePlaybackStopped": "Spel stoppat",
+ "NotificationOptionTaskFailed": "Schemalagd aktivitet har misslyckats",
+ "NotificationOptionInstallationFailed": "Fel vid installation",
+ "NotificationOptionNewLibraryContent": "Nytt inneh\u00e5ll har tillkommit",
+ "NotificationOptionNewLibraryContentMultiple": "Nytillkommet inneh\u00e5ll finns (flera objekt)",
+ "SendNotificationHelp": "Meddelanden visas f\u00f6rvalt i kontrollpanelens inkorg. S\u00f6k efter fler meddelandetill\u00e4gg i till\u00e4ggskatalogen.",
+ "NotificationOptionServerRestartRequired": "Servern m\u00e5ste startas om",
+ "LabelNotificationEnabled": "Aktivera denna meddelandetyp",
+ "LabelMonitorUsers": "\u00d6vervaka aktivitet fr\u00e5n:",
+ "LabelSendNotificationToUsers": "Skicka meddelande till:",
+ "LabelUseNotificationServices": "Anv\u00e4nd f\u00f6ljande tj\u00e4nster:",
+ "CategoryUser": "Anv\u00e4ndare",
+ "CategorySystem": "System",
+ "CategoryApplication": "App",
+ "CategoryPlugin": "Till\u00e4gg",
+ "LabelMessageTitle": "Meddelandetitel",
+ "LabelAvailableTokens": "Tillg\u00e4ngliga mark\u00f6rer:",
+ "AdditionalNotificationServices": "S\u00f6k efter fler meddelandetill\u00e4gg i till\u00e4ggskatalogen.",
+ "OptionAllUsers": "Alla anv\u00e4ndare",
+ "OptionAdminUsers": "Administrat\u00f6rer",
+ "OptionCustomUsers": "Anpassad",
+ "ButtonArrowUp": "Upp",
+ "ButtonArrowDown": "Ned",
+ "ButtonArrowLeft": "V\u00e4nster",
+ "ButtonArrowRight": "H\u00f6ger",
+ "ButtonBack": "F\u00f6reg\u00e5ende",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "OSD",
+ "ButtonPageUp": "Sida upp",
+ "ButtonPageDown": "Sida ned",
+ "PageAbbreviation": "Sid",
+ "ButtonHome": "Hem",
+ "ButtonSearch": "S\u00f6k",
+ "ButtonSettings": "Inst\u00e4llningar",
+ "ButtonTakeScreenshot": "Ta sk\u00e4rmbild",
+ "ButtonLetterUp": "Bokstav upp",
+ "ButtonLetterDown": "Bokstav ned",
+ "PageButtonAbbreviation": "Sid",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Nu spelas",
+ "TabNavigation": "Navigering",
+ "TabControls": "Kontroller",
+ "ButtonFullscreen": "V\u00e4xla fullsk\u00e4rmsl\u00e4ge",
+ "ButtonScenes": "Scener",
+ "ButtonSubtitles": "Undertexter",
+ "ButtonAudioTracks": "Ljudsp\u00e5r",
+ "ButtonPreviousTrack": "F\u00f6reg\u00e5ende sp\u00e5r:",
+ "ButtonNextTrack": "N\u00e4sta sp\u00e5r:",
+ "ButtonStop": "Stopp",
+ "ButtonPause": "Paus",
+ "ButtonNext": "N\u00e4sta",
+ "ButtonPrevious": "F\u00f6reg\u00e5ende",
+ "LabelGroupMoviesIntoCollections": "Gruppera filmer i samlingsboxar",
+ "LabelGroupMoviesIntoCollectionsHelp": "I filmlistor visas filmer som ing\u00e5r i en samlingsbox som ett enda objekt.",
+ "NotificationOptionPluginError": "Fel uppstod med till\u00e4gget",
+ "ButtonVolumeUp": "H\u00f6j volymen",
+ "ButtonVolumeDown": "S\u00e4nk volymen",
+ "ButtonMute": "Tyst",
+ "HeaderLatestMedia": "Nytillkommet",
+ "OptionSpecialFeatures": "Extramaterial",
+ "HeaderCollections": "Samlingar",
+ "LabelProfileCodecsHelp": "\u00c5tskilda med kommatecken, detta kan l\u00e4mnas tomt f\u00f6r att g\u00e4lla f\u00f6r alla kodningsformat.",
+ "LabelProfileContainersHelp": "\u00c5tskilda med kommatecken, detta kan l\u00e4mnas tomt f\u00f6r att g\u00e4lla f\u00f6r alla beh\u00e5llare.",
+ "HeaderResponseProfile": "Svarsprofil",
+ "LabelType": "Typ:",
+ "LabelPersonRole": "Roll:",
+ "LabelPersonRoleHelp": "Roll anv\u00e4nds i allm\u00e4nhet bara f\u00f6r sk\u00e5despelare.",
+ "LabelProfileContainer": "Beh\u00e5llare:",
+ "LabelProfileVideoCodecs": "Kodning av video:",
+ "LabelProfileAudioCodecs": "Kodning av ljud:",
+ "LabelProfileCodecs": "Videokodningar:",
+ "HeaderDirectPlayProfile": "Profil f\u00f6r direktuppspelning",
+ "HeaderTranscodingProfile": "Profil f\u00f6r omkodning",
+ "HeaderCodecProfile": "Profil f\u00f6r videokodning",
+ "HeaderCodecProfileHelp": "Avkodarprofiler best\u00e4mmer begr\u00e4nsningarna hos en enhet n\u00e4r den spelar upp olika kodningstyper. Om en begr\u00e4nsning \u00e4r aktuell kommer inneh\u00e5llet att kodas om, \u00e4ven om kodningstypen sig \u00e4r inst\u00e4lld f\u00f6r direkt avspelning.",
+ "HeaderContainerProfile": "Beh\u00e5llareprofil",
+ "HeaderContainerProfileHelp": "Beh\u00e5llareprofiler best\u00e4mmer begr\u00e4nsningarna hos en enhet n\u00e4r den spelar upp olika filformat. Om en begr\u00e4nsning \u00e4r aktuell kommer inneh\u00e5llet att kodas om, \u00e4ven om formatet i sig \u00e4r inst\u00e4llt f\u00f6r direkt avspelning.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Ljud",
+ "OptionProfileVideoAudio": "Videoljudsp\u00e5r",
+ "OptionProfilePhoto": "Foto",
+ "LabelUserLibrary": "Anv\u00e4ndarbibliotek:",
+ "LabelUserLibraryHelp": "V\u00e4lj vilken anv\u00e4ndares bibliotek som skall visas p\u00e5 enheten. L\u00e4mna detta tomt f\u00f6r att anv\u00e4nda standardbiblioteket.",
+ "OptionPlainStorageFolders": "Visa alla mappar som vanliga lagringsmappar",
+ "OptionPlainStorageFoldersHelp": "Om aktiverad representeras alla mappar i DIDL som \"object.container.storageFolder\" i st\u00e4llet f\u00f6r en mera specifik typ, t ex \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Visa alla videor som objekt utan specifikt format",
+ "OptionPlainVideoItemsHelp": "Om aktiverad representeras alla videor i DIDL som \"object.item.videoItem\" i st\u00e4llet f\u00f6r en mera specifik typ, t ex \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Mediaformat som st\u00f6ds:",
+ "TabIdentification": "Identifiering",
+ "HeaderIdentification": "Identifiering",
+ "TabDirectPlay": "Direktuppspelning",
+ "TabContainers": "Beh\u00e5llare",
+ "TabCodecs": "Kodningsformat",
+ "TabResponses": "Svar",
+ "HeaderProfileInformation": "Profilinformation",
+ "LabelEmbedAlbumArtDidl": "B\u00e4dda in omslagsbilder i Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Vissa enheter f\u00f6redrar den h\u00e4r metoden att ta fram omslagsbilder. Andra kanske avbryter avspelningen om detta val \u00e4r aktiverat.",
+ "LabelAlbumArtPN": "PN f\u00f6r omslagsbilder:",
+ "LabelAlbumArtHelp": "Det PN som anv\u00e4nds f\u00f6r omslagsbilder, inom attributet dlna:profileID hos upnp:albumArtURI. Vissa klienter kr\u00e4ver ett specifikt v\u00e4rde, oavsett bildens storlek.",
+ "LabelAlbumArtMaxWidth": "Maximal bredd f\u00f6r omslagsbilder:",
+ "LabelAlbumArtMaxWidthHelp": "H\u00f6gsta uppl\u00f6sning hos omslagsbilder presenterade via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Skivomslagens maxh\u00f6jd:",
+ "LabelAlbumArtMaxHeightHelp": "H\u00f6gsta uppl\u00f6sning hos omslagsbilder presenterade via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Maxbredd p\u00e5 ikoner:",
+ "LabelIconMaxWidthHelp": "H\u00f6gsta uppl\u00f6sning p\u00e5 ikoner som visas via upnp:icon.",
+ "LabelIconMaxHeight": "Maxh\u00f6jd p\u00e5 ikoner:",
+ "LabelIconMaxHeightHelp": "H\u00f6gsta uppl\u00f6sning hos ikoner som visas via upnp:icon.",
+ "LabelIdentificationFieldHelp": "En skiftl\u00e4gesok\u00e4nslig delstr\u00e4ng eller regex-uttryck.",
+ "HeaderProfileServerSettingsHelp": "Dessa v\u00e4rden styr hur Media Browser presenterar sig f\u00f6r enheten.",
+ "LabelMaxBitrate": "H\u00f6gsta bithastighet:",
+ "LabelMaxBitrateHelp": "Ange en h\u00f6gsta bithastighet i bandbreddsbegr\u00e4nsade milj\u00f6er, eller i fall d\u00e4r enheten har sina egna begr\u00e4nsningar.",
+ "LabelMaxStreamingBitrate": "Max bithastighet f\u00f6r str\u00f6mning:",
+ "LabelMaxStreamingBitrateHelp": "Ange h\u00f6gsta bithastighet f\u00f6r str\u00f6mning.",
+ "LabelMaxStaticBitrate": "Max bithastighet vid synkronisering:",
+ "LabelMaxStaticBitrateHelp": "Ange h\u00f6gsta bithastighet vid synkronisering.",
+ "LabelMusicStaticBitrate": "Bithastighet vid synkning av musik:",
+ "LabelMusicStaticBitrateHelp": "Ange h\u00f6gsta bithastighet vid synkronisering av musik",
+ "LabelMusicStreamingTranscodingBitrate": "Bithastighet vid omkodning av musik:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Ange h\u00f6gsta bithastighet vid str\u00f6mning av musik",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignorera beg\u00e4ran om \"byte range\" vid omkodning",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "Om aktiverad kommer beg\u00e4ran att uppfyllas, men \"byte range\"-rubriken ignoreras.",
+ "LabelFriendlyName": "\u00d6nskat namn",
+ "LabelManufacturer": "Tillverkare",
+ "LabelManufacturerUrl": "Tillverkarens webaddress",
+ "LabelModelName": "Modellnamn",
+ "LabelModelNumber": "Modellnummer",
+ "LabelModelDescription": "Modellbeskrivning",
+ "LabelModelUrl": "L\u00e4nk till modellen",
+ "LabelSerialNumber": "Serienummer",
+ "LabelDeviceDescription": "Enhetsbeskrivning",
+ "HeaderIdentificationCriteriaHelp": "Var god skriv in minst ett identifieringskriterium",
+ "HeaderDirectPlayProfileHelp": "Ange direktuppspelningsprofiler f\u00f6r att indikera vilka format enheten kan spela upp utan omkodning.",
+ "HeaderTranscodingProfileHelp": "Ange omkodningsprofiler f\u00f6r att indikera vilka format som ska anv\u00e4ndas d\u00e5 omkodning kr\u00e4vs.",
+ "HeaderResponseProfileHelp": "Svarsprofiler \u00e4r ett s\u00e4tt att anpassa den information som s\u00e4nds till enheten d\u00e5 olika typer av media spelas upp.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Anger inneh\u00e5llet i elementet X_DLNACAP i namnutrymmet urn:schemas-dlna-org:device-1-0.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Anger inneh\u00e5llet i elementet X_DLNADOC i namnutrymmet urn:schemas-dlna-org:device-1-0.",
+ "LabelSonyAggregationFlags": "\"Aggregation flags\" f\u00f6r Sony:",
+ "LabelSonyAggregationFlagsHelp": "Anger inneh\u00e5llet i elementet aggregationFlags i namnutrymmet urn:schemas-sonycom:av.",
+ "LabelTranscodingContainer": "Beh\u00e5llare:",
+ "LabelTranscodingVideoCodec": "Videokodning:",
+ "LabelTranscodingVideoProfile": "Videoprofil:",
+ "LabelTranscodingAudioCodec": "Ljudkodning:",
+ "OptionEnableM2tsMode": "Till\u00e5t M2ts-l\u00e4ge",
+ "OptionEnableM2tsModeHelp": "Aktivera m2ts-l\u00e4ge n\u00e4r omkodning sker till mpegts.",
+ "OptionEstimateContentLength": "Upskattad inneh\u00e5llsl\u00e4ngd vid omkodning",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Meddela att servern st\u00f6djer bytebaserad s\u00f6kning vid omkodning",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "Detta kr\u00e4vs f\u00f6r vissa enheter som inte kan utf\u00f6ra tidss\u00f6kning p\u00e5 ett tillfredsst\u00e4llande s\u00e4tt.",
+ "HeaderSubtitleDownloadingHelp": "N\u00e4r Media Browser s\u00f6ker igenom dina videofiler kan den identifiera saknade undertexter och ladda ner dem fr\u00e5n en onlinetj\u00e4nst, t ex OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Ladda ner undertexter f\u00f6r:",
+ "MessageNoChapterProviders": "Installera ett kapiteltill\u00e4gg s\u00e5som ChapterDb f\u00f6r att ge fler kapitelfunktioner.",
+ "LabelSkipIfGraphicalSubsPresent": "Hoppa \u00f6ver om videon redan inneh\u00e5ller grafiska undertexter",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Om du sparar textversioner av undertexterna f\u00e5r du ett b\u00e4ttre resultat vid anv\u00e4ndning av mobila enheter.",
+ "TabSubtitles": "Undertexter",
+ "TabChapters": "Kapitel",
+ "HeaderDownloadChaptersFor": "H\u00e4mta kapitelnamn f\u00f6r:",
+ "LabelOpenSubtitlesUsername": "Inloggnings-ID hos Open Subtitles:",
+ "LabelOpenSubtitlesPassword": "L\u00f6senord hos Open Subtitles:",
+ "HeaderChapterDownloadingHelp": "N\u00e4r Media Browser s\u00f6ker igenom dina videofiler kan den identifiera kapitelnamn och ladda ner dem med hj\u00e4lp av kapiteltill\u00e4gg s\u00e5som ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Anv\u00e4nd det f\u00f6rvalda ljudsp\u00e5ret oavsett spr\u00e5k",
+ "LabelSubtitlePlaybackMode": "Undertextl\u00e4ge:",
+ "LabelDownloadLanguages": "Spr\u00e5k att ladda ner:",
+ "ButtonRegister": "Registrera",
+ "LabelSkipIfAudioTrackPresent": "Hoppa \u00f6ver om det f\u00f6rvalda ljudsp\u00e5rets spr\u00e5k \u00e4r samma som det nerladdade",
+ "LabelSkipIfAudioTrackPresentHelp": "Bocka ur denna f\u00f6r att ge undertexter \u00e5t alla videor oavsett ljudsp\u00e5rets spr\u00e5k.",
+ "HeaderSendMessage": "Skicka meddelande",
+ "ButtonSend": "Skicka",
+ "LabelMessageText": "Meddelandetext",
+ "MessageNoAvailablePlugins": "Inga till\u00e4gg tillg\u00e4ngliga.",
+ "LabelDisplayPluginsFor": "Visa till\u00e4gg f\u00f6r:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Avsnittsnamn",
+ "LabelSeriesNamePlain": "Seriens namn",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "S\u00e4songsnummer",
+ "LabelEpisodeNumberPlain": "Avsnittsnummer",
+ "LabelEndingEpisodeNumberPlain": "Avslutande avsnittsnummer",
+ "HeaderTypeText": "Ange text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "S\u00f6k efter undertexter",
+ "MessageNoSubtitleSearchResultsFound": "S\u00f6kningen gav inga resultat.",
+ "TabDisplay": "Visning",
+ "TabLanguages": "Spr\u00e5k",
+ "TabWebClient": "Webbklient",
+ "LabelEnableThemeSongs": "Aktivera ledmotiv",
+ "LabelEnableBackdrops": "Aktivera fondbilder",
+ "LabelEnableThemeSongsHelp": "Om aktiverat spelas ledmotiv upp vid bl\u00e4ddring i biblioteket.",
+ "LabelEnableBackdropsHelp": "Om aktiverat visas fondbilder i bakgrunden av vissa sidor vid bl\u00e4ddring i biblioteket.",
+ "HeaderHomePage": "Hemsidan",
+ "HeaderSettingsForThisDevice": "Inst\u00e4llningar f\u00f6r den h\u00e4r enheten",
+ "OptionAuto": "Auto",
+ "OptionYes": "Ja",
+ "OptionNo": "Nej",
+ "LabelHomePageSection1": "Startsidans sektion 1:",
+ "LabelHomePageSection2": "Startsidans sektion 2:",
+ "LabelHomePageSection3": "Startsidans sektion 3:",
+ "LabelHomePageSection4": "Startsidans sektion 4:",
+ "OptionMyViewsButtons": "Mina vyer (knappar)",
+ "OptionMyViews": "Mina vyer",
+ "OptionMyViewsSmall": "Mina vyer (liten)",
+ "OptionResumablemedia": "\u00c5teruppta",
+ "OptionLatestMedia": "Nytillkommet",
+ "OptionLatestChannelMedia": "Senaste objekten i Kanaler",
+ "HeaderLatestChannelItems": "Senaste objekten i Kanaler",
+ "OptionNone": "Inga",
+ "HeaderLiveTv": "Live-TV",
+ "HeaderReports": "Rapporter",
+ "HeaderMetadataManager": "Metadatahanteraren",
+ "HeaderPreferences": "Inst\u00e4llningar",
+ "MessageLoadingChannels": "H\u00e4mtar kanalinneh\u00e5ll...",
+ "MessageLoadingContent": "H\u00e4mtar inneh\u00e5ll...",
+ "ButtonMarkRead": "Markera som l\u00e4st",
+ "OptionDefaultSort": "F\u00f6rval",
+ "OptionCommunityMostWatchedSort": "Oftast visade",
+ "TabNextUp": "N\u00e4stkommande",
+ "MessageNoMovieSuggestionsAvailable": "Det finns inga filmf\u00f6rslag f\u00f6r tillf\u00e4llet. Efter att ha sett ett antal filmer kan du \u00e5terkomma hit f\u00f6r att se dina f\u00f6rslag.",
+ "MessageNoCollectionsAvailable": "Samlingar g\u00f6r det m\u00f6jligt att skapa skr\u00e4ddarsydda grupper av filmer, serier, album, b\u00f6cker och spel. Klicka p\u00e5 \"Ny\" f\u00f6r att b\u00f6rja med samlingar.",
+ "MessageNoPlaylistsAvailable": "Spellistor l\u00e5ter dig skapa listor med inneh\u00e5ll att spela upp i ordning. F\u00f6r att l\u00e4gga till objekt i spellistor, h\u00f6gerklicka eller tryck-och-h\u00e5ll och v\u00e4lj \"l\u00e4gg till i spellista\".",
+ "MessageNoPlaylistItemsAvailable": "Den h\u00e4r spellistan \u00e4r tom.",
+ "HeaderWelcomeToMediaBrowserWebClient": "V\u00e4lkommen till Media Browsers webbklient",
+ "ButtonDismiss": "Avvisa",
+ "ButtonTakeTheTour": "Ta en rundtur",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "\u00d6nskad kvalitet vid str\u00f6mning via Internet:",
+ "LabelChannelStreamQualityHelp": "N\u00e4r bandbredden \u00e4r begr\u00e4nsad kan en l\u00e4gre kvalitet ge en mera st\u00f6rningsfri upplevelse.",
+ "OptionBestAvailableStreamQuality": "B\u00e4sta tillg\u00e4ngliga",
+ "LabelEnableChannelContentDownloadingFor": "Aktivera nedladdning av inneh\u00e5ll f\u00f6r dessa kanaler:",
+ "LabelEnableChannelContentDownloadingForHelp": "Vissa kanaler till\u00e5ter nedladdning av material f\u00f6re visning. Aktivera detta d\u00e5 bandbredden \u00e4r begr\u00e4nsad f\u00f6r att h\u00e4mta material vid tider med l\u00e5g belastning. H\u00e4mtningen styrs av den schemalagda aktiviteten \"Nedladdning till kanaler\".",
+ "LabelChannelDownloadPath": "Plats f\u00f6r lagring av nedladdat kanalinneh\u00e5ll:",
+ "LabelChannelDownloadPathHelp": "Ange anpassad plats om s\u00e5 \u00f6nskas. L\u00e4mna tomt f\u00f6r att anv\u00e4nda en intern programdatamapp.",
+ "LabelChannelDownloadAge": "Radera inneh\u00e5ll efter (dagar):",
+ "LabelChannelDownloadAgeHelp": "Nedladdat inneh\u00e5ll \u00e4ldre \u00e4n s\u00e5 raderas. Det \u00e4r fortfarande tillg\u00e4ngligt via str\u00f6mning fr\u00e5n Internet.",
+ "ChannelSettingsFormHelp": "Installera kanaler, t ex Trailers och Vimeo, via till\u00e4ggskatalogen.",
+ "LabelSelectCollection": "V\u00e4lj samling:",
+ "ButtonOptions": "Alternativ",
+ "ViewTypeMovies": "Filmer",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Spel",
+ "ViewTypeMusic": "Musik",
+ "ViewTypeBoxSets": "Samlingar",
+ "ViewTypeChannels": "Kanaler",
+ "ViewTypeLiveTV": "Live-TV",
+ "ViewTypeLiveTvNowPlaying": "Visas nu",
+ "ViewTypeLatestGames": "Senaste spelen",
+ "ViewTypeRecentlyPlayedGames": "Nyligen spelade",
+ "ViewTypeGameFavorites": "Favoriter",
+ "ViewTypeGameSystems": "Spelsystem",
+ "ViewTypeGameGenres": "Genrer",
+ "ViewTypeTvResume": "\u00c5teruppta",
+ "ViewTypeTvNextUp": "N\u00e4stkommande",
+ "ViewTypeTvLatest": "Nytillkommet",
+ "ViewTypeTvShowSeries": "Serier",
+ "ViewTypeTvGenres": "Genrer",
+ "ViewTypeTvFavoriteSeries": "Favoritserier",
+ "ViewTypeTvFavoriteEpisodes": "Favoritavsnitt",
+ "ViewTypeMovieResume": "\u00c5teruppta",
+ "ViewTypeMovieLatest": "Nytillkommet",
+ "ViewTypeMovieMovies": "Filmer",
+ "ViewTypeMovieCollections": "Samlingar",
+ "ViewTypeMovieFavorites": "Favoriter",
+ "ViewTypeMovieGenres": "Genrer",
+ "ViewTypeMusicLatest": "Nytillkommet",
+ "ViewTypeMusicAlbums": "Album",
+ "ViewTypeMusicAlbumArtists": "Albumartister",
+ "HeaderOtherDisplaySettings": "Visningsinst\u00e4llningar",
+ "ViewTypeMusicSongs": "L\u00e5tar",
+ "ViewTypeMusicFavorites": "Favoriter",
+ "ViewTypeMusicFavoriteAlbums": "Favoritalbum",
+ "ViewTypeMusicFavoriteArtists": "Favoritartister",
+ "ViewTypeMusicFavoriteSongs": "Favoritl\u00e5tar",
+ "HeaderMyViews": "Mina vyer",
+ "LabelSelectFolderGroups": "Gruppera automatiskt inneh\u00e5ll fr\u00e5n dessa mappar i vyer, t ex Filmer, Musik eller TV:",
+ "LabelSelectFolderGroupsHelp": "Ej valda mappar kommer att visas f\u00f6r sig sj\u00e4lva i en egen vy.",
+ "OptionDisplayAdultContent": "Visa erotiskt inneh\u00e5ll",
+ "OptionLibraryFolders": "Mediamappar",
+ "TitleRemoteControl": "Fj\u00e4rrkontroll",
+ "OptionLatestTvRecordings": "Senaste inspelningar",
+ "LabelProtocolInfo": "Protokollinfo:",
+ "LabelProtocolInfoHelp": "V\u00e4rde att anv\u00e4nda vid svar p\u00e5 GetProtocolInfo-beg\u00e4ran fr\u00e5n enheter.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser har inbyggt st\u00f6d f\u00f6r Kodi Nfo-metadata och bilder. F\u00f6r att aktivera eller avaktivera Kodi-metadata, anv\u00e4nd \"Avancerat\"-fliken f\u00f6r att g\u00f6ra inst\u00e4llningar f\u00f6r olika mediatyper.",
+ "LabelKodiMetadataUser": "St\u00e4ll in anv\u00e4ndare att bevaka nfo-data f\u00f6r:",
+ "LabelKodiMetadataUserHelp": "Aktivera detta f\u00f6r att synkronisera bevakade data mellan Media Browser och Kodi.",
+ "LabelKodiMetadataDateFormat": "Format f\u00f6r premi\u00e4rdatum:",
+ "LabelKodiMetadataDateFormatHelp": "Alla datum i nfo-filer kommer att l\u00e4sas och skrivas i detta format.",
+ "LabelKodiMetadataSaveImagePaths": "Spara bilds\u00f6kv\u00e4gar i nfo-filer",
+ "LabelKodiMetadataSaveImagePathsHelp": "Detta rekommenderas om du har bilder med filnamn som inte uppfyller Kodis riktlinjer.",
+ "LabelKodiMetadataEnablePathSubstitution": "Aktivera s\u00f6kv\u00e4gsutbyte",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Aktiverar s\u00f6kv\u00e4gsutbyte enligt serverns inst\u00e4llningar.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "Se \"s\u00f6kv\u00e4gsutbyte\".",
+ "LabelGroupChannelsIntoViews": "Visa dessa kanaler direkt i mina vyer:",
+ "LabelGroupChannelsIntoViewsHelp": "Om aktiverat kommer dessa kanaler att visas tillsammans med andra vyer. Annars visas de i en separat vy f\u00f6r Kanaler.",
+ "LabelDisplayCollectionsView": "Vy som visar filmsamlingar",
+ "LabelKodiMetadataEnableExtraThumbs": "Kopiera extrafanart till extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "N\u00e4r bilder h\u00e4mtas fr\u00e5n Internet kan de sparas i b\u00e5de extrafanart- och extrathumbs-mapparna f\u00f6r att ge maximal kompatibilitet med Kodi-skins.",
+ "TabServices": "Tj\u00e4nster",
+ "TabLogs": "Loggfiler",
+ "HeaderServerLogFiles": "Serverloggfiler:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Anpassa utseendet p\u00e5 Media Browser till din grupp eller f\u00f6retags \u00f6nskem\u00e5l.",
+ "LabelLoginDisclaimer": "Ansvarsbegr\u00e4nsning vid inloggning:",
+ "LabelLoginDisclaimerHelp": "Detta visas l\u00e4ngst ned p\u00e5 inloggningssidan.",
+ "LabelAutomaticallyDonate": "Donera detta belopp automatiskt varje m\u00e5nad",
+ "LabelAutomaticallyDonateHelp": "Du kan avbryta n\u00e4r som helst via ditt PayPal-konto.",
+ "OptionList": "Lista",
+ "TabDashboard": "Kontrollpanel",
+ "TitleServer": "Server",
+ "LabelCache": "Cache:",
+ "LabelLogs": "Loggfiler:",
+ "LabelMetadata": "Metadata",
+ "LabelImagesByName": "Images by name:",
+ "LabelTranscodingTemporaryFiles": "Tillf\u00e4lliga omkodningsfiler:",
+ "HeaderLatestMusic": "Nytillkommen musik",
+ "HeaderBranding": "Branding",
+ "HeaderApiKeys": "API-nycklar",
+ "HeaderApiKeysHelp": "Externa program m\u00e5ste ha en API-nyckel f\u00f6r att kommunicera med Media Browser. Nycklar skapas genom inloggning med ett Media Browser-konto eller genom att manuellt tilldela ett program en nyckel.",
+ "HeaderApiKey": "API-nyckel",
+ "HeaderApp": "App",
+ "HeaderDevice": "Enhet",
+ "HeaderUser": "Anv\u00e4ndare",
+ "HeaderDateIssued": "Utgivningsdatum",
+ "LabelChapterName": "Kapitel {0}",
+ "HeaderNewApiKey": "Ny API-nyckel",
+ "LabelAppName": "Appens namn",
+ "LabelAppNameExample": "Exempel: Sickbeard, NzbDrone"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/tr.json b/MediaBrowser.Server.Implementations/Localization/Server/tr.json
index 90aebaf4a6..1e5833de00 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/tr.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/tr.json
@@ -1,601 +1,4 @@
{
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Aktif Servis:",
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "Otomatik",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "K\u00fc\u00e7\u00fck Resim",
- "OptionDownloadMenuImage": "Men\u00fc",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Kutu",
- "OptionDownloadDiscImage": "Disk",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Geri",
- "OptionDownloadArtImage": "Galeri",
- "OptionDownloadPrimaryImage": "Birincil",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Resim Ayarlar\u0131",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Ekle",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "G\u00fcnl\u00fck",
- "OptionWeekly": "Haftal\u0131k",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "G\u00fcn:",
- "LabelTime": "Zaman:",
- "LabelEvent": "Event:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Galeri",
- "HeaderLatestGames": "Ge\u00e7mi\u015f Oyunlar",
- "HeaderRecentlyPlayedGames": "Silinen Oyanan Oyunlar",
- "TabGameSystems": "Oyun Sistemleri",
- "TitleMediaLibrary": "Medya K\u00fct\u00fcphanesi",
- "TabFolders": "Klas\u00f6rler",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "K\u00fct\u00fcphaneyi Tara",
- "HeaderNumberOfPlayers": "Oyuncular",
- "OptionAnyNumberOfPlayers": "Hepsi",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Klas\u00f6rleri",
- "HeaderThemeVideos": "Video Temalar\u0131",
- "HeaderThemeSongs": "Tema \u015eark\u0131lar",
- "HeaderScenes": "Diziler",
- "HeaderAwardsAndReviews": "\u00d6d\u00fcller ve ilk bak\u0131\u015f",
- "HeaderSoundtracks": "Film m\u00fczikleri",
- "HeaderMusicVideos": "M\u00fczik vidyolar\u0131",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Kay\u0131p",
- "LabelOffline": "\u00c7evrimd\u0131\u015f\u0131",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "Buradan",
- "HeaderTo": "Buraya",
- "LabelFrom": "Buradan",
- "LabelFromHelp": "\u00d6rnek: D:\\Movies (sunucu \u00fczerinde)",
- "LabelTo": "Buraya",
- "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "\u00d6zel",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Seri Ad\u0131",
- "OptionTvdbRating": "Tvdb Reyting",
- "HeaderTranscodingQualityPreference": "Kodlay\u0131c\u0131 Kalite Ayarlar\u0131",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "D\u00fc\u015f\u00fck Kalite,H\u0131zl\u0131 Kodlama",
- "OptionHighQualityTranscodingHelp": "Y\u00fcksek Kalite,Yava\u015f Kodlama",
- "OptionMaxQualityTranscodingHelp": "En iyi Kalite,Yava\u015f Kodlama,Y\u00fcksek CPU Kullan\u0131m\u0131",
- "OptionHighSpeedTranscoding": "Y\u00fcksek H\u0131z",
- "OptionHighQualityTranscoding": "Y\u00fcksek Kalite",
- "OptionMaxQualityTranscoding": "Max Kalite",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
- "HeaderAddTitles": "Add Titles",
- "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "\u00d6zel Profiller",
- "HeaderSystemDlnaProfiles": "Sistem Profilleri",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Anasayfa",
- "TabInfo": "Bilgi",
- "HeaderLinks": "Links",
- "HeaderSystemPaths": "System Paths",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api D\u00f6k\u00fcmanlar\u0131",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "Yeni Koleksiyon",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Sunucu bilgisi",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server G\u00fcncel",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "DLNA Sunucusu etkin",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Sunucu ayarlar\u0131",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Sunucu yeniden ba\u015flat\u0131lmal\u0131",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Uygulamalar",
- "CategoryPlugin": "Eklenti",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Sa\u011f",
- "ButtonBack": "Geri",
- "ButtonInfo": "Bilgi",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Sayfa Ba\u015f\u0131",
- "ButtonPageDown": "Sayfa Sonu",
- "PageAbbreviation": "PG",
- "ButtonHome": "Anasayfa",
- "ButtonSearch": "Arama",
- "ButtonSettings": "Ayarlar",
- "ButtonTakeScreenshot": "Ekran G\u00f6r\u00fcnt\u00fcs\u00fc Al",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "\u015eimdi \u00c7al\u0131n\u0131yor",
- "TabNavigation": "Navigasyon",
- "TabControls": "Kontrol",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Sahneler",
- "ButtonSubtitles": "Altyaz\u0131lar",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Durdur",
- "ButtonPause": "Duraklat",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Eklenti Ba\u015far\u0131s\u0131z",
- "ButtonVolumeUp": "Ses A\u00e7",
- "ButtonVolumeDown": "Ses Azalt",
- "ButtonMute": "Sessiz",
- "HeaderLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Koleksiyon",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Profil G\u00f6r\u00fcnt\u00fcleme",
- "LabelType": "T\u00fcr",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video Codec",
- "LabelProfileAudioCodecs": "Ses Codec",
- "LabelProfileCodecs": "Codecler",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Kodlama Profili",
- "HeaderCodecProfile": "Codec Profili",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Vidyo",
- "OptionProfileAudio": "Ses",
- "OptionProfileVideoAudio": "Video Sesi",
- "OptionProfilePhoto": "Foto\u011fraf",
- "LabelUserLibrary": "Kullan\u0131c\u0131 K\u00fct\u00fcphanesi:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecler",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "ikon Max Y\u00fckseklik:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "\u0130kon Max Geni\u015flik:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "\u00dcretici",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Seri Numaras\u0131",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Altyaz\u0131lar",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Kay\u0131t",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Mesaj G\u00f6nder",
- "ButtonSend": "G\u00f6nder",
- "LabelMessageText": "Mesaj Metni:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Anasayfa",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Anasayfa Secenek 1:",
- "LabelHomePageSection2": "Anasayfa Secenek 2:",
- "LabelHomePageSection3": "Anasayfa Secenek 3:",
- "LabelHomePageSection4": "Anasayfa Secenek 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Sonraki hafta",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media Klas\u00f6rleri",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Services",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Server log files:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
- "LabelLoginDisclaimer": "Login disclaimer:",
- "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
- "LabelAutomaticallyDonate": "Automatically donate this amount every month",
- "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
- "OptionList": "List",
- "TabDashboard": "Dashboard",
- "TitleServer": "Sunucu",
- "LabelCache": "Cache:",
- "LabelLogs": "Logs:",
- "LabelMetadata": "Metadata:",
- "LabelImagesByName": "Images by name:",
- "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
- "HeaderLatestMusic": "Latest Music",
- "HeaderBranding": "Branding",
- "HeaderApiKeys": "Api Keys",
- "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
- "HeaderApiKey": "Api Key",
- "HeaderApp": "App",
- "HeaderDevice": "Device",
- "HeaderUser": "User",
- "HeaderDateIssued": "Date Issued",
- "LabelChapterName": "Chapter {0}",
- "HeaderNewApiKey": "New Api Key",
- "LabelAppName": "App name",
- "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
- "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
- "HeaderHttpHeaders": "Http Headers",
- "HeaderIdentificationHeader": "Identification Header",
- "LabelValue": "Value:",
- "LabelMatchType": "Match type:",
- "OptionEquals": "Equals",
- "OptionRegex": "Regex",
- "OptionSubstring": "Substring",
"TabView": "View",
"TabSort": "Sort",
"TabFilter": "Filter",
@@ -914,6 +317,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Cikis",
"LabelVisitCommunity": "Bizi Ziyaret Edin",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +656,602 @@
"ButtonRemove": "Sil",
"OptionRecordSeries": "Kay\u0131t Serisi",
"HeaderDetails": "Detaylar",
- "TitleLiveTV": "Canl\u0131 TV"
+ "TitleLiveTV": "Canl\u0131 TV",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "Aktif Servis:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "Otomatik",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "K\u00fc\u00e7\u00fck Resim",
+ "OptionDownloadMenuImage": "Men\u00fc",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Kutu",
+ "OptionDownloadDiscImage": "Disk",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Geri",
+ "OptionDownloadArtImage": "Galeri",
+ "OptionDownloadPrimaryImage": "Birincil",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Resim Ayarlar\u0131",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Ekle",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "G\u00fcnl\u00fck",
+ "OptionWeekly": "Haftal\u0131k",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "G\u00fcn:",
+ "LabelTime": "Zaman:",
+ "LabelEvent": "Event:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Galeri",
+ "HeaderLatestGames": "Ge\u00e7mi\u015f Oyunlar",
+ "HeaderRecentlyPlayedGames": "Silinen Oyanan Oyunlar",
+ "TabGameSystems": "Oyun Sistemleri",
+ "TitleMediaLibrary": "Medya K\u00fct\u00fcphanesi",
+ "TabFolders": "Klas\u00f6rler",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "K\u00fct\u00fcphaneyi Tara",
+ "HeaderNumberOfPlayers": "Oyuncular",
+ "OptionAnyNumberOfPlayers": "Hepsi",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Klas\u00f6rleri",
+ "HeaderThemeVideos": "Video Temalar\u0131",
+ "HeaderThemeSongs": "Tema \u015eark\u0131lar",
+ "HeaderScenes": "Diziler",
+ "HeaderAwardsAndReviews": "\u00d6d\u00fcller ve ilk bak\u0131\u015f",
+ "HeaderSoundtracks": "Film m\u00fczikleri",
+ "HeaderMusicVideos": "M\u00fczik vidyolar\u0131",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Kay\u0131p",
+ "LabelOffline": "\u00c7evrimd\u0131\u015f\u0131",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "Buradan",
+ "HeaderTo": "Buraya",
+ "LabelFrom": "Buradan",
+ "LabelFromHelp": "\u00d6rnek: D:\\Movies (sunucu \u00fczerinde)",
+ "LabelTo": "Buraya",
+ "LabelToHelp": "Example: \\\\MyServer\\Movies (a path clients can access)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "\u00d6zel",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Seri Ad\u0131",
+ "OptionTvdbRating": "Tvdb Reyting",
+ "HeaderTranscodingQualityPreference": "Kodlay\u0131c\u0131 Kalite Ayarlar\u0131",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "D\u00fc\u015f\u00fck Kalite,H\u0131zl\u0131 Kodlama",
+ "OptionHighQualityTranscodingHelp": "Y\u00fcksek Kalite,Yava\u015f Kodlama",
+ "OptionMaxQualityTranscodingHelp": "En iyi Kalite,Yava\u015f Kodlama,Y\u00fcksek CPU Kullan\u0131m\u0131",
+ "OptionHighSpeedTranscoding": "Y\u00fcksek H\u0131z",
+ "OptionHighQualityTranscoding": "Y\u00fcksek Kalite",
+ "OptionMaxQualityTranscoding": "Max Kalite",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Add or remove any movies, series, albums, books or games you wish to group within this collection.",
+ "HeaderAddTitles": "Add Titles",
+ "LabelEnableDlnaPlayTo": "Enable DLNA Play To",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "\u00d6zel Profiller",
+ "HeaderSystemDlnaProfiles": "Sistem Profilleri",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Anasayfa",
+ "TabInfo": "Bilgi",
+ "HeaderLinks": "Links",
+ "HeaderSystemPaths": "System Paths",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api D\u00f6k\u00fcmanlar\u0131",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "Yeni Koleksiyon",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Sunucu bilgisi",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server G\u00fcncel",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "DLNA Sunucusu etkin",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Sunucu ayarlar\u0131",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Sunucu yeniden ba\u015flat\u0131lmal\u0131",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Uygulamalar",
+ "CategoryPlugin": "Eklenti",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Sa\u011f",
+ "ButtonBack": "Geri",
+ "ButtonInfo": "Bilgi",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Sayfa Ba\u015f\u0131",
+ "ButtonPageDown": "Sayfa Sonu",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Anasayfa",
+ "ButtonSearch": "Arama",
+ "ButtonSettings": "Ayarlar",
+ "ButtonTakeScreenshot": "Ekran G\u00f6r\u00fcnt\u00fcs\u00fc Al",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "\u015eimdi \u00c7al\u0131n\u0131yor",
+ "TabNavigation": "Navigasyon",
+ "TabControls": "Kontrol",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Sahneler",
+ "ButtonSubtitles": "Altyaz\u0131lar",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Durdur",
+ "ButtonPause": "Duraklat",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Eklenti Ba\u015far\u0131s\u0131z",
+ "ButtonVolumeUp": "Ses A\u00e7",
+ "ButtonVolumeDown": "Ses Azalt",
+ "ButtonMute": "Sessiz",
+ "HeaderLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Koleksiyon",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Profil G\u00f6r\u00fcnt\u00fcleme",
+ "LabelType": "T\u00fcr",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video Codec",
+ "LabelProfileAudioCodecs": "Ses Codec",
+ "LabelProfileCodecs": "Codecler",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Kodlama Profili",
+ "HeaderCodecProfile": "Codec Profili",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Vidyo",
+ "OptionProfileAudio": "Ses",
+ "OptionProfileVideoAudio": "Video Sesi",
+ "OptionProfilePhoto": "Foto\u011fraf",
+ "LabelUserLibrary": "Kullan\u0131c\u0131 K\u00fct\u00fcphanesi:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecler",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "ikon Max Y\u00fckseklik:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "\u0130kon Max Geni\u015flik:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "\u00dcretici",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Seri Numaras\u0131",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Altyaz\u0131lar",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Kay\u0131t",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Mesaj G\u00f6nder",
+ "ButtonSend": "G\u00f6nder",
+ "LabelMessageText": "Mesaj Metni:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Anasayfa",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Anasayfa Secenek 1:",
+ "LabelHomePageSection2": "Anasayfa Secenek 2:",
+ "LabelHomePageSection3": "Anasayfa Secenek 3:",
+ "LabelHomePageSection4": "Anasayfa Secenek 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "En Son G\u00f6r\u00fcnt\u00fclemeler",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Sonraki hafta",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media Klas\u00f6rleri",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
+ "LabelLoginDisclaimer": "Login disclaimer:",
+ "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
+ "LabelAutomaticallyDonate": "Automatically donate this amount every month",
+ "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
+ "OptionList": "List",
+ "TabDashboard": "Dashboard",
+ "TitleServer": "Sunucu",
+ "LabelCache": "Cache:",
+ "LabelLogs": "Logs:",
+ "LabelMetadata": "Metadata:",
+ "LabelImagesByName": "Images by name:",
+ "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
+ "HeaderLatestMusic": "Latest Music",
+ "HeaderBranding": "Branding",
+ "HeaderApiKeys": "Api Keys",
+ "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
+ "HeaderApiKey": "Api Key",
+ "HeaderApp": "App",
+ "HeaderDevice": "Device",
+ "HeaderUser": "User",
+ "HeaderDateIssued": "Date Issued",
+ "LabelChapterName": "Chapter {0}",
+ "HeaderNewApiKey": "New Api Key",
+ "LabelAppName": "App name",
+ "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
+ "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
+ "HeaderHttpHeaders": "Http Headers",
+ "HeaderIdentificationHeader": "Identification Header",
+ "LabelValue": "Value:",
+ "LabelMatchType": "Match type:",
+ "OptionEquals": "Equals",
+ "OptionRegex": "Regex",
+ "OptionSubstring": "Substring"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/vi.json b/MediaBrowser.Server.Implementations/Localization/Server/vi.json
index d9ec83d979..d03be52297 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/vi.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/vi.json
@@ -1,603 +1,4 @@
{
- "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
- "OptionAutomatic": "T\u1ef1 \u0111\u1ed9ng",
- "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
- "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "Thumb",
- "OptionDownloadMenuImage": "Menu",
- "OptionDownloadLogoImage": "Logo",
- "OptionDownloadBoxImage": "Box",
- "OptionDownloadDiscImage": "\u0110\u0129a",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "Tr\u1edf l\u1ea1i",
- "OptionDownloadArtImage": "Art",
- "OptionDownloadPrimaryImage": "Primary",
- "HeaderFetchImages": "Fetch Images:",
- "HeaderImageSettings": "Image Settings",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
- "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
- "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
- "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
- "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
- "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
- "ButtonAdd": "Th\u00eam",
- "LabelTriggerType": "Trigger Type:",
- "OptionDaily": "Daily",
- "OptionWeekly": "Weekly",
- "OptionOnInterval": "On an interval",
- "OptionOnAppStartup": "On application startup",
- "OptionAfterSystemEvent": "After a system event",
- "LabelDay": "Ng\u00e0y:",
- "LabelTime": "Th\u1eddi gian:",
- "LabelEvent": "S\u1ef1 ki\u1ec7n:",
- "OptionWakeFromSleep": "Wake from sleep",
- "LabelEveryXMinutes": "Every:",
- "HeaderTvTuners": "Tuners",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "Latest Games",
- "HeaderRecentlyPlayedGames": "Recently Played Games",
- "TabGameSystems": "Game Systems",
- "TitleMediaLibrary": "Media Library",
- "TabFolders": "Folders",
- "TabPathSubstitution": "Path Substitution",
- "LabelSeasonZeroDisplayName": "Season 0 display name:",
- "LabelEnableRealtimeMonitor": "Enable real time monitoring",
- "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
- "ButtonScanLibrary": "Scan Library",
- "HeaderNumberOfPlayers": "Players:",
- "OptionAnyNumberOfPlayers": "B\u1ea5t k\u1ef3",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "Media Folders",
- "HeaderThemeVideos": "Theme Videos",
- "HeaderThemeSongs": "Theme Songs",
- "HeaderScenes": "Scenes",
- "HeaderAwardsAndReviews": "Awards and Reviews",
- "HeaderSoundtracks": "Soundtracks",
- "HeaderMusicVideos": "Music Videos",
- "HeaderSpecialFeatures": "Special Features",
- "HeaderCastCrew": "Cast & Crew",
- "HeaderAdditionalParts": "Additional Parts",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "Missing",
- "LabelOffline": "Offline",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "T\u1eeb",
- "HeaderTo": "\u0110\u1ebfn",
- "LabelFrom": "T\u1eeb",
- "LabelFromHelp": "V\u00ed d\u1ee5: D:\\Movies (tr\u00ean m\u00e1y ch\u1ee7)",
- "LabelTo": "T\u1edbi",
- "LabelToHelp": "V\u00ed d\u1ee5: \\\\Myserver\\Movies (m\u1ed9t \u0111\u01b0\u1eddng d\u1eabn m\u00e1y kh\u00e1ch c\u00f3 th\u1ec3 truy c\u1eadp)",
- "ButtonAddPathSubstitution": "Add Substitution",
- "OptionSpecialEpisode": "Specials",
- "OptionMissingEpisode": "Missing Episodes",
- "OptionUnairedEpisode": "Unaired Episodes",
- "OptionEpisodeSortName": "Episode Sort Name",
- "OptionSeriesSortName": "Series Name",
- "OptionTvdbRating": "Tvdb Rating",
- "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
- "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
- "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
- "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
- "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
- "OptionHighSpeedTranscoding": "Higher speed",
- "OptionHighQualityTranscoding": "Ch\u1ea5t l\u01b0\u1ee3ng cao",
- "OptionMaxQualityTranscoding": "Ch\u1ea5t l\u01b0\u1ee3ng t\u1ed1i \u0111a",
- "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
- "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
- "OptionUpscaling": "Allow clients to request upscaled video",
- "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
- "EditCollectionItemsHelp": "Th\u00eam ho\u1eb7c x\u00f3a b\u1ea5t k\u1ef3 b\u1ed9 phim, series, album, s\u00e1ch ho\u1eb7c ch\u01a1i game b\u1ea1n mu\u1ed1n trong nh\u00f3m b\u1ed9 s\u01b0u t\u1eadp n\u00e0y",
- "HeaderAddTitles": "Th\u00eam c\u00e1c ti\u00eau \u0111\u1ec1",
- "LabelEnableDlnaPlayTo": "Cho ph\u00e9p DLNA ch\u1ea1y \u0111\u1ec3",
- "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
- "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
- "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
- "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "H\u1ed3 s\u01a1 kh\u00e1ch h\u00e0ng",
- "HeaderSystemDlnaProfiles": "H\u1ed3 s\u01a1 h\u1ec7 th\u1ed1ng",
- "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "Dashboard",
- "TabHome": "Home",
- "TabInfo": "Info",
- "HeaderLinks": "C\u00e1c li\u00ean k\u1ebft",
- "HeaderSystemPaths": "C\u00e1c \u0111\u01b0\u1eddng d\u1eabn h\u1ec7 th\u1ed1ng",
- "LinkCommunity": "Community",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api Documentation",
- "LabelFriendlyServerName": "Friendly server name:",
- "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
- "LabelPreferredDisplayLanguage": "Preferred display language",
- "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
- "LabelReadHowYouCanContribute": "Read about how you can contribute.",
- "HeaderNewCollection": "New Collection",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "Example: Star Wars Collection",
- "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
- "ButtonCreate": "Create",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web socket port number:",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "External DDNS:",
- "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
- "TabResume": "Resume",
- "TabWeather": "Weather",
- "TitleAppSettings": "App Settings",
- "LabelMinResumePercentage": "Min resume percentage:",
- "LabelMaxResumePercentage": "Max resume percentage:",
- "LabelMinResumeDuration": "Min resume duration (seconds):",
- "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
- "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
- "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "T\u00ean",
- "HeaderDate": "Ng\u00e0y",
- "HeaderSource": "Ngu\u1ed3n",
- "HeaderDestination": "\u0110\u00edch",
- "HeaderProgram": "Ch\u01b0\u01a1ng tr\u00ecnh",
- "HeaderClients": "C\u00e1c m\u00e1y kh\u00e1ch",
- "LabelCompleted": "Ho\u00e0n th\u00e0nh",
- "LabelFailed": "Failed",
- "LabelSkipped": "B\u1ecf qua",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Phim",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "T\u00ecm ki\u1ebfm",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
- "ViewTypeTvLatest": "Latest",
- "ViewTypeTvShowSeries": "Series",
- "ViewTypeTvGenres": "Genres",
- "ViewTypeTvFavoriteSeries": "Favorite Series",
- "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
- "ViewTypeMovieResume": "Resume",
- "ViewTypeMovieLatest": "Latest",
- "ViewTypeMovieMovies": "Movies",
- "ViewTypeMovieCollections": "Collections",
- "ViewTypeMovieFavorites": "Favorites",
- "ViewTypeMovieGenres": "Genres",
- "ViewTypeMusicLatest": "Latest",
- "ViewTypeMusicAlbums": "Albums",
- "ViewTypeMusicAlbumArtists": "Album Artists",
- "HeaderOtherDisplaySettings": "Display Settings",
- "ViewTypeMusicSongs": "Songs",
- "ViewTypeMusicFavorites": "Favorites",
- "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
- "ViewTypeMusicFavoriteArtists": "Favorite Artists",
- "ViewTypeMusicFavoriteSongs": "Favorite Songs",
- "HeaderMyViews": "My Views",
- "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
- "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
- "OptionDisplayAdultContent": "Display adult content",
- "OptionLibraryFolders": "Media folders",
- "TitleRemoteControl": "Remote Control",
- "OptionLatestTvRecordings": "Latest recordings",
- "LabelProtocolInfo": "Protocol info:",
- "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
- "TabKodiMetadata": "Kodi",
- "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
- "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
- "LabelKodiMetadataDateFormat": "Release date format:",
- "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
- "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
- "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
- "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
- "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
- "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
- "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
- "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
- "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
- "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
- "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
- "TabServices": "Services",
- "TabLogs": "Logs",
- "HeaderServerLogFiles": "Server log files:",
- "TabBranding": "Branding",
- "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
- "LabelLoginDisclaimer": "Login disclaimer:",
- "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
- "LabelAutomaticallyDonate": "Automatically donate this amount every month",
- "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
- "OptionList": "List",
- "TabDashboard": "Dashboard",
- "TitleServer": "Server",
- "LabelCache": "Cache:",
- "LabelLogs": "Logs:",
- "LabelMetadata": "Metadata:",
- "LabelImagesByName": "Images by name:",
- "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
- "HeaderLatestMusic": "Latest Music",
- "HeaderBranding": "Branding",
- "HeaderApiKeys": "Api Keys",
- "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
- "HeaderApiKey": "Api Key",
- "HeaderApp": "App",
- "HeaderDevice": "Device",
- "HeaderUser": "User",
- "HeaderDateIssued": "Date Issued",
- "LabelChapterName": "Chapter {0}",
- "HeaderNewApiKey": "New Api Key",
- "LabelAppName": "App name",
- "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
- "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
- "HeaderHttpHeaders": "Http Headers",
- "HeaderIdentificationHeader": "Identification Header",
- "LabelValue": "Value:",
- "LabelMatchType": "Match type:",
- "OptionEquals": "Equals",
- "OptionRegex": "Regex",
- "OptionSubstring": "Substring",
- "TabView": "View",
- "TabSort": "Sort",
- "TabFilter": "Filter",
- "ButtonView": "View",
- "LabelPageSize": "Item limit:",
"LabelPath": "Path:",
"LabelView": "View:",
"TabUsers": "Users",
@@ -911,6 +312,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "Tho\u00e1t",
"LabelVisitCommunity": "Gh\u00e9 th\u0103m trang C\u1ed9ng \u0111\u1ed3ng",
"LabelGithubWiki": "Github Wiki",
@@ -1249,5 +654,604 @@
"TitleLiveTV": "Live TV",
"LabelNumberOfGuideDays": "Number of days of guide data to download:",
"LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "Active Service:"
+ "LabelActiveService": "Active Service:",
+ "LabelActiveServiceHelp": "Multiple tv plugins can be installed but only one can be active at a time.",
+ "OptionAutomatic": "T\u1ef1 \u0111\u1ed9ng",
+ "LiveTvPluginRequired": "A Live TV service provider plugin is required in order to continue.",
+ "LiveTvPluginRequiredHelp": "Please install one of our available plugins, such as Next Pvr or ServerWmc.",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "Thumb",
+ "OptionDownloadMenuImage": "Menu",
+ "OptionDownloadLogoImage": "Logo",
+ "OptionDownloadBoxImage": "Box",
+ "OptionDownloadDiscImage": "\u0110\u0129a",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "Tr\u1edf l\u1ea1i",
+ "OptionDownloadArtImage": "Art",
+ "OptionDownloadPrimaryImage": "Primary",
+ "HeaderFetchImages": "Fetch Images:",
+ "HeaderImageSettings": "Image Settings",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "Maximum number of backdrops per item:",
+ "LabelMaxScreenshotsPerItem": "Maximum number of screenshots per item:",
+ "LabelMinBackdropDownloadWidth": "Minimum backdrop download width:",
+ "LabelMinScreenshotDownloadWidth": "Minimum screenshot download width:",
+ "ButtonAddScheduledTaskTrigger": "Add Task Trigger",
+ "HeaderAddScheduledTaskTrigger": "Add Task Trigger",
+ "ButtonAdd": "Th\u00eam",
+ "LabelTriggerType": "Trigger Type:",
+ "OptionDaily": "Daily",
+ "OptionWeekly": "Weekly",
+ "OptionOnInterval": "On an interval",
+ "OptionOnAppStartup": "On application startup",
+ "OptionAfterSystemEvent": "After a system event",
+ "LabelDay": "Ng\u00e0y:",
+ "LabelTime": "Th\u1eddi gian:",
+ "LabelEvent": "S\u1ef1 ki\u1ec7n:",
+ "OptionWakeFromSleep": "Wake from sleep",
+ "LabelEveryXMinutes": "Every:",
+ "HeaderTvTuners": "Tuners",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "Latest Games",
+ "HeaderRecentlyPlayedGames": "Recently Played Games",
+ "TabGameSystems": "Game Systems",
+ "TitleMediaLibrary": "Media Library",
+ "TabFolders": "Folders",
+ "TabPathSubstitution": "Path Substitution",
+ "LabelSeasonZeroDisplayName": "Season 0 display name:",
+ "LabelEnableRealtimeMonitor": "Enable real time monitoring",
+ "LabelEnableRealtimeMonitorHelp": "Changes will be processed immediately, on supported file systems.",
+ "ButtonScanLibrary": "Scan Library",
+ "HeaderNumberOfPlayers": "Players:",
+ "OptionAnyNumberOfPlayers": "B\u1ea5t k\u1ef3",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "Media Folders",
+ "HeaderThemeVideos": "Theme Videos",
+ "HeaderThemeSongs": "Theme Songs",
+ "HeaderScenes": "Scenes",
+ "HeaderAwardsAndReviews": "Awards and Reviews",
+ "HeaderSoundtracks": "Soundtracks",
+ "HeaderMusicVideos": "Music Videos",
+ "HeaderSpecialFeatures": "Special Features",
+ "HeaderCastCrew": "Cast & Crew",
+ "HeaderAdditionalParts": "Additional Parts",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "Missing",
+ "LabelOffline": "Offline",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "T\u1eeb",
+ "HeaderTo": "\u0110\u1ebfn",
+ "LabelFrom": "T\u1eeb",
+ "LabelFromHelp": "V\u00ed d\u1ee5: D:\\Movies (tr\u00ean m\u00e1y ch\u1ee7)",
+ "LabelTo": "T\u1edbi",
+ "LabelToHelp": "V\u00ed d\u1ee5: \\\\Myserver\\Movies (m\u1ed9t \u0111\u01b0\u1eddng d\u1eabn m\u00e1y kh\u00e1ch c\u00f3 th\u1ec3 truy c\u1eadp)",
+ "ButtonAddPathSubstitution": "Add Substitution",
+ "OptionSpecialEpisode": "Specials",
+ "OptionMissingEpisode": "Missing Episodes",
+ "OptionUnairedEpisode": "Unaired Episodes",
+ "OptionEpisodeSortName": "Episode Sort Name",
+ "OptionSeriesSortName": "Series Name",
+ "OptionTvdbRating": "Tvdb Rating",
+ "HeaderTranscodingQualityPreference": "Transcoding Quality Preference:",
+ "OptionAutomaticTranscodingHelp": "The server will decide quality and speed",
+ "OptionHighSpeedTranscodingHelp": "Lower quality, but faster encoding",
+ "OptionHighQualityTranscodingHelp": "Higher quality, but slower encoding",
+ "OptionMaxQualityTranscodingHelp": "Best quality with slower encoding and high CPU usage",
+ "OptionHighSpeedTranscoding": "Higher speed",
+ "OptionHighQualityTranscoding": "Ch\u1ea5t l\u01b0\u1ee3ng cao",
+ "OptionMaxQualityTranscoding": "Ch\u1ea5t l\u01b0\u1ee3ng t\u1ed1i \u0111a",
+ "OptionEnableDebugTranscodingLogging": "Enable debug transcoding logging",
+ "OptionEnableDebugTranscodingLoggingHelp": "This will create very large log files and is only recommended as needed for troubleshooting purposes.",
+ "OptionUpscaling": "Allow clients to request upscaled video",
+ "OptionUpscalingHelp": "In some cases this will result in improved video quality but will increase CPU usage.",
+ "EditCollectionItemsHelp": "Th\u00eam ho\u1eb7c x\u00f3a b\u1ea5t k\u1ef3 b\u1ed9 phim, series, album, s\u00e1ch ho\u1eb7c ch\u01a1i game b\u1ea1n mu\u1ed1n trong nh\u00f3m b\u1ed9 s\u01b0u t\u1eadp n\u00e0y",
+ "HeaderAddTitles": "Th\u00eam c\u00e1c ti\u00eau \u0111\u1ec1",
+ "LabelEnableDlnaPlayTo": "Cho ph\u00e9p DLNA ch\u1ea1y \u0111\u1ec3",
+ "LabelEnableDlnaPlayToHelp": "Media Browser can detect devices within your network and offer the ability to remote control them.",
+ "LabelEnableDlnaDebugLogging": "Enable DLNA debug logging",
+ "LabelEnableDlnaDebugLoggingHelp": "This will create large log files and should only be used as needed for troubleshooting purposes.",
+ "LabelEnableDlnaClientDiscoveryInterval": "Client discovery interval (seconds)",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "H\u1ed3 s\u01a1 kh\u00e1ch h\u00e0ng",
+ "HeaderSystemDlnaProfiles": "H\u1ed3 s\u01a1 h\u1ec7 th\u1ed1ng",
+ "CustomDlnaProfilesHelp": "Create a custom profile to target a new device or override a system profile.",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "Dashboard",
+ "TabHome": "Home",
+ "TabInfo": "Info",
+ "HeaderLinks": "C\u00e1c li\u00ean k\u1ebft",
+ "HeaderSystemPaths": "C\u00e1c \u0111\u01b0\u1eddng d\u1eabn h\u1ec7 th\u1ed1ng",
+ "LinkCommunity": "Community",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api Documentation",
+ "LabelFriendlyServerName": "Friendly server name:",
+ "LabelFriendlyServerNameHelp": "This name will be used to identify this server. If left blank, the computer name will be used.",
+ "LabelPreferredDisplayLanguage": "Preferred display language",
+ "LabelPreferredDisplayLanguageHelp": "Translating Media Browser is an ongoing project and is not yet complete.",
+ "LabelReadHowYouCanContribute": "Read about how you can contribute.",
+ "HeaderNewCollection": "New Collection",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "Example: Star Wars Collection",
+ "OptionSearchForInternetMetadata": "Search the internet for artwork and metadata",
+ "ButtonCreate": "Create",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web socket port number:",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "External DDNS:",
+ "LabelExternalDDNSHelp": "If you have a dynamic DNS enter it here. Media Browser apps will use it when connecting remotely.",
+ "TabResume": "Resume",
+ "TabWeather": "Weather",
+ "TitleAppSettings": "App Settings",
+ "LabelMinResumePercentage": "Min resume percentage:",
+ "LabelMaxResumePercentage": "Max resume percentage:",
+ "LabelMinResumeDuration": "Min resume duration (seconds):",
+ "LabelMinResumePercentageHelp": "Titles are assumed unplayed if stopped before this time",
+ "LabelMaxResumePercentageHelp": "Titles are assumed fully played if stopped after this time",
+ "LabelMinResumeDurationHelp": "Titles shorter than this will not be resumable",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "T\u00ean",
+ "HeaderDate": "Ng\u00e0y",
+ "HeaderSource": "Ngu\u1ed3n",
+ "HeaderDestination": "\u0110\u00edch",
+ "HeaderProgram": "Ch\u01b0\u01a1ng tr\u00ecnh",
+ "HeaderClients": "C\u00e1c m\u00e1y kh\u00e1ch",
+ "LabelCompleted": "Ho\u00e0n th\u00e0nh",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "B\u1ecf qua",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Phim",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "T\u00ecm ki\u1ebfm",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up",
+ "ViewTypeTvLatest": "Latest",
+ "ViewTypeTvShowSeries": "Series",
+ "ViewTypeTvGenres": "Genres",
+ "ViewTypeTvFavoriteSeries": "Favorite Series",
+ "ViewTypeTvFavoriteEpisodes": "Favorite Episodes",
+ "ViewTypeMovieResume": "Resume",
+ "ViewTypeMovieLatest": "Latest",
+ "ViewTypeMovieMovies": "Movies",
+ "ViewTypeMovieCollections": "Collections",
+ "ViewTypeMovieFavorites": "Favorites",
+ "ViewTypeMovieGenres": "Genres",
+ "ViewTypeMusicLatest": "Latest",
+ "ViewTypeMusicAlbums": "Albums",
+ "ViewTypeMusicAlbumArtists": "Album Artists",
+ "HeaderOtherDisplaySettings": "Display Settings",
+ "ViewTypeMusicSongs": "Songs",
+ "ViewTypeMusicFavorites": "Favorites",
+ "ViewTypeMusicFavoriteAlbums": "Favorite Albums",
+ "ViewTypeMusicFavoriteArtists": "Favorite Artists",
+ "ViewTypeMusicFavoriteSongs": "Favorite Songs",
+ "HeaderMyViews": "My Views",
+ "LabelSelectFolderGroups": "Automatically group content from the following folders into views such as Movies, Music and TV:",
+ "LabelSelectFolderGroupsHelp": "Folders that are unchecked will be displayed by themselves in their own view.",
+ "OptionDisplayAdultContent": "Display adult content",
+ "OptionLibraryFolders": "Media folders",
+ "TitleRemoteControl": "Remote Control",
+ "OptionLatestTvRecordings": "Latest recordings",
+ "LabelProtocolInfo": "Protocol info:",
+ "LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
+ "TabKodiMetadata": "Kodi",
+ "HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
+ "LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
+ "LabelKodiMetadataDateFormat": "Release date format:",
+ "LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
+ "LabelKodiMetadataSaveImagePaths": "Save image paths within nfo files",
+ "LabelKodiMetadataSaveImagePathsHelp": "This is recommended if you have image file names that don't conform to Kodi guidelines.",
+ "LabelKodiMetadataEnablePathSubstitution": "Enable path substitution",
+ "LabelKodiMetadataEnablePathSubstitutionHelp": "Enables path substitution of image paths using the server's path substitution settings.",
+ "LabelKodiMetadataEnablePathSubstitutionHelp2": "See path substitution.",
+ "LabelGroupChannelsIntoViews": "Display the following channels directly within my views:",
+ "LabelGroupChannelsIntoViewsHelp": "If enabled, these channels will be displayed directly alongside other views. If disabled, they'll be displayed within a separate Channels view.",
+ "LabelDisplayCollectionsView": "Display a collections view to show movie collections",
+ "LabelKodiMetadataEnableExtraThumbs": "Copy extrafanart into extrathumbs",
+ "LabelKodiMetadataEnableExtraThumbsHelp": "When downloading images they can be saved into both extrafanart and extrathumbs for maximum Kodi skin compatibility.",
+ "TabServices": "Services",
+ "TabLogs": "Logs",
+ "HeaderServerLogFiles": "Server log files:",
+ "TabBranding": "Branding",
+ "HeaderBrandingHelp": "Customize the appearance of Media Browser to fit the needs of your group or organization.",
+ "LabelLoginDisclaimer": "Login disclaimer:",
+ "LabelLoginDisclaimerHelp": "This will be displayed at the bottom of the login page.",
+ "LabelAutomaticallyDonate": "Automatically donate this amount every month",
+ "LabelAutomaticallyDonateHelp": "You can cancel at any time via your PayPal account.",
+ "OptionList": "List",
+ "TabDashboard": "Dashboard",
+ "TitleServer": "Server",
+ "LabelCache": "Cache:",
+ "LabelLogs": "Logs:",
+ "LabelMetadata": "Metadata:",
+ "LabelImagesByName": "Images by name:",
+ "LabelTranscodingTemporaryFiles": "Transcoding temporary files:",
+ "HeaderLatestMusic": "Latest Music",
+ "HeaderBranding": "Branding",
+ "HeaderApiKeys": "Api Keys",
+ "HeaderApiKeysHelp": "External applications are required to have an Api key in order to communicate with Media Browser. Keys are issued by logging in with a Media Browser account, or by manually granting the application a key.",
+ "HeaderApiKey": "Api Key",
+ "HeaderApp": "App",
+ "HeaderDevice": "Device",
+ "HeaderUser": "User",
+ "HeaderDateIssued": "Date Issued",
+ "LabelChapterName": "Chapter {0}",
+ "HeaderNewApiKey": "New Api Key",
+ "LabelAppName": "App name",
+ "LabelAppNameExample": "Example: Sickbeard, NzbDrone",
+ "HeaderNewApiKeyHelp": "Grant an application permission to communicate with Media Browser.",
+ "HeaderHttpHeaders": "Http Headers",
+ "HeaderIdentificationHeader": "Identification Header",
+ "LabelValue": "Value:",
+ "LabelMatchType": "Match type:",
+ "OptionEquals": "Equals",
+ "OptionRegex": "Regex",
+ "OptionSubstring": "Substring",
+ "TabView": "View",
+ "TabSort": "Sort",
+ "TabFilter": "Filter",
+ "ButtonView": "View",
+ "LabelPageSize": "Item limit:"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/zh_CN.json b/MediaBrowser.Server.Implementations/Localization/Server/zh_CN.json
index b8e688b547..aacf3b7fbb 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/zh_CN.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/zh_CN.json
@@ -1,595 +1,4 @@
{
- "LabelCustomPaths": "\u81ea\u5b9a\u4e49\u6240\u9700\u7684\u8def\u5f84\uff0c\u5982\u679c\u5b57\u6bb5\u4e3a\u7a7a\u5219\u4f7f\u7528\u9ed8\u8ba4\u503c\u3002",
- "LabelCachePath": "\u7f13\u5b58\u8def\u5f84\uff1a",
- "LabelCachePathHelp": "\u81ea\u5b9a\u4e49\u670d\u52a1\u5668\u7f13\u5b58\u6587\u4ef6\u4f4d\u7f6e\uff0c\u4f8b\u5982\u56fe\u7247\u4f4d\u7f6e\u3002",
- "LabelImagesByNamePath": "\u6309\u540d\u79f0\u5f52\u7c7b\u7684\u56fe\u7247\u8def\u5f84\uff1a",
- "LabelImagesByNamePathHelp": "\u81ea\u5b9a\u4e49\u4e0b\u8f7d\u7684\u6f14\u5458\u3001\u827a\u672f\u5bb6\u3001\u98ce\u683c\u548c\u5de5\u4f5c\u5ba4\u56fe\u7247\u4f4d\u7f6e\u3002",
- "LabelMetadataPath": "\u5a92\u4f53\u8d44\u6599\u8def\u5f84\uff1a",
- "LabelMetadataPathHelp": "\u5982\u679c\u4e0d\u4fdd\u5b58\u5a92\u4f53\u6587\u4ef6\u5939\u5185\uff0c\u8bf7\u81ea\u5b9a\u4e49\u4e0b\u8f7d\u7684\u5a92\u4f53\u8d44\u6599\u548c\u56fe\u50cf\u4f4d\u7f6e\u3002",
- "LabelTranscodingTempPath": "\u4e34\u65f6\u89e3\u7801\u8def\u5f84\uff1a",
- "LabelTranscodingTempPathHelp": "\u6b64\u6587\u4ef6\u5939\u5305\u542b\u7528\u4e8e\u8f6c\u7801\u7684\u5de5\u4f5c\u6587\u4ef6\u3002\u8bf7\u81ea\u5b9a\u4e49\u8def\u5f84\uff0c\u6216\u7559\u7a7a\u4ee5\u4f7f\u7528\u9ed8\u8ba4\u7684\u670d\u52a1\u5668\u6570\u636e\u6587\u4ef6\u5939\u3002",
- "TabBasics": "\u57fa\u7840",
- "TabTV": "\u7535\u89c6",
- "TabGames": "\u6e38\u620f",
- "TabMusic": "\u97f3\u4e50",
- "TabOthers": "\u5176\u4ed6",
- "HeaderExtractChapterImagesFor": "\u4ece\u9009\u62e9\u7ae0\u8282\u4e2d\u63d0\u53d6\u56fe\u7247\uff1a",
- "OptionMovies": "\u7535\u5f71",
- "OptionEpisodes": "\u5267\u96c6",
- "OptionOtherVideos": "\u5176\u4ed6\u89c6\u9891",
- "TitleMetadata": "\u5a92\u4f53\u8d44\u6599",
- "LabelAutomaticUpdatesFanart": "\u542f\u7528\u4eceFanArt.tv\u81ea\u52a8\u66f4\u65b0",
- "LabelAutomaticUpdatesTmdb": "\u542f\u7528\u4eceTheMovieDB.org\u81ea\u52a8\u66f4\u65b0",
- "LabelAutomaticUpdatesTvdb": "\u542f\u7528\u4eceTheTVDB.com\u81ea\u52a8\u66f4\u65b0",
- "LabelAutomaticUpdatesFanartHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e00\u65e6\u6709\u65b0\u7684\u56fe\u50cf\u6dfb\u52a0\u5230fanart.tv\uff0c\u5b83\u4eec\u5c06\u88ab\u81ea\u52a8\u4e0b\u8f7d\u3002\u73b0\u6709\u7684\u56fe\u50cf\u4e0d\u4f1a\u88ab\u53d6\u4ee3\u3002",
- "LabelAutomaticUpdatesTmdbHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e00\u65e6\u6709\u65b0\u7684\u56fe\u50cf\u6dfb\u52a0\u5230TheMovieDB.org\u4e0a\uff0c\u5b83\u4eec\u5c06\u88ab\u81ea\u52a8\u4e0b\u8f7d\u3002\u73b0\u6709\u7684\u56fe\u50cf\u4e0d\u4f1a\u88ab\u53d6\u4ee3\u3002",
- "LabelAutomaticUpdatesTvdbHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e00\u65e6\u6709\u65b0\u7684\u56fe\u50cf\u6dfb\u52a0\u5230TheTVDB.com\u4e0a\uff0c\u5b83\u4eec\u5c06\u88ab\u81ea\u52a8\u4e0b\u8f7d\u3002\u73b0\u6709\u7684\u56fe\u50cf\u4e0d\u4f1a\u88ab\u53d6\u4ee3\u3002",
- "ExtractChapterImagesHelp": "\u4ece\u7ae0\u8282\u4e2d\u63d0\u53d6\u7684\u56fe\u7247\u5c06\u5141\u8bb8\u5ba2\u6237\u7aef\u663e\u793a\u56fe\u5f62\u9009\u62e9\u83dc\u5355\u3002\u8fd9\u4e2a\u8fc7\u7a0b\u53ef\u80fd\u4f1a\u5f88\u6162\uff0c \u66f4\u591a\u7684\u5360\u7528CPU\u8d44\u6e90\uff0c\u5e76\u4e14\u4f1a\u9700\u8981\u51e0\u4e2aGB\u7684\u786c\u76d8\u7a7a\u95f4\u3002\u5b83\u88ab\u9ed8\u8ba4\u8bbe\u7f6e\u4e8e\u6bcf\u665a\u51cc\u66684\u70b9\u8fd0\u884c\uff0c\u867d\u7136\u8fd9\u53ef\u4ee5\u5728\u8ba1\u5212\u4efb\u52a1\u4e2d\u914d\u7f6e\uff0c\u4f46\u6211\u4eec\u4e0d\u5efa\u8bae\u5728\u9ad8\u5cf0\u4f7f\u7528\u65f6\u95f4\u8fd0\u884c\u8be5\u4efb\u52a1\u3002",
- "LabelMetadataDownloadLanguage": "\u9996\u9009\u4e0b\u8f7d\u8bed\u8a00\uff1a",
- "ButtonAutoScroll": "\u81ea\u52a8\u6eda\u52a8",
- "LabelImageSavingConvention": "\u56fe\u7247\u4fdd\u5b58\u547d\u540d\u89c4\u5219",
- "LabelImageSavingConventionHelp": "Media Browser\u80fd\u591f\u8bc6\u522b\u5927\u90e8\u5206\u4e3b\u6d41\u5a92\u4f53\u7a0b\u5e8f\u547d\u540d\u7684\u56fe\u50cf\u3002\u5982\u679c\u4f60\u540c\u65f6\u8fd8\u5728\u4f7f\u7528\u5176\u4ed6\u5a92\u4f53\u7a0b\u5e8f\uff0c\u9009\u62e9\u4e0b\u8f7d\u547d\u540d\u89c4\u5219\u662f\u975e\u5e38\u6709\u5e2e\u52a9\u7684\u3002",
- "OptionImageSavingCompatible": "\u517c\u5bb9 - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "\u6807\u51c6 - MB2",
- "ButtonSignIn": "\u767b\u5f55",
- "TitleSignIn": "\u767b\u5f55",
- "HeaderPleaseSignIn": "\u8bf7\u767b\u5f55",
- "LabelUser": "\u7528\u6237\uff1a",
- "LabelPassword": "\u5bc6\u7801\uff1a",
- "ButtonManualLogin": "\u624b\u52a8\u767b\u5f55",
- "PasswordLocalhostMessage": "\u4ece\u672c\u5730\u4e3b\u673a\u767b\u5f55\u4e0d\u9700\u8981\u5bc6\u7801\u3002",
- "TabGuide": "\u6307\u5357",
- "TabChannels": "\u9891\u9053",
- "TabCollections": "\u5408\u96c6",
- "HeaderChannels": "\u9891\u9053",
- "TabRecordings": "\u5f55\u5236",
- "TabScheduled": "\u9884\u5b9a",
- "TabSeries": "\u7535\u89c6\u5267",
- "TabFavorites": "\u6211\u7684\u6700\u7231",
- "TabMyLibrary": "\u6211\u7684\u5a92\u4f53\u5e93",
- "ButtonCancelRecording": "\u53d6\u6d88\u5f55\u5236",
- "HeaderPrePostPadding": "\u9884\u5148\/\u540e\u671f\u586b\u5145",
- "LabelPrePaddingMinutes": "\u9884\u5148\u5145\u586b\u5206\u949f\u6570\uff1a",
- "OptionPrePaddingRequired": "\u5f55\u5236\u9700\u8981\u9884\u5148\u5145\u586b\u3002",
- "LabelPostPaddingMinutes": "\u540e\u671f\u586b\u5145\u5206\u949f\u6570\uff1a",
- "OptionPostPaddingRequired": "\u5f55\u5236\u9700\u8981\u540e\u671f\u586b\u5145\u3002",
- "HeaderWhatsOnTV": "\u6b63\u5728\u64ad\u653e",
- "HeaderUpcomingTV": "\u5373\u5c06\u63a8\u51fa\u7684\u7535\u89c6\u8282\u76ee",
- "TabStatus": "\u72b6\u6001",
- "TabSettings": "\u8bbe\u7f6e",
- "ButtonRefreshGuideData": "\u5237\u65b0\u6307\u5357\u6570\u636e",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "\u4f18\u5148",
- "OptionRecordOnAllChannels": "\u5f55\u5236\u6240\u6709\u9891\u9053",
- "OptionRecordAnytime": "\u5f55\u5236\u6240\u6709\u65f6\u6bb5",
- "OptionRecordOnlyNewEpisodes": "\u53ea\u5f55\u5236\u65b0\u5267\u96c6",
- "HeaderDays": "\u5929",
- "HeaderActiveRecordings": "\u6b63\u5728\u5f55\u5236\u7684\u8282\u76ee",
- "HeaderLatestRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee",
- "HeaderAllRecordings": "\u6240\u6709\u5f55\u5236\u7684\u8282\u76ee",
- "ButtonPlay": "\u64ad\u653e",
- "ButtonEdit": "\u7f16\u8f91",
- "ButtonRecord": "\u5f55\u5236",
- "ButtonDelete": "\u5220\u9664",
- "ButtonRemove": "\u79fb\u9664",
- "OptionRecordSeries": "\u5f55\u5236\u7535\u89c6\u5267",
- "HeaderDetails": "\u8be6\u7ec6\u8d44\u6599",
- "TitleLiveTV": "\u7535\u89c6\u76f4\u64ad",
- "LabelNumberOfGuideDays": "\u4e0b\u8f7d\u51e0\u5929\u7684\u8282\u76ee\u6307\u5357\uff1a",
- "LabelNumberOfGuideDaysHelp": "\u4e0b\u8f7d\u66f4\u591a\u5929\u7684\u8282\u76ee\u6307\u5357\u53ef\u4ee5\u5e2e\u4f60\u8fdb\u4e00\u6b65\u67e5\u770b\u8282\u76ee\u5217\u8868\u5e76\u505a\u51fa\u63d0\u524d\u5b89\u6392\uff0c\u4f46\u4e0b\u8f7d\u8fc7\u7a0b\u4e5f\u5c06\u8017\u65f6\u66f4\u4e45\u3002\u5b83\u5c06\u57fa\u4e8e\u9891\u9053\u6570\u91cf\u81ea\u52a8\u9009\u62e9\u3002",
- "LabelActiveService": "\u8fd0\u884c\u4e2d\u7684\u670d\u52a1\uff1a",
- "LabelActiveServiceHelp": "\u591a\u4e2a\u7535\u89c6\u63d2\u4ef6\u53ef\u4ee5\u5b89\u88c5\uff0c\u4f46\u5728\u540c\u4e00\u65f6\u95f4\u53ea\u6709\u4e00\u4e2a\u53ef\u4ee5\u8fd0\u884c\u3002",
- "OptionAutomatic": "\u81ea\u52a8",
- "LiveTvPluginRequired": "\u8981\u7ee7\u7eed\u7684\u8bdd\u8bf7\u81f3\u5c11\u5b89\u88c5\u4e00\u4e2a\u7535\u89c6\u76f4\u64ad\u63d2\u4ef6\u3002",
- "LiveTvPluginRequiredHelp": "\u8bf7\u81f3\u5c11\u5b89\u88c5\u4e00\u4e2a\u6211\u4eec\u6240\u63d0\u4f9b\u7684\u63d2\u4ef6\uff0c\u4f8b\u5982\uff1aNext Pvr \u6216\u8005 ServerWmc\u3002",
- "LabelCustomizeOptionsPerMediaType": "\u81ea\u5b9a\u4e49\u5a92\u4f53\u7c7b\u578b\uff1a",
- "OptionDownloadThumbImage": "\u7f29\u7565\u56fe",
- "OptionDownloadMenuImage": "\u83dc\u5355",
- "OptionDownloadLogoImage": "\u6807\u5fd7",
- "OptionDownloadBoxImage": "\u5305\u88c5",
- "OptionDownloadDiscImage": "\u5149\u76d8",
- "OptionDownloadBannerImage": "\u6a2a\u5e45",
- "OptionDownloadBackImage": "\u5305\u88c5\u80cc\u9762",
- "OptionDownloadArtImage": "\u827a\u672f\u56fe",
- "OptionDownloadPrimaryImage": "\u5c01\u9762\u56fe",
- "HeaderFetchImages": "\u83b7\u53d6\u56fe\u50cf\uff1a",
- "HeaderImageSettings": "\u56fe\u7247\u8bbe\u7f6e",
- "TabOther": "\u5176\u4ed6",
- "LabelMaxBackdropsPerItem": "\u6bcf\u4e2a\u9879\u76ee\u6700\u5927\u80cc\u666f\u56fe\u6570\u76ee\uff1a",
- "LabelMaxScreenshotsPerItem": "\u6bcf\u4e2a\u9879\u76ee\u6700\u5927\u622a\u56fe\u6570\u76ee\uff1a",
- "LabelMinBackdropDownloadWidth": "\u4e0b\u8f7d\u80cc\u666f\u56fe\u7684\u6700\u5c0f\u5bbd\u5ea6\uff1a",
- "LabelMinScreenshotDownloadWidth": "\u4e0b\u8f7d\u622a\u56fe\u7684\u6700\u5c0f\u5bbd\u5ea6\uff1a",
- "ButtonAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6",
- "HeaderAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6",
- "ButtonAdd": "\u6dfb\u52a0",
- "LabelTriggerType": "\u89e6\u53d1\u7c7b\u578b\uff1a",
- "OptionDaily": "\u6bcf\u65e5",
- "OptionWeekly": "\u6bcf\u5468",
- "OptionOnInterval": "\u5728\u4e00\u4e2a\u671f\u95f4",
- "OptionOnAppStartup": "\u5728\u7a0b\u5e8f\u542f\u52a8\u65f6",
- "OptionAfterSystemEvent": "\u7cfb\u7edf\u4e8b\u4ef6\u4e4b\u540e",
- "LabelDay": "\u65e5\uff1a",
- "LabelTime": "\u65f6\u95f4\uff1a",
- "LabelEvent": "\u4e8b\u4ef6\uff1a",
- "OptionWakeFromSleep": "\u4ece\u7761\u7720\u4e2d\u5524\u9192",
- "LabelEveryXMinutes": "\u6bcf\uff1a",
- "HeaderTvTuners": "\u8c03\u8c10\u5668",
- "HeaderGallery": "\u56fe\u5e93",
- "HeaderLatestGames": "\u6700\u65b0\u6e38\u620f",
- "HeaderRecentlyPlayedGames": "\u6700\u8fd1\u73a9\u8fc7\u7684\u6e38\u620f",
- "TabGameSystems": "\u6e38\u620f\u7cfb\u7edf",
- "TitleMediaLibrary": "\u5a92\u4f53\u5e93",
- "TabFolders": "\u6587\u4ef6\u5939",
- "TabPathSubstitution": "\u8def\u5f84\u66ff\u6362",
- "LabelSeasonZeroDisplayName": "\u7b2c0\u5b63\u663e\u793a\u540d\u79f0\u4e3a\uff1a",
- "LabelEnableRealtimeMonitor": "\u542f\u7528\u5b9e\u65f6\u76d1\u63a7",
- "LabelEnableRealtimeMonitorHelp": "\u7acb\u5373\u5904\u7406\u652f\u6301\u7684\u6587\u4ef6\u7cfb\u7edf\u66f4\u6539\u3002",
- "ButtonScanLibrary": "\u626b\u63cf\u5a92\u4f53\u5e93",
- "HeaderNumberOfPlayers": "\u73a9\u5bb6\u6570\uff1a",
- "OptionAnyNumberOfPlayers": "\u4efb\u610f",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "\u5a92\u4f53\u6587\u4ef6\u5939",
- "HeaderThemeVideos": "\u4e3b\u9898\u89c6\u9891",
- "HeaderThemeSongs": "\u4e3b\u9898\u6b4c",
- "HeaderScenes": "\u573a\u666f",
- "HeaderAwardsAndReviews": "\u5956\u9879\u4e0e\u8bc4\u8bba",
- "HeaderSoundtracks": "\u539f\u58f0\u97f3\u4e50",
- "HeaderMusicVideos": "\u97f3\u4e50\u89c6\u9891",
- "HeaderSpecialFeatures": "\u7279\u6b8a\u529f\u80fd",
- "HeaderCastCrew": "\u6f14\u804c\u4eba\u5458",
- "HeaderAdditionalParts": "\u9644\u52a0\u90e8\u5206",
- "ButtonSplitVersionsApart": "\u652f\u7ebf\u7248\u672c",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "\u7f3a\u5931",
- "LabelOffline": "\u79bb\u7ebf",
- "PathSubstitutionHelp": "\u8def\u5f84\u66ff\u6362\u7528\u4e8e\u628a\u670d\u52a1\u5668\u4e0a\u7684\u8def\u5f84\u6620\u5c04\u5230\u5ba2\u6237\u7aef\u80fd\u591f\u8bbf\u95ee\u7684\u8def\u5f84\u3002\u5141\u8bb8\u7528\u6237\u76f4\u63a5\u8bbf\u95ee\u670d\u52a1\u5668\u4e0a\u7684\u5a92\u4f53\uff0c\u5e76\u80fd\u591f\u76f4\u63a5\u901a\u8fc7\u7f51\u7edc\u4e0a\u64ad\u653e\uff0c\u53ef\u4ee5\u4e0d\u8fdb\u884c\u8f6c\u6d41\u548c\u8f6c\u7801\uff0c\u4ece\u800c\u8282\u7ea6\u670d\u52a1\u5668\u8d44\u6e90\u3002",
- "HeaderFrom": "\u4ece",
- "HeaderTo": "\u5230",
- "LabelFrom": "\u4ece\uff1a",
- "LabelFromHelp": "\u4f8b\u5982\uff1a D:\\Movies \uff08\u5728\u670d\u52a1\u5668\u4e0a\uff09",
- "LabelTo": "\u5230\uff1a",
- "LabelToHelp": "\u4f8b\u5982\uff1a \\\\MyServer\\Movies \uff08\u5ba2\u6237\u7aef\u80fd\u8bbf\u95ee\u7684\u8def\u5f84\uff09",
- "ButtonAddPathSubstitution": "\u6dfb\u52a0\u8def\u5f84\u66ff\u6362",
- "OptionSpecialEpisode": "\u7279\u96c6",
- "OptionMissingEpisode": "\u7f3a\u5c11\u7684\u5267\u96c6",
- "OptionUnairedEpisode": "\u5c1a\u672a\u53d1\u5e03\u7684\u5267\u96c6",
- "OptionEpisodeSortName": "\u5267\u96c6\u540d\u79f0\u6392\u5e8f",
- "OptionSeriesSortName": "\u7535\u89c6\u5267\u540d\u79f0",
- "OptionTvdbRating": "Tvdb \u8bc4\u5206",
- "HeaderTranscodingQualityPreference": "\u8f6c\u7801\u8d28\u91cf\u504f\u597d\uff1a",
- "OptionAutomaticTranscodingHelp": "\u7531\u670d\u52a1\u5668\u81ea\u52a8\u9009\u62e9\u8d28\u91cf\u4e0e\u901f\u5ea6",
- "OptionHighSpeedTranscodingHelp": "\u4f4e\u8d28\u91cf\uff0c\u8f6c\u7801\u5feb",
- "OptionHighQualityTranscodingHelp": "\u9ad8\u8d28\u91cf\uff0c\u8f6c\u7801\u6162",
- "OptionMaxQualityTranscodingHelp": "\u6700\u9ad8\u8d28\u91cf\uff0c\u8f6c\u7801\u66f4\u6162\u4e14CPU\u5360\u7528\u5f88\u9ad8",
- "OptionHighSpeedTranscoding": "\u66f4\u9ad8\u901f\u5ea6",
- "OptionHighQualityTranscoding": "\u66f4\u9ad8\u8d28\u91cf",
- "OptionMaxQualityTranscoding": "\u6700\u9ad8\u8d28\u91cf",
- "OptionEnableDebugTranscodingLogging": "\u542f\u7528\u8f6c\u7801\u9664\u9519\u65e5\u5fd7",
- "OptionEnableDebugTranscodingLoggingHelp": "\u8fd9\u5c06\u521b\u5efa\u4e00\u4e2a\u975e\u5e38\u5927\u7684\u65e5\u5fd7\u6587\u4ef6\uff0c\u4ec5\u63a8\u8350\u5728\u6392\u9664\u6545\u969c\u65f6\u4f7f\u7528\u3002",
- "OptionUpscaling": "\u5141\u8bb8\u5ba2\u6237\u7aef\u8bf7\u6c42\u653e\u5927\u7684\u89c6\u9891",
- "OptionUpscalingHelp": "\u5728\u67d0\u4e9b\u60c5\u51b5\u4e0b\uff0c\u8fd9\u5c06\u63d0\u9ad8\u89c6\u9891\u8d28\u91cf\uff0c\u4f46\u4f1a\u5bfc\u81f4CPU\u7684\u5360\u7528\u589e\u52a0\u3002",
- "EditCollectionItemsHelp": "\u6dfb\u52a0\u6216\u79fb\u9664\u8fd9\u4e2a\u96c6\u5408\u91cc\u7684\u4efb\u4f55\u7535\u5f71\uff0c\u7535\u89c6\u5267\uff0c\u4e13\u8f91\uff0c\u4e66\u7c4d\u6216\u6e38\u620f\u3002",
- "HeaderAddTitles": "\u6dfb\u52a0\u6807\u9898",
- "LabelEnableDlnaPlayTo": "\u64ad\u653e\u5230DLNA\u8bbe\u5907",
- "LabelEnableDlnaPlayToHelp": "Media Browser \u53ef\u4ee5\u68c0\u6d4b\u5230\u4f60\u7f51\u7edc\u4e2d\u7684\u517c\u5bb9\u8bbe\u5907\uff0c\u5e76\u63d0\u4f9b\u8fdc\u7a0b\u63a7\u5236\u5b83\u4eec\u7684\u80fd\u529b\u3002",
- "LabelEnableDlnaDebugLogging": "\u542f\u7528DLNA\u9664\u9519\u65e5\u5fd7",
- "LabelEnableDlnaDebugLoggingHelp": "\u8fd9\u5c06\u521b\u5efa\u4e00\u4e2a\u5f88\u5927\u7684\u65e5\u5fd7\u6587\u4ef6\uff0c\u4ec5\u63a8\u8350\u5728\u6392\u9664\u6545\u969c\u65f6\u4f7f\u7528\u3002",
- "LabelEnableDlnaClientDiscoveryInterval": "\u5ba2\u6237\u7aef\u641c\u5bfb\u65f6\u95f4\u95f4\u9694\uff08\u79d2\uff09",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u786e\u5b9a\u7531Media Browser\u7684SSDP\u8fdb\u884c\u641c\u7d22\u7684\u95f4\u9694\u79d2\u6570\u3002",
- "HeaderCustomDlnaProfiles": "\u81ea\u5b9a\u4e49\u914d\u7f6e",
- "HeaderSystemDlnaProfiles": "\u7cfb\u7edf\u914d\u7f6e",
- "CustomDlnaProfilesHelp": "\u4e3a\u65b0\u7684\u8bbe\u5907\u521b\u5efa\u81ea\u5b9a\u4e49\u914d\u7f6e\u6587\u4ef6\u6216\u8986\u76d6\u539f\u6709\u7cfb\u7edf\u914d\u7f6e\u6587\u4ef6\u3002",
- "SystemDlnaProfilesHelp": "\u7cfb\u7edf\u914d\u7f6e\u4e3a\u53ea\u8bfb\uff0c\u66f4\u6539\u7cfb\u7edf\u914d\u7f6e\u5c06\u4fdd\u6301\u4e3a\u65b0\u7684\u81ea\u5b9a\u4e49\u914d\u7f6e\u6587\u4ef6\u3002",
- "TitleDashboard": "\u63a7\u5236\u53f0",
- "TabHome": "\u9996\u9875",
- "TabInfo": "\u4fe1\u606f",
- "HeaderLinks": "\u94fe\u63a5",
- "HeaderSystemPaths": "\u7cfb\u7edf\u8def\u5f84",
- "LinkCommunity": "\u793e\u533a",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "Api \u6587\u6863",
- "LabelFriendlyServerName": "\u53cb\u597d\u7684\u670d\u52a1\u5668\u540d\u79f0\uff1a",
- "LabelFriendlyServerNameHelp": "\u6b64\u540d\u79f0\u5c06\u7528\u505a\u670d\u52a1\u5668\u540d\uff0c\u5982\u679c\u7559\u7a7a\uff0c\u5c06\u4f7f\u7528\u8ba1\u7b97\u673a\u540d\u3002",
- "LabelPreferredDisplayLanguage": "\u9996\u9009\u663e\u793a\u8bed\u8a00",
- "LabelPreferredDisplayLanguageHelp": "\u7ffb\u8bd1Media Browser\u662f\u4e00\u4e2a\u6b63\u5728\u8fdb\u884c\u7684\u9879\u76ee\uff0c\u5c1a\u672a\u5168\u90e8\u5b8c\u6210\u3002",
- "LabelReadHowYouCanContribute": "\u9605\u8bfb\u5173\u4e8e\u5982\u4f55\u4e3aMedia Browser\u8d21\u732e\u529b\u91cf\u3002",
- "HeaderNewCollection": "\u65b0\u5408\u96c6",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "\u4f8b\u5982\uff1a\u661f\u7403\u5927\u6218\u5408\u96c6",
- "OptionSearchForInternetMetadata": "\u5728\u4e92\u8054\u7f51\u4e0a\u641c\u7d22\u5a92\u4f53\u56fe\u50cf\u548c\u8d44\u6599",
- "ButtonCreate": "\u521b\u5efa",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "Web Socket\u7aef\u53e3\u53f7\uff1a",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "\u5916\u90e8DDNS\uff1a",
- "LabelExternalDDNSHelp": "\u5982\u679c\u4f60\u5728\u8fd9\u91cc\u8f93\u5165\u52a8\u6001\u7684DNS\u3002Media Browser\u7684\u5ba2\u6237\u7aef\u7a0b\u5e8f\u5c06\u53ef\u4ee5\u4f7f\u7528\u5b83\u8fdb\u884c\u8fdc\u7a0b\u8fde\u63a5\u3002",
- "TabResume": "\u6062\u590d\u64ad\u653e",
- "TabWeather": "\u5929\u6c14",
- "TitleAppSettings": "\u5ba2\u6237\u7aef\u7a0b\u5e8f\u8bbe\u7f6e",
- "LabelMinResumePercentage": "\u6062\u590d\u64ad\u653e\u6700\u5c0f\u767e\u5206\u6bd4\uff1a",
- "LabelMaxResumePercentage": "\u6062\u590d\u64ad\u653e\u6700\u5927\u767e\u5206\u6bd4\uff1a",
- "LabelMinResumeDuration": "\u6062\u590d\u64ad\u653e\u6700\u5c0f\u65f6\u95f4\uff08\u79d2\uff09\uff1a",
- "LabelMinResumePercentageHelp": "\u5982\u679c\u5728\u6b64\u65f6\u95f4\u4e4b\u524d\u505c\u6b62\u64ad\u653e\uff0c\u5a92\u4f53\u4f1a\u6807\u8bb0\u4e3a\u201c\u672a\u64ad\u653e\u201d",
- "LabelMaxResumePercentageHelp": "\u5982\u679c\u5728\u6b64\u65f6\u95f4\u4e4b\u540e\u505c\u6b62\u64ad\u653e\uff0c\u5a92\u4f53\u4f1a\u6807\u8bb0\u4e3a\u201c\u5df2\u64ad\u653e\u201d",
- "LabelMinResumeDurationHelp": "\u5a92\u4f53\u64ad\u653e\u65f6\u95f4\u8fc7\u77ed\uff0c\u4e0d\u53ef\u6062\u590d\u64ad\u653e",
- "TitleAutoOrganize": "\u81ea\u52a8\u6574\u7406",
- "TabActivityLog": "\u6d3b\u52a8\u65e5\u5fd7",
- "HeaderName": "\u540d\u5b57",
- "HeaderDate": "\u65e5\u671f",
- "HeaderSource": "\u6765\u6e90",
- "HeaderDestination": "\u76ee\u7684\u5730",
- "HeaderProgram": "\u7a0b\u5e8f",
- "HeaderClients": "\u5ba2\u6237\u7aef",
- "LabelCompleted": "\u5b8c\u6210",
- "LabelFailed": "Failed",
- "LabelSkipped": "\u8df3\u8fc7",
- "HeaderEpisodeOrganization": "\u5267\u96c6\u6574\u7406",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "\u591a\u5c11\u5b63\uff1a",
- "LabelEpisodeNumber": "\u591a\u5c11\u96c6\uff1a",
- "LabelEndingEpisodeNumber": "\u6700\u540e\u4e00\u96c6\u6570\u5b57\uff1a",
- "LabelEndingEpisodeNumberHelp": "\u53ea\u9700\u8981\u591a\u96c6\u6587\u4ef6",
- "HeaderSupportTheTeam": "\u652f\u6301Media Browser\u5c0f\u7ec4",
- "LabelSupportAmount": "\u91d1\u989d\uff08\u7f8e\u5143\uff09",
- "HeaderSupportTheTeamHelp": "\u4e3a\u786e\u4fdd\u8be5\u9879\u76ee\u7684\u6301\u7eed\u53d1\u5c55\u3002\u6350\u6b3e\u7684\u4e00\u90e8\u5206\u5c06\u8d21\u732e\u7ed9\u6211\u4eec\u6240\u4f9d\u8d56\u5176\u4ed6\u7684\u514d\u8d39\u5de5\u5177\u3002",
- "ButtonEnterSupporterKey": "\u8f93\u5165\u652f\u6301\u8005\u5e8f\u53f7",
- "DonationNextStep": "\u5b8c\u6210\u540e\uff0c\u8bf7\u8fd4\u56de\u5e76\u8f93\u5165\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\uff0c\u8be5\u5e8f\u5217\u53f7\u901a\u8fc7\u7535\u5b50\u90ae\u4ef6\u63a5\u6536\u3002",
- "AutoOrganizeHelp": "\u81ea\u52a8\u6574\u7406\u4f1a\u76d1\u63a7\u4f60\u4e0b\u8f7d\u6587\u4ef6\u5939\u4e2d\u7684\u65b0\u6587\u4ef6\uff0c\u5e76\u4e14\u4f1a\u81ea\u52a8\u628a\u5b83\u4eec\u79fb\u52a8\u5230\u4f60\u7684\u5a92\u4f53\u6587\u4ef6\u5939\u4e2d\u3002",
- "AutoOrganizeTvHelp": "\u7535\u89c6\u6587\u4ef6\u6574\u7406\u4ec5\u4f1a\u6dfb\u52a0\u5267\u96c6\u5230\u4f60\u73b0\u6709\u7684\u7535\u89c6\u5267\u4e2d\uff0c\u4e0d\u4f1a\u521b\u5efa\u65b0\u7684\u7535\u89c6\u5267\u6587\u4ef6\u5939\u3002",
- "OptionEnableEpisodeOrganization": "\u542f\u7528\u65b0\u5267\u96c6\u6574\u7406",
- "LabelWatchFolder": "\u76d1\u63a7\u6587\u4ef6\u5939\uff1a",
- "LabelWatchFolderHelp": "\u670d\u52a1\u5668\u5c06\u5728\u201c\u6574\u7406\u65b0\u5a92\u4f53\u6587\u4ef6\u201d\u8ba1\u5212\u4efb\u52a1\u4e2d\u67e5\u8be2\u8be5\u6587\u4ef6\u5939\u3002",
- "ButtonViewScheduledTasks": "\u67e5\u770b\u8ba1\u5212\u4efb\u52a1",
- "LabelMinFileSizeForOrganize": "\u6700\u5c0f\u6587\u4ef6\u5927\u5c0f\uff08MB\uff09\uff1a",
- "LabelMinFileSizeForOrganizeHelp": "\u5ffd\u7565\u5c0f\u4e8e\u6b64\u5927\u5c0f\u7684\u6587\u4ef6\u3002",
- "LabelSeasonFolderPattern": "\u5b63\u6587\u4ef6\u5939\u6a21\u5f0f\uff1a",
- "LabelSeasonZeroFolderName": "\u7b2c0\u5b63\u6587\u4ef6\u5939\u540d\u79f0\uff1a",
- "HeaderEpisodeFilePattern": "\u5267\u96c6\u6587\u4ef6\u6a21\u5f0f",
- "LabelEpisodePattern": "\u5267\u96c6\u6a21\u5f0f\uff1a",
- "LabelMultiEpisodePattern": "\u591a\u96c6\u6a21\u5f0f\uff1a",
- "HeaderSupportedPatterns": "\u652f\u6301\u7684\u6a21\u5f0f",
- "HeaderTerm": "\u671f\u9650",
- "HeaderPattern": "\u6a21\u5f0f",
- "HeaderResult": "\u7ed3\u5c40",
- "LabelDeleteEmptyFolders": "\u6574\u7406\u540e\u5220\u9664\u7a7a\u6587\u4ef6\u5939",
- "LabelDeleteEmptyFoldersHelp": "\u542f\u7528\u4ee5\u4fdd\u6301\u4e0b\u8f7d\u76ee\u5f55\u6574\u6d01\u3002",
- "LabelDeleteLeftOverFiles": "\u5220\u9664\u5177\u6709\u4ee5\u4e0b\u6269\u5c55\u540d\u7684\u9057\u7559\u6587\u4ef6\uff1a",
- "LabelDeleteLeftOverFilesHelp": "\u5206\u9694\u7b26 ;. \u4f8b\u5982\uff1a.nfo;.txt",
- "OptionOverwriteExistingEpisodes": "\u8986\u76d6\u73b0\u6709\u5267\u96c6",
- "LabelTransferMethod": "\u79fb\u52a8\u65b9\u5f0f",
- "OptionCopy": "\u590d\u5236",
- "OptionMove": "\u79fb\u52a8",
- "LabelTransferMethodHelp": "\u4ece\u76d1\u63a7\u6587\u4ef6\u5939\u590d\u5236\u6216\u79fb\u52a8\u6587\u4ef6",
- "HeaderLatestNews": "\u6700\u65b0\u6d88\u606f",
- "HeaderHelpImproveMediaBrowser": "\u5e2e\u52a9\u63d0\u5347Media Browser",
- "HeaderRunningTasks": "\u8fd0\u884c\u7684\u4efb\u52a1",
- "HeaderActiveDevices": "\u6d3b\u52a8\u7684\u8bbe\u5907",
- "HeaderPendingInstallations": "\u7b49\u5f85\u5b89\u88c5",
- "HeaerServerInformation": "\u670d\u52a1\u5668\u4fe1\u606f",
- "ButtonRestartNow": "\u73b0\u5728\u91cd\u542f",
- "ButtonRestart": "\u91cd\u542f",
- "ButtonShutdown": "\u5173\u673a",
- "ButtonUpdateNow": "\u73b0\u5728\u66f4\u65b0",
- "PleaseUpdateManually": "\u8bf7\u5173\u95ed\u670d\u52a1\u5668\u5e76\u624b\u52a8\u66f4\u65b0\u3002",
- "NewServerVersionAvailable": "Media Browser\u670d\u52a1\u5668\u6709\u65b0\u7248\u672c\u53ef\u7528\uff01",
- "ServerUpToDate": "Media Browser\u670d\u52a1\u5668\u662f\u6700\u65b0\u7684",
- "ErrorConnectingToMediaBrowserRepository": "\u8fdc\u7a0b\u8fde\u63a5Media Browser\u8d44\u6599\u5e93\u51fa\u9519\u3002",
- "LabelComponentsUpdated": "\u4e0b\u9762\u7684\u7ec4\u4ef6\u5df2\u5b89\u88c5\u6216\u66f4\u65b0\uff1a",
- "MessagePleaseRestartServerToFinishUpdating": "\u8bf7\u91cd\u65b0\u542f\u52a8\u670d\u52a1\u5668\u6765\u5b8c\u6210\u5e94\u7528\u66f4\u65b0\u3002",
- "LabelDownMixAudioScale": "\u7f29\u6df7\u97f3\u9891\u589e\u5f3a\uff1a",
- "LabelDownMixAudioScaleHelp": "\u7f29\u6df7\u97f3\u9891\u589e\u5f3a\u3002\u8bbe\u7f6e\u4e3a1\uff0c\u5c06\u4fdd\u7559\u539f\u6765\u7684\u97f3\u91cf\u00b7\u3002",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "\u65e7\u7684\u652f\u6301\u8005\u5e8f\u53f7",
- "LabelNewSupporterKey": "\u65b0\u7684\u652f\u6301\u8005\u5e8f\u53f7",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "\u73b0\u6709\u90ae\u7bb1\u5730\u5740",
- "LabelCurrentEmailAddressHelp": "\u6536\u53d6\u65b0\u5e8f\u53f7\u7684\u73b0\u6709\u90ae\u7bb1\u5730\u5740\u3002",
- "HeaderForgotKey": "\u5fd8\u8bb0\u5e8f\u53f7",
- "LabelEmailAddress": "\u90ae\u7bb1\u5730\u5740",
- "LabelSupporterEmailAddress": "\u8d2d\u4e70\u5e8f\u53f7\u7684\u90ae\u7bb1\u5730\u5740\u3002",
- "ButtonRetrieveKey": "\u53d6\u56de\u5e8f\u53f7",
- "LabelSupporterKey": "\u652f\u6301\u8005\u5e8f\u53f7\uff08\u4ece\u90ae\u4ef6\u7c98\u8d34\uff09",
- "LabelSupporterKeyHelp": "\u8f93\u5165\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\u5f00\u59cb\u4eab\u53d7\u793e\u533a\u4e3aMedia Browser\u5f00\u53d1\u7684\u989d\u5916\u597d\u5904\u3002",
- "MessageInvalidKey": "\u652f\u6301\u8005\u5e8f\u53f7\u9519\u8bef\u6216\u4e0d\u5b58\u5728\u3002",
- "ErrorMessageInvalidKey": "\u4e3a\u4e86\u6ce8\u518c\u9ad8\u7ea7\u5185\u5bb9\uff0c\u4f60\u5fc5\u987b\u6210\u4e3a\u4e00\u4e2aMedia Browser\u652f\u6301\u8005\u3002\u8bf7\u6350\u6b3e\u652f\u6301\u6838\u5fc3\u4ea7\u54c1\u7684\u6301\u7eed\u5f00\u53d1\u3002\u8c22\u8c22\u3002",
- "HeaderDisplaySettings": "\u663e\u793a\u8bbe\u7f6e",
- "TabPlayTo": "\u64ad\u653e\u5230",
- "LabelEnableDlnaServer": "\u542f\u7528Dlna\u670d\u52a1\u5668",
- "LabelEnableDlnaServerHelp": "\u5141\u8bb8\u7f51\u7edc\u4e0a\u7684UPnP\u8bbe\u5907\u6d4f\u89c8\u548c\u64ad\u653eMedia Browser\u7684\u5185\u5bb9\u3002",
- "LabelEnableBlastAliveMessages": "\u7206\u53d1\u6d3b\u52a8\u4fe1\u53f7",
- "LabelEnableBlastAliveMessagesHelp": "\u5982\u679c\u8be5\u670d\u52a1\u5668\u4e0d\u80fd\u88ab\u7f51\u7edc\u4e2d\u7684\u5176\u4ed6UPnP\u8bbe\u5907\u68c0\u6d4b\u5230\uff0c\u8bf7\u542f\u7528\u6b64\u9009\u9879\u3002",
- "LabelBlastMessageInterval": "\u6d3b\u52a8\u4fe1\u53f7\u7684\u65f6\u95f4\u95f4\u9694\uff08\u79d2\uff09",
- "LabelBlastMessageIntervalHelp": "\u786e\u5b9a\u7531\u670d\u52a1\u5668\u6d3b\u52a8\u4fe1\u53f7\u7684\u95f4\u9694\u79d2\u6570\u3002",
- "LabelDefaultUser": "\u9ed8\u8ba4\u7528\u6237\uff1a",
- "LabelDefaultUserHelp": "\u786e\u5b9a\u54ea\u4e9b\u7528\u6237\u5a92\u4f53\u5e93\u5c06\u663e\u793a\u5728\u8fde\u63a5\u8bbe\u5907\u4e0a\u3002\u8fd9\u53ef\u4ee5\u4e3a\u6bcf\u4e2a\u8bbe\u5907\u63d0\u4f9b\u4e0d\u540c\u7684\u7528\u6237\u914d\u7f6e\u6587\u4ef6\u3002",
- "TitleDlna": "DLNA",
- "TitleChannels": "\u9891\u9053",
- "HeaderServerSettings": "\u670d\u52a1\u5668\u8bbe\u7f6e",
- "LabelWeatherDisplayLocation": "\u5929\u6c14\u9884\u62a5\u663e\u793a\u4f4d\u7f6e\uff1a",
- "LabelWeatherDisplayLocationHelp": "\u7f8e\u56fd\u90ae\u653f\u7f16\u7801\/\u57ce\u5e02\uff0c\u7701\uff0c\u56fd\u5bb6\/\u57ce\u5e02\uff0c\u56fd\u5bb6",
- "LabelWeatherDisplayUnit": "\u6e29\u5ea6\u663e\u793a\u5355\u4f4d\uff1a",
- "OptionCelsius": "\u6444\u6c0f\u5ea6",
- "OptionFahrenheit": "\u534e\u6c0f\u5ea6",
- "HeaderRequireManualLogin": "\u9700\u8981\u624b\u5de5\u5f55\u5165\u7528\u6237\u540d\uff1a",
- "HeaderRequireManualLoginHelp": "\u7981\u7528\u5ba2\u6237\u7aef\u65f6\uff0c\u4f1a\u51fa\u73b0\u53ef\u89c6\u5316\u7528\u6237\u9009\u62e9\u767b\u5f55\u754c\u9762\u3002",
- "OptionOtherApps": "\u5176\u4ed6\u5e94\u7528\u7a0b\u5e8f",
- "OptionMobileApps": "\u624b\u673a\u5e94\u7528\u7a0b\u5e8f",
- "HeaderNotificationList": "\u70b9\u51fb\u901a\u77e5\u6765\u914d\u7f6e\u5b83\u7684\u53d1\u9001\u9009\u9879\u3002",
- "NotificationOptionApplicationUpdateAvailable": "\u6709\u53ef\u7528\u7684\u5e94\u7528\u7a0b\u5e8f\u66f4\u65b0",
- "NotificationOptionApplicationUpdateInstalled": "\u5e94\u7528\u7a0b\u5e8f\u66f4\u65b0\u5df2\u5b89\u88c5",
- "NotificationOptionPluginUpdateInstalled": "\u63d2\u4ef6\u66f4\u65b0\u5df2\u5b89\u88c5",
- "NotificationOptionPluginInstalled": "\u63d2\u4ef6\u5df2\u5b89\u88c5",
- "NotificationOptionPluginUninstalled": "\u63d2\u4ef6\u5df2\u5378\u8f7d",
- "NotificationOptionVideoPlayback": "\u89c6\u9891\u5f00\u59cb\u64ad\u653e",
- "NotificationOptionAudioPlayback": "\u97f3\u9891\u5f00\u59cb\u64ad\u653e",
- "NotificationOptionGamePlayback": "\u6e38\u620f\u5f00\u59cb",
- "NotificationOptionVideoPlaybackStopped": "\u89c6\u9891\u64ad\u653e\u505c\u6b62",
- "NotificationOptionAudioPlaybackStopped": "\u97f3\u9891\u64ad\u653e\u505c\u6b62",
- "NotificationOptionGamePlaybackStopped": "\u6e38\u620f\u505c\u6b62",
- "NotificationOptionTaskFailed": "\u8ba1\u5212\u4efb\u52a1\u5931\u8d25",
- "NotificationOptionInstallationFailed": "\u5b89\u88c5\u5931\u8d25",
- "NotificationOptionNewLibraryContent": "\u6dfb\u52a0\u65b0\u5185\u5bb9",
- "NotificationOptionNewLibraryContentMultiple": "\u65b0\u7684\u5185\u5bb9\u52a0\u5165\uff08\u591a\u4e2a\uff09",
- "SendNotificationHelp": "\u9ed8\u8ba4\u60c5\u51b5\u4e0b\uff0c\u901a\u77e5\u88ab\u53d1\u9001\u5230\u63a7\u5236\u53f0\u7684\u6536\u4ef6\u7bb1\u3002\u6d4f\u89c8\u63d2\u4ef6\u76ee\u5f55\u53ef\u4ee5\u5b89\u88c5\u989d\u5916\u7684\u901a\u77e5\u9009\u9879\u3002",
- "NotificationOptionServerRestartRequired": "\u9700\u8981\u91cd\u65b0\u542f\u52a8\u670d\u52a1\u5668",
- "LabelNotificationEnabled": "\u542f\u7528\u6b64\u901a\u77e5",
- "LabelMonitorUsers": "\u76d1\u63a7\u6d3b\u52a8\uff1a",
- "LabelSendNotificationToUsers": "\u53d1\u9001\u901a\u77e5\u81f3\uff1a",
- "LabelUseNotificationServices": "\u4f7f\u7528\u4ee5\u4e0b\u670d\u52a1\uff1a",
- "CategoryUser": "\u7528\u6237",
- "CategorySystem": "\u7cfb\u7edf",
- "CategoryApplication": "\u5e94\u7528\u7a0b\u5e8f",
- "CategoryPlugin": "\u63d2\u4ef6",
- "LabelMessageTitle": "\u6d88\u606f\u6807\u9898\uff1a",
- "LabelAvailableTokens": "\u53ef\u7528\u4ee4\u724c\uff1a",
- "AdditionalNotificationServices": "\u6d4f\u89c8\u63d2\u4ef6\u76ee\u5f55\u5b89\u88c5\u989d\u5916\u7684\u901a\u77e5\u8bbf\u95ee\u3002",
- "OptionAllUsers": "\u6240\u6709\u7528\u6237",
- "OptionAdminUsers": "\u7ba1\u7406\u5458",
- "OptionCustomUsers": "\u81ea\u5b9a\u4e49",
- "ButtonArrowUp": "\u4e0a",
- "ButtonArrowDown": "\u4e0b",
- "ButtonArrowLeft": "\u5de6",
- "ButtonArrowRight": "\u53f3",
- "ButtonBack": "\u8fd4\u56de",
- "ButtonInfo": "\u8be6\u60c5",
- "ButtonOsd": "\u5728\u5c4f\u5e55\u4e0a\u663e\u793a",
- "ButtonPageUp": "\u4e0a\u4e00\u9875",
- "ButtonPageDown": "\u4e0b\u4e00\u9875",
- "PageAbbreviation": "\u9875\u9762",
- "ButtonHome": "\u9996\u9875",
- "ButtonSearch": "\u641c\u7d22",
- "ButtonSettings": "\u8bbe\u7f6e",
- "ButtonTakeScreenshot": "\u5c4f\u5e55\u622a\u56fe",
- "ButtonLetterUp": "\u4e0a\u4e00\u5b57\u6bcd",
- "ButtonLetterDown": "\u4e0b\u4e00\u5b57\u6bcd",
- "PageButtonAbbreviation": "\u9875\u9762\u6309\u952e",
- "LetterButtonAbbreviation": "\u5b57\u6bcd\u6309\u952e",
- "TabNowPlaying": "\u73b0\u5728\u64ad\u653e",
- "TabNavigation": "\u5bfc\u822a",
- "TabControls": "\u63a7\u5236",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "\u573a\u666f",
- "ButtonSubtitles": "\u5b57\u5e55",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "\u505c\u6b62",
- "ButtonPause": "\u6682\u505c",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "\u6279\u91cf\u6dfb\u52a0\u7535\u5f71\u5230\u5408\u96c6",
- "LabelGroupMoviesIntoCollectionsHelp": "\u5f53\u663e\u793a\u7684\u7535\u5f71\u5217\u8868\u65f6\uff0c\u5c5e\u4e8e\u4e00\u4e2a\u5408\u96c6\u7535\u5f71\u5c06\u663e\u793a\u4e3a\u4e00\u4e2a\u5206\u7ec4\u3002",
- "NotificationOptionPluginError": "\u63d2\u4ef6\u5931\u8d25",
- "ButtonVolumeUp": "\u52a0\u5927\u97f3\u91cf",
- "ButtonVolumeDown": "\u964d\u4f4e\u97f3\u91cf",
- "ButtonMute": "\u9759\u97f3",
- "HeaderLatestMedia": "\u6700\u65b0\u5a92\u4f53",
- "OptionSpecialFeatures": "\u7279\u6b8a\u529f\u80fd",
- "HeaderCollections": "\u5408\u96c6",
- "LabelProfileCodecsHelp": "\u4ee5\u9017\u53f7\u5206\u9694\u3002\u7559\u7a7a\u5219\u9002\u7528\u4e8e\u6240\u6709\u7f16\u89e3\u7801\u5668\u3002",
- "LabelProfileContainersHelp": "\u4ee5\u9017\u53f7\u5206\u9694\u3002\u7559\u7a7a\u5219\u9002\u7528\u4e8e\u6240\u6709\u5a92\u4f53\u8f7d\u4f53\u3002",
- "HeaderResponseProfile": "\u54cd\u5e94\u914d\u7f6e",
- "LabelType": "\u7c7b\u578b\uff1a",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "\u5a92\u4f53\u8f7d\u4f53\uff1a",
- "LabelProfileVideoCodecs": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a",
- "LabelProfileAudioCodecs": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a",
- "LabelProfileCodecs": "\u7f16\u89e3\u7801\u5668\uff1a",
- "HeaderDirectPlayProfile": "\u76f4\u63a5\u64ad\u653e\u914d\u7f6e",
- "HeaderTranscodingProfile": "\u8f6c\u7801\u914d\u7f6e",
- "HeaderCodecProfile": "\u7f16\u89e3\u7801\u5668\u914d\u7f6e",
- "HeaderCodecProfileHelp": "\u7f16\u89e3\u7801\u5668\u7684\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u4e86\u8bbe\u5907\u64ad\u653e\u7279\u5b9a\u7f16\u7801\u65f6\u7684\u9650\u5236\u3002\u5982\u679c\u5728\u9650\u5236\u4e4b\u5185\u5219\u5a92\u4f53\u5c06\u88ab\u8f6c\u7801\uff0c\u5426\u5219\u7f16\u89e3\u7801\u5668\u5c06\u88ab\u914d\u7f6e\u4e3a\u76f4\u63a5\u64ad\u653e\u3002",
- "HeaderContainerProfile": "\u5a92\u4f53\u8f7d\u4f53\u914d\u7f6e",
- "HeaderContainerProfileHelp": "\u5a92\u4f53\u8f7d\u4f53\u7684\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u4e86\u8bbe\u5907\u64ad\u653e\u7279\u5b9a\u5a92\u4f53\u683c\u5f0f\u65f6\u7684\u9650\u5236\u3002\u5982\u679c\u5728\u9650\u5236\u4e4b\u5185\u5219\u5a92\u4f53\u5c06\u88ab\u8f6c\u7801\uff0c\u5426\u5219\u5a92\u4f53\u683c\u5f0f\u5c06\u88ab\u914d\u7f6e\u4e3a\u76f4\u63a5\u64ad\u653e\u3002",
- "OptionProfileVideo": "\u89c6\u9891",
- "OptionProfileAudio": "\u97f3\u9891",
- "OptionProfileVideoAudio": "\u89c6\u9891\u97f3\u9891",
- "OptionProfilePhoto": "\u56fe\u7247",
- "LabelUserLibrary": "\u7528\u6237\u5a92\u4f53\u5e93",
- "LabelUserLibraryHelp": "\u9009\u62e9\u4e00\u4e2a\u5728\u8bbe\u5907\u4e0a\u663e\u793a\u7684\u7528\u6237\u5a92\u4f53\u5e93\u3002\u7559\u7a7a\u5219\u4f7f\u7528\u9ed8\u8ba4\u8bbe\u7f6e\u3002",
- "OptionPlainStorageFolders": "\u663e\u793a\u6240\u6709\u6587\u4ef6\u5939\u4f5c\u4e3a\u4e00\u822c\u5b58\u50a8\u6587\u4ef6\u5939",
- "OptionPlainStorageFoldersHelp": "\u5982\u679c\u542f\u7528\uff0c\u6240\u6709\u6587\u4ef6\u5939\u5728DIDL\u4e2d\u663e\u793a\u4e3a\u201c object.container.storageFolder \u201d\uff0c\u800c\u4e0d\u662f\u4e00\u4e2a\u66f4\u5177\u4f53\u7684\u7c7b\u578b\uff0c\u5982\u201c object.container.person.musicArtist \u201d \u3002",
- "OptionPlainVideoItems": "\u663e\u793a\u6240\u6709\u89c6\u9891\u4e3a\u4e00\u822c\u89c6\u9891\u9879\u76ee",
- "OptionPlainVideoItemsHelp": "\u5982\u679c\u542f\u7528\uff0c\u6240\u6709\u89c6\u9891\u5728DIDL\u4e2d\u663e\u793a\u4e3a\u201cobject.item.videoItem\u201d\uff0c\u800c\u4e0d\u662f\u4e00\u4e2a\u66f4\u5177\u4f53\u7684\u7c7b\u578b\uff0c\u5982\u201cobject.item.videoItem.movie \u201d \u3002",
- "LabelSupportedMediaTypes": "\u652f\u6301\u7684\u5a92\u4f53\u7c7b\u578b\uff1a",
- "TabIdentification": "\u8bc6\u522b",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "\u76f4\u63a5\u64ad\u653e",
- "TabContainers": "\u5a92\u4f53\u8f7d\u4f53",
- "TabCodecs": "\u7f16\u89e3\u7801\u5668",
- "TabResponses": "\u54cd\u5e94",
- "HeaderProfileInformation": "\u914d\u7f6e\u4fe1\u606f",
- "LabelEmbedAlbumArtDidl": "\u5728DIDL\u4e2d\u5d4c\u5165\u4e13\u8f91\u5c01\u9762",
- "LabelEmbedAlbumArtDidlHelp": "\u6709\u4e9b\u8bbe\u5907\u9996\u9009\u8fd9\u79cd\u65b9\u5f0f\u83b7\u53d6\u4e13\u8f91\u5c01\u9762\u3002\u542f\u7528\u8be5\u9009\u9879\u53ef\u80fd\u5bfc\u81f4\u5176\u4ed6\u8bbe\u5907\u64ad\u653e\u5931\u8d25\u3002",
- "LabelAlbumArtPN": "\u4e13\u8f91\u5c01\u9762PN \uff1a",
- "LabelAlbumArtHelp": "\u4e13\u8f91\u5c01\u9762PN\u7528\u4e8e\u63d0\u4f9bDLNA\u4e2d\u7684\u914d\u7f6e\u7f16\u53f7\uff0cUPnP\u4e2d\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u3002\u67d0\u4e9b\u5ba2\u6237\u4e0d\u7ba1\u56fe\u50cf\u7684\u5c3a\u5bf8\u5927\u5c0f\uff0c\u90fd\u4f1a\u8981\u6c42\u7279\u5b9a\u7684\u503c\u3002",
- "LabelAlbumArtMaxWidth": "\u4e13\u8f91\u5c01\u9762\u6700\u5927\u5bbd\u5ea6\uff1a",
- "LabelAlbumArtMaxWidthHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u7684\u6700\u5927\u5206\u8fa8\u7387\u3002",
- "LabelAlbumArtMaxHeight": "\u4e13\u8f91\u5c01\u9762\u6700\u5927\u9ad8\u5ea6\uff1a",
- "LabelAlbumArtMaxHeightHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u7684\u6700\u5927\u5206\u8fa8\u7387\u3002",
- "LabelIconMaxWidth": "\u56fe\u6807\u6700\u5927\u5bbd\u5ea6\uff1a",
- "LabelIconMaxWidthHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u56fe\u6807\u6700\u5927\u5206\u8fa8\u7387\u3002",
- "LabelIconMaxHeight": "\u56fe\u6807\u6700\u5927\u9ad8\u5ea6\uff1a",
- "LabelIconMaxHeightHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u56fe\u6807\u6700\u5927\u5206\u8fa8\u7387\u3002",
- "LabelIdentificationFieldHelp": "\u4e0d\u533a\u5206\u5927\u5c0f\u5199\u7684\u5b57\u7b26\u4e32\u6216\u6b63\u5219\u8868\u8fbe\u5f0f\u3002",
- "HeaderProfileServerSettingsHelp": "Media Browser\u5c06\u5982\u4f55\u628a\u754c\u9762\u5448\u73b0\u5230\u8bbe\u5907\u4e0a\u662f\u7531\u8fd9\u4e9b\u6570\u503c\u63a7\u5236\u7684\u3002",
- "LabelMaxBitrate": "\u6700\u5927\u6bd4\u7279\u7387\uff1a",
- "LabelMaxBitrateHelp": "\u6307\u5b9a\u5728\u5e26\u5bbd\u53d7\u9650\u7684\u73af\u5883\u6700\u5927\u6bd4\u7279\u7387\uff0c\u6216\u8005\u8bbe\u5907\u6309\u5b83\u81ea\u5df1\u7684\u6700\u5927\u9650\u5ea6\u8fd0\u4f5c\u3002",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "\u5ffd\u7565\u8f6c\u7801\u5b57\u8282\u8303\u56f4\u8bf7\u6c42",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "\u5982\u679c\u542f\u7528\uff0c\u8fd9\u4e9b\u8bf7\u6c42\u4f1a\u88ab\u5151\u73b0\uff0c\u4f46\u4f1a\u5ffd\u7565\u7684\u5b57\u8282\u8303\u56f4\u6807\u5934\u3002",
- "LabelFriendlyName": "\u597d\u8bb0\u7684\u540d\u79f0",
- "LabelManufacturer": "\u5236\u9020\u5546",
- "LabelManufacturerUrl": "\u5382\u5546\u7f51\u5740",
- "LabelModelName": "\u578b\u53f7\u540d\u79f0",
- "LabelModelNumber": "\u578b\u53f7",
- "LabelModelDescription": "\u578b\u53f7\u63cf\u8ff0",
- "LabelModelUrl": "\u578b\u53f7\u7f51\u5740",
- "LabelSerialNumber": "\u5e8f\u5217\u53f7",
- "LabelDeviceDescription": "\u8bbe\u5907\u63cf\u8ff0",
- "HeaderIdentificationCriteriaHelp": "\u81f3\u5c11\u8f93\u5165\u4e00\u4e2a\u8bc6\u522b\u6807\u51c6\u3002",
- "HeaderDirectPlayProfileHelp": "\u6dfb\u52a0\u76f4\u63a5\u64ad\u653e\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u54ea\u4e9b\u5a92\u4f53\u683c\u5f0f\u8bbe\u5907\u53ef\u4ee5\u81ea\u5df1\u5904\u7406\u3002",
- "HeaderTranscodingProfileHelp": "\u6dfb\u52a0\u8f6c\u7801\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u54ea\u4e9b\u5a92\u4f53\u683c\u5f0f\u9700\u8981\u8f6c\u7801\u5904\u7406\u3002",
- "HeaderResponseProfileHelp": "\u5f53\u64ad\u653e\u67d0\u4e9b\u7c7b\u578b\u7684\u5a92\u4f53\u65f6\uff0c\u54cd\u5e94\u914d\u7f6e\u6587\u4ef6\u63d0\u4f9b\u4e86\u4e00\u79cd\u65b9\u6cd5\u6765\u53d1\u9001\u81ea\u5b9a\u4e49\u4fe1\u606f\u5230\u8bbe\u5907\u3002",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684X_DLNACAP\u5143\u7d20\u7684\u5185\u5bb9\u3002",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684X-Dlna doc\u5143\u7d20\u7684\u5185\u5bb9\u3002",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684aggregationFlags\u5143\u7d20\u7684\u5185\u5bb9\u3002",
- "LabelTranscodingContainer": "\u5a92\u4f53\u8f7d\u4f53",
- "LabelTranscodingVideoCodec": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a",
- "LabelTranscodingVideoProfile": "\u89c6\u9891\u914d\u7f6e\uff1a",
- "LabelTranscodingAudioCodec": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a",
- "OptionEnableM2tsMode": "\u542f\u7528M2ts\u6a21\u5f0f",
- "OptionEnableM2tsModeHelp": "\u5f53\u7f16\u7801\u4e3aMPEGTS\u542f\u7528M2TS\u6a21\u5f0f\u3002",
- "OptionEstimateContentLength": "\u8f6c\u7801\u65f6\uff0c\u4f30\u8ba1\u5185\u5bb9\u957f\u5ea6",
- "OptionReportByteRangeSeekingWhenTranscoding": "\u8f6c\u7801\u65f6\uff0c\u62a5\u544a\u670d\u52a1\u5668\u652f\u6301\u7684\u5b57\u8282\u67e5\u8be2",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u8fd9\u662f\u4e00\u4e9b\u8bbe\u5907\u5fc5\u9700\u7684\uff0c\u4e0d\u7528\u8d76\u65f6\u95f4\u3002",
- "HeaderSubtitleDownloadingHelp": "\u5f53Media Browser\u626b\u63cf\u89c6\u9891\u6587\u4ef6\u53d1\u73b0\u7f3a\u5931\u5b57\u5e55\u65f6\uff0c\u4f1a\u4ece\u5b57\u5e55\u63d0\u4f9b\u8005\u5904\u4e0b\u8f7d\uff0c\u6bd4\u5982\uff1aOpenSubtitles.org\u3002",
- "HeaderDownloadSubtitlesFor": "\u4e0b\u8f7d\u54ea\u4e00\u9879\u7684\u5b57\u5e55\uff1a",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "\u5982\u679c\u89c6\u9891\u5df2\u7ecf\u5305\u542b\u56fe\u5f62\u5b57\u5e55\u5219\u8df3\u8fc7",
- "LabelSkipIfGraphicalSubsPresentHelp": "\u4fdd\u7559\u6587\u672c\u7248\u5b57\u5e55\u5c06\u66f4\u6709\u6548\u5730\u63d0\u4f9b\u7ed9\u79fb\u52a8\u5ba2\u6237\u7aef\u3002",
- "TabSubtitles": "\u5b57\u5e55",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles\u7684\u7528\u6237\u540d\uff1a",
- "LabelOpenSubtitlesPassword": "Open Subtitles\u7684\u5bc6\u7801\uff1a",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "\u64ad\u653e\u9ed8\u8ba4\u97f3\u8f68\u65e0\u8bba\u662f\u4ec0\u4e48\u8bed\u8a00",
- "LabelSubtitlePlaybackMode": "\u5b57\u5e55\u6a21\u5f0f\uff1a",
- "LabelDownloadLanguages": "\u4e0b\u8f7d\u8bed\u8a00\uff1a",
- "ButtonRegister": "\u6ce8\u518c",
- "LabelSkipIfAudioTrackPresent": "\u5982\u679c\u9ed8\u8ba4\u97f3\u8f68\u7684\u8bed\u8a00\u548c\u4e0b\u8f7d\u8bed\u8a00\u4e00\u6837\u5219\u8df3\u8fc7",
- "LabelSkipIfAudioTrackPresentHelp": "\u53d6\u6d88\u6b64\u9009\u9879\uff0c\u5219\u786e\u4fdd\u6240\u6709\u7684\u89c6\u9891\u90fd\u4e0b\u8f7d\u5b57\u5e55\uff0c\u65e0\u8bba\u97f3\u9891\u8bed\u8a00\u662f\u5426\u4e00\u81f4\u3002",
- "HeaderSendMessage": "\u53d1\u9001\u6d88\u606f",
- "ButtonSend": "\u53d1\u9001",
- "LabelMessageText": "\u6d88\u606f\u6587\u672c\uff1a",
- "MessageNoAvailablePlugins": "\u6ca1\u6709\u53ef\u7528\u7684\u63d2\u4ef6\u3002",
- "LabelDisplayPluginsFor": "\u663e\u793a\u63d2\u4ef6\uff1a",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "\u7535\u89c6\u5267.\u540d\u79f0",
- "ValueSeriesNameUnderscore": "\u7535\u89c6\u5267_\u540d\u79f0",
- "ValueEpisodeNamePeriod": "\u5267\u96c6.\u540d\u79f0",
- "ValueEpisodeNameUnderscore": "\u5267\u96c6_\u540d\u79f0",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "\u8f93\u5165\u6587\u672c",
- "LabelTypeText": "\u6587\u672c",
- "HeaderSearchForSubtitles": "\u641c\u7d22\u5b57\u5e55",
- "MessageNoSubtitleSearchResultsFound": "\u641c\u7d22\u65e0\u7ed3\u679c",
- "TabDisplay": "\u663e\u793a",
- "TabLanguages": "\u8bed\u8a00",
- "TabWebClient": "Web\u5ba2\u6237\u7aef",
- "LabelEnableThemeSongs": "\u542f\u7528\u4e3b\u9898\u6b4c",
- "LabelEnableBackdrops": "\u542f\u7528\u80cc\u666f\u56fe",
- "LabelEnableThemeSongsHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u6d4f\u89c8\u5a92\u4f53\u5e93\u65f6\u4e3b\u9898\u6b4c\u5c06\u5728\u540e\u53f0\u64ad\u653e\u3002",
- "LabelEnableBackdropsHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u6d4f\u89c8\u5a92\u4f53\u5e93\u65f6\u80cc\u666f\u56fe\u5c06\u4f5c\u4e3a\u4e00\u4e9b\u9875\u9762\u7684\u80cc\u666f\u663e\u793a\u3002",
- "HeaderHomePage": "\u9996\u9875",
- "HeaderSettingsForThisDevice": "\u8bbe\u7f6e\u6b64\u8bbe\u5907",
- "OptionAuto": "\u81ea\u52a8",
- "OptionYes": "\u662f",
- "OptionNo": "\u4e0d",
- "LabelHomePageSection1": "\u9996\u9875\u7b2c1\u533a\uff1a",
- "LabelHomePageSection2": "\u9996\u9875\u7b2c2\u533a\uff1a",
- "LabelHomePageSection3": "\u9996\u9875\u7b2c3\u533a\uff1a",
- "LabelHomePageSection4": "\u9996\u9875\u7b2c4\u533a\uff1a",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "\u6062\u590d\u64ad\u653e",
- "OptionLatestMedia": "\u6700\u65b0\u5a92\u4f53",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "\u6ca1\u6709",
- "HeaderLiveTv": "\u7535\u89c6\u76f4\u64ad",
- "HeaderReports": "\u62a5\u544a",
- "HeaderMetadataManager": "\u5a92\u4f53\u8d44\u6599\u7ba1\u7406",
- "HeaderPreferences": "\u504f\u597d",
- "MessageLoadingChannels": "\u9891\u9053\u5185\u5bb9\u52a0\u8f7d\u4e2d......",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "\u6807\u8bb0\u5df2\u8bfb",
- "OptionDefaultSort": "\u9ed8\u8ba4",
- "OptionCommunityMostWatchedSort": "\u6700\u53d7\u77a9\u76ee",
- "TabNextUp": "\u4e0b\u4e00\u4e2a",
- "MessageNoMovieSuggestionsAvailable": "\u6ca1\u6709\u53ef\u7528\u7684\u7535\u5f71\u5efa\u8bae\u3002\u5f00\u59cb\u89c2\u770b\u4f60\u7684\u7535\u5f71\u5e76\u8fdb\u884c\u8bc4\u5206\uff0c\u518d\u56de\u8fc7\u5934\u6765\u67e5\u770b\u4f60\u7684\u5efa\u8bae\u3002",
- "MessageNoCollectionsAvailable": "\u5408\u96c6\u5141\u8bb8\u8fdb\u884c\u4f60\u4e2a\u4eba\u7535\u5f71\u3001\u7535\u89c6\u5267\u3001\u4e13\u8f91\u3001\u4e66\u7c4d\u548c\u6e38\u620f\u5206\u7ec4\u3002\u70b9\u51fb\u65b0\u589e\u6309\u94ae\u5f00\u59cb\u521b\u5efa\u5408\u96c6\u3002",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "\u6b22\u8fce\u8fdb\u5165Media Browser Web\u5ba2\u6237\u7aef",
- "ButtonDismiss": "\u89e3\u6563",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "\u9996\u9009\u7684\u4e92\u8054\u7f51\u6d41\u5a92\u4f53\u8d28\u91cf\uff1a",
- "LabelChannelStreamQualityHelp": "\u5728\u4f4e\u5e26\u5bbd\u73af\u5883\u4e0b\uff0c\u9650\u5236\u8d28\u91cf\u6709\u52a9\u4e8e\u786e\u4fdd\u987a\u7545\u7684\u6d41\u5a92\u4f53\u4f53\u9a8c\u3002",
- "OptionBestAvailableStreamQuality": "\u6700\u597d\u7684",
- "LabelEnableChannelContentDownloadingFor": "\u542f\u7528\u9891\u9053\u5185\u5bb9\u4e0b\u8f7d\uff1a",
- "LabelEnableChannelContentDownloadingForHelp": "\u4e00\u4e9b\u9891\u9053\u652f\u6301\u4e0b\u8f7d\u4e4b\u524d\u89c2\u770b\u8fc7\u7684\u5185\u5bb9\u3002\u53ef\u5728\u4f4e\u5e26\u5bbd\u73af\u5883\u4e0b\u7684\u7a7a\u95f2\u65f6\u95f4\u542f\u7528\u8be5\u9879\u6765\u4e0b\u8f7d\u5b83\u4eec\u3002\u8be5\u5185\u5bb9\u4f1a\u4f5c\u4e3a\u9891\u9053\u4e0b\u8f7d\u8ba1\u5212\u4efb\u52a1\u7684\u4e00\u90e8\u5206\u6765\u6267\u884c\u3002",
- "LabelChannelDownloadPath": "\u9891\u9053\u5185\u5bb9\u4e0b\u8f7d\u8def\u5f84\uff1a",
- "LabelChannelDownloadPathHelp": "\u9700\u8981\u81ea\u5b9a\u4e49\u624d\u8f93\u5165\u4e0b\u8f7d\u8def\u5f84\u3002\u7559\u7a7a\u5219\u4e0b\u8f7d\u5230\u5185\u90e8\u7a0b\u5e8f\u6570\u636e\u6587\u4ef6\u5939\u3002",
- "LabelChannelDownloadAge": "\u8fc7\u591a\u4e45\u5220\u9664\u5185\u5bb9: (\u5929\u6570)",
- "LabelChannelDownloadAgeHelp": "\u4e0b\u8f7d\u7684\u5185\u5bb9\u8d85\u8fc7\u6b64\u671f\u9650\u5c06\u88ab\u5220\u9664\u3002\u5b83\u4ecd\u53ef\u901a\u8fc7\u4e92\u8054\u7f51\u6d41\u5a92\u4f53\u64ad\u653e\u3002",
- "ChannelSettingsFormHelp": "\u5728\u63d2\u4ef6\u76ee\u5f55\u91cc\u5b89\u88c5\u9891\u9053\uff0c\u4f8b\u5982\uff1aTrailers \u548c Vimeo",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
"ViewTypeTvLatest": "Latest",
"ViewTypeTvShowSeries": "Series",
"ViewTypeTvGenres": "Genres",
@@ -621,7 +30,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -991,6 +400,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "\u79bb\u5f00",
"LabelVisitCommunity": "\u8bbf\u95ee\u793e\u533a",
"LabelGithubWiki": "Github\u7ef4\u57fa",
@@ -1249,5 +662,596 @@
"LabelEnableDebugLogging": "\u542f\u7528\u8c03\u8bd5\u65e5\u5fd7",
"LabelRunServerAtStartup": "\u5f00\u673a\u542f\u52a8\u670d\u52a1\u5668",
"LabelRunServerAtStartupHelp": "\u670d\u52a1\u5668\u6258\u76d8\u56fe\u6807\u5c06\u4f1a\u5728windows\u5f00\u673a\u65f6\u542f\u52a8\u3002\u8981\u542f\u52a8windows\u670d\u52a1\uff0c\u8bf7\u53d6\u6d88\u8fd9\u4e2a\u9009\u9879\uff0c\u5e76\u4eceWindows\u63a7\u5236\u9762\u677f\u4e2d\u8fd0\u884c\u670d\u52a1\u3002\u8bf7\u6ce8\u610f\uff1a\u4f60\u4e0d\u80fd\u8ba9\u6258\u76d8\u56fe\u6807\u548cwindows\u670d\u52a1\u540c\u65f6\u8fd0\u884c\uff0c\u542f\u52a8\u670d\u52a1\u4e4b\u524d\u4f60\u5fc5\u987b\u5148\u9000\u51fa\u6258\u76d8\u56fe\u6807\u3002",
- "ButtonSelectDirectory": "\u9009\u62e9\u76ee\u5f55"
+ "ButtonSelectDirectory": "\u9009\u62e9\u76ee\u5f55",
+ "LabelCustomPaths": "\u81ea\u5b9a\u4e49\u6240\u9700\u7684\u8def\u5f84\uff0c\u5982\u679c\u5b57\u6bb5\u4e3a\u7a7a\u5219\u4f7f\u7528\u9ed8\u8ba4\u503c\u3002",
+ "LabelCachePath": "\u7f13\u5b58\u8def\u5f84\uff1a",
+ "LabelCachePathHelp": "\u81ea\u5b9a\u4e49\u670d\u52a1\u5668\u7f13\u5b58\u6587\u4ef6\u4f4d\u7f6e\uff0c\u4f8b\u5982\u56fe\u7247\u4f4d\u7f6e\u3002",
+ "LabelImagesByNamePath": "\u6309\u540d\u79f0\u5f52\u7c7b\u7684\u56fe\u7247\u8def\u5f84\uff1a",
+ "LabelImagesByNamePathHelp": "\u81ea\u5b9a\u4e49\u4e0b\u8f7d\u7684\u6f14\u5458\u3001\u827a\u672f\u5bb6\u3001\u98ce\u683c\u548c\u5de5\u4f5c\u5ba4\u56fe\u7247\u4f4d\u7f6e\u3002",
+ "LabelMetadataPath": "\u5a92\u4f53\u8d44\u6599\u8def\u5f84\uff1a",
+ "LabelMetadataPathHelp": "\u5982\u679c\u4e0d\u4fdd\u5b58\u5a92\u4f53\u6587\u4ef6\u5939\u5185\uff0c\u8bf7\u81ea\u5b9a\u4e49\u4e0b\u8f7d\u7684\u5a92\u4f53\u8d44\u6599\u548c\u56fe\u50cf\u4f4d\u7f6e\u3002",
+ "LabelTranscodingTempPath": "\u4e34\u65f6\u89e3\u7801\u8def\u5f84\uff1a",
+ "LabelTranscodingTempPathHelp": "\u6b64\u6587\u4ef6\u5939\u5305\u542b\u7528\u4e8e\u8f6c\u7801\u7684\u5de5\u4f5c\u6587\u4ef6\u3002\u8bf7\u81ea\u5b9a\u4e49\u8def\u5f84\uff0c\u6216\u7559\u7a7a\u4ee5\u4f7f\u7528\u9ed8\u8ba4\u7684\u670d\u52a1\u5668\u6570\u636e\u6587\u4ef6\u5939\u3002",
+ "TabBasics": "\u57fa\u7840",
+ "TabTV": "\u7535\u89c6",
+ "TabGames": "\u6e38\u620f",
+ "TabMusic": "\u97f3\u4e50",
+ "TabOthers": "\u5176\u4ed6",
+ "HeaderExtractChapterImagesFor": "\u4ece\u9009\u62e9\u7ae0\u8282\u4e2d\u63d0\u53d6\u56fe\u7247\uff1a",
+ "OptionMovies": "\u7535\u5f71",
+ "OptionEpisodes": "\u5267\u96c6",
+ "OptionOtherVideos": "\u5176\u4ed6\u89c6\u9891",
+ "TitleMetadata": "\u5a92\u4f53\u8d44\u6599",
+ "LabelAutomaticUpdatesFanart": "\u542f\u7528\u4eceFanArt.tv\u81ea\u52a8\u66f4\u65b0",
+ "LabelAutomaticUpdatesTmdb": "\u542f\u7528\u4eceTheMovieDB.org\u81ea\u52a8\u66f4\u65b0",
+ "LabelAutomaticUpdatesTvdb": "\u542f\u7528\u4eceTheTVDB.com\u81ea\u52a8\u66f4\u65b0",
+ "LabelAutomaticUpdatesFanartHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e00\u65e6\u6709\u65b0\u7684\u56fe\u50cf\u6dfb\u52a0\u5230fanart.tv\uff0c\u5b83\u4eec\u5c06\u88ab\u81ea\u52a8\u4e0b\u8f7d\u3002\u73b0\u6709\u7684\u56fe\u50cf\u4e0d\u4f1a\u88ab\u53d6\u4ee3\u3002",
+ "LabelAutomaticUpdatesTmdbHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e00\u65e6\u6709\u65b0\u7684\u56fe\u50cf\u6dfb\u52a0\u5230TheMovieDB.org\u4e0a\uff0c\u5b83\u4eec\u5c06\u88ab\u81ea\u52a8\u4e0b\u8f7d\u3002\u73b0\u6709\u7684\u56fe\u50cf\u4e0d\u4f1a\u88ab\u53d6\u4ee3\u3002",
+ "LabelAutomaticUpdatesTvdbHelp": "\u5982\u679c\u542f\u7528\uff0c\u4e00\u65e6\u6709\u65b0\u7684\u56fe\u50cf\u6dfb\u52a0\u5230TheTVDB.com\u4e0a\uff0c\u5b83\u4eec\u5c06\u88ab\u81ea\u52a8\u4e0b\u8f7d\u3002\u73b0\u6709\u7684\u56fe\u50cf\u4e0d\u4f1a\u88ab\u53d6\u4ee3\u3002",
+ "ExtractChapterImagesHelp": "\u4ece\u7ae0\u8282\u4e2d\u63d0\u53d6\u7684\u56fe\u7247\u5c06\u5141\u8bb8\u5ba2\u6237\u7aef\u663e\u793a\u56fe\u5f62\u9009\u62e9\u83dc\u5355\u3002\u8fd9\u4e2a\u8fc7\u7a0b\u53ef\u80fd\u4f1a\u5f88\u6162\uff0c \u66f4\u591a\u7684\u5360\u7528CPU\u8d44\u6e90\uff0c\u5e76\u4e14\u4f1a\u9700\u8981\u51e0\u4e2aGB\u7684\u786c\u76d8\u7a7a\u95f4\u3002\u5b83\u88ab\u9ed8\u8ba4\u8bbe\u7f6e\u4e8e\u6bcf\u665a\u51cc\u66684\u70b9\u8fd0\u884c\uff0c\u867d\u7136\u8fd9\u53ef\u4ee5\u5728\u8ba1\u5212\u4efb\u52a1\u4e2d\u914d\u7f6e\uff0c\u4f46\u6211\u4eec\u4e0d\u5efa\u8bae\u5728\u9ad8\u5cf0\u4f7f\u7528\u65f6\u95f4\u8fd0\u884c\u8be5\u4efb\u52a1\u3002",
+ "LabelMetadataDownloadLanguage": "\u9996\u9009\u4e0b\u8f7d\u8bed\u8a00\uff1a",
+ "ButtonAutoScroll": "\u81ea\u52a8\u6eda\u52a8",
+ "LabelImageSavingConvention": "\u56fe\u7247\u4fdd\u5b58\u547d\u540d\u89c4\u5219",
+ "LabelImageSavingConventionHelp": "Media Browser\u80fd\u591f\u8bc6\u522b\u5927\u90e8\u5206\u4e3b\u6d41\u5a92\u4f53\u7a0b\u5e8f\u547d\u540d\u7684\u56fe\u50cf\u3002\u5982\u679c\u4f60\u540c\u65f6\u8fd8\u5728\u4f7f\u7528\u5176\u4ed6\u5a92\u4f53\u7a0b\u5e8f\uff0c\u9009\u62e9\u4e0b\u8f7d\u547d\u540d\u89c4\u5219\u662f\u975e\u5e38\u6709\u5e2e\u52a9\u7684\u3002",
+ "OptionImageSavingCompatible": "\u517c\u5bb9 - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "\u6807\u51c6 - MB2",
+ "ButtonSignIn": "\u767b\u5f55",
+ "TitleSignIn": "\u767b\u5f55",
+ "HeaderPleaseSignIn": "\u8bf7\u767b\u5f55",
+ "LabelUser": "\u7528\u6237\uff1a",
+ "LabelPassword": "\u5bc6\u7801\uff1a",
+ "ButtonManualLogin": "\u624b\u52a8\u767b\u5f55",
+ "PasswordLocalhostMessage": "\u4ece\u672c\u5730\u4e3b\u673a\u767b\u5f55\u4e0d\u9700\u8981\u5bc6\u7801\u3002",
+ "TabGuide": "\u6307\u5357",
+ "TabChannels": "\u9891\u9053",
+ "TabCollections": "\u5408\u96c6",
+ "HeaderChannels": "\u9891\u9053",
+ "TabRecordings": "\u5f55\u5236",
+ "TabScheduled": "\u9884\u5b9a",
+ "TabSeries": "\u7535\u89c6\u5267",
+ "TabFavorites": "\u6211\u7684\u6700\u7231",
+ "TabMyLibrary": "\u6211\u7684\u5a92\u4f53\u5e93",
+ "ButtonCancelRecording": "\u53d6\u6d88\u5f55\u5236",
+ "HeaderPrePostPadding": "\u9884\u5148\/\u540e\u671f\u586b\u5145",
+ "LabelPrePaddingMinutes": "\u9884\u5148\u5145\u586b\u5206\u949f\u6570\uff1a",
+ "OptionPrePaddingRequired": "\u5f55\u5236\u9700\u8981\u9884\u5148\u5145\u586b\u3002",
+ "LabelPostPaddingMinutes": "\u540e\u671f\u586b\u5145\u5206\u949f\u6570\uff1a",
+ "OptionPostPaddingRequired": "\u5f55\u5236\u9700\u8981\u540e\u671f\u586b\u5145\u3002",
+ "HeaderWhatsOnTV": "\u6b63\u5728\u64ad\u653e",
+ "HeaderUpcomingTV": "\u5373\u5c06\u63a8\u51fa\u7684\u7535\u89c6\u8282\u76ee",
+ "TabStatus": "\u72b6\u6001",
+ "TabSettings": "\u8bbe\u7f6e",
+ "ButtonRefreshGuideData": "\u5237\u65b0\u6307\u5357\u6570\u636e",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "\u4f18\u5148",
+ "OptionRecordOnAllChannels": "\u5f55\u5236\u6240\u6709\u9891\u9053",
+ "OptionRecordAnytime": "\u5f55\u5236\u6240\u6709\u65f6\u6bb5",
+ "OptionRecordOnlyNewEpisodes": "\u53ea\u5f55\u5236\u65b0\u5267\u96c6",
+ "HeaderDays": "\u5929",
+ "HeaderActiveRecordings": "\u6b63\u5728\u5f55\u5236\u7684\u8282\u76ee",
+ "HeaderLatestRecordings": "\u6700\u65b0\u5f55\u5236\u7684\u8282\u76ee",
+ "HeaderAllRecordings": "\u6240\u6709\u5f55\u5236\u7684\u8282\u76ee",
+ "ButtonPlay": "\u64ad\u653e",
+ "ButtonEdit": "\u7f16\u8f91",
+ "ButtonRecord": "\u5f55\u5236",
+ "ButtonDelete": "\u5220\u9664",
+ "ButtonRemove": "\u79fb\u9664",
+ "OptionRecordSeries": "\u5f55\u5236\u7535\u89c6\u5267",
+ "HeaderDetails": "\u8be6\u7ec6\u8d44\u6599",
+ "TitleLiveTV": "\u7535\u89c6\u76f4\u64ad",
+ "LabelNumberOfGuideDays": "\u4e0b\u8f7d\u51e0\u5929\u7684\u8282\u76ee\u6307\u5357\uff1a",
+ "LabelNumberOfGuideDaysHelp": "\u4e0b\u8f7d\u66f4\u591a\u5929\u7684\u8282\u76ee\u6307\u5357\u53ef\u4ee5\u5e2e\u4f60\u8fdb\u4e00\u6b65\u67e5\u770b\u8282\u76ee\u5217\u8868\u5e76\u505a\u51fa\u63d0\u524d\u5b89\u6392\uff0c\u4f46\u4e0b\u8f7d\u8fc7\u7a0b\u4e5f\u5c06\u8017\u65f6\u66f4\u4e45\u3002\u5b83\u5c06\u57fa\u4e8e\u9891\u9053\u6570\u91cf\u81ea\u52a8\u9009\u62e9\u3002",
+ "LabelActiveService": "\u8fd0\u884c\u4e2d\u7684\u670d\u52a1\uff1a",
+ "LabelActiveServiceHelp": "\u591a\u4e2a\u7535\u89c6\u63d2\u4ef6\u53ef\u4ee5\u5b89\u88c5\uff0c\u4f46\u5728\u540c\u4e00\u65f6\u95f4\u53ea\u6709\u4e00\u4e2a\u53ef\u4ee5\u8fd0\u884c\u3002",
+ "OptionAutomatic": "\u81ea\u52a8",
+ "LiveTvPluginRequired": "\u8981\u7ee7\u7eed\u7684\u8bdd\u8bf7\u81f3\u5c11\u5b89\u88c5\u4e00\u4e2a\u7535\u89c6\u76f4\u64ad\u63d2\u4ef6\u3002",
+ "LiveTvPluginRequiredHelp": "\u8bf7\u81f3\u5c11\u5b89\u88c5\u4e00\u4e2a\u6211\u4eec\u6240\u63d0\u4f9b\u7684\u63d2\u4ef6\uff0c\u4f8b\u5982\uff1aNext Pvr \u6216\u8005 ServerWmc\u3002",
+ "LabelCustomizeOptionsPerMediaType": "\u81ea\u5b9a\u4e49\u5a92\u4f53\u7c7b\u578b\uff1a",
+ "OptionDownloadThumbImage": "\u7f29\u7565\u56fe",
+ "OptionDownloadMenuImage": "\u83dc\u5355",
+ "OptionDownloadLogoImage": "\u6807\u5fd7",
+ "OptionDownloadBoxImage": "\u5305\u88c5",
+ "OptionDownloadDiscImage": "\u5149\u76d8",
+ "OptionDownloadBannerImage": "\u6a2a\u5e45",
+ "OptionDownloadBackImage": "\u5305\u88c5\u80cc\u9762",
+ "OptionDownloadArtImage": "\u827a\u672f\u56fe",
+ "OptionDownloadPrimaryImage": "\u5c01\u9762\u56fe",
+ "HeaderFetchImages": "\u83b7\u53d6\u56fe\u50cf\uff1a",
+ "HeaderImageSettings": "\u56fe\u7247\u8bbe\u7f6e",
+ "TabOther": "\u5176\u4ed6",
+ "LabelMaxBackdropsPerItem": "\u6bcf\u4e2a\u9879\u76ee\u6700\u5927\u80cc\u666f\u56fe\u6570\u76ee\uff1a",
+ "LabelMaxScreenshotsPerItem": "\u6bcf\u4e2a\u9879\u76ee\u6700\u5927\u622a\u56fe\u6570\u76ee\uff1a",
+ "LabelMinBackdropDownloadWidth": "\u4e0b\u8f7d\u80cc\u666f\u56fe\u7684\u6700\u5c0f\u5bbd\u5ea6\uff1a",
+ "LabelMinScreenshotDownloadWidth": "\u4e0b\u8f7d\u622a\u56fe\u7684\u6700\u5c0f\u5bbd\u5ea6\uff1a",
+ "ButtonAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6",
+ "HeaderAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52a1\u89e6\u53d1\u6761\u4ef6",
+ "ButtonAdd": "\u6dfb\u52a0",
+ "LabelTriggerType": "\u89e6\u53d1\u7c7b\u578b\uff1a",
+ "OptionDaily": "\u6bcf\u65e5",
+ "OptionWeekly": "\u6bcf\u5468",
+ "OptionOnInterval": "\u5728\u4e00\u4e2a\u671f\u95f4",
+ "OptionOnAppStartup": "\u5728\u7a0b\u5e8f\u542f\u52a8\u65f6",
+ "OptionAfterSystemEvent": "\u7cfb\u7edf\u4e8b\u4ef6\u4e4b\u540e",
+ "LabelDay": "\u65e5\uff1a",
+ "LabelTime": "\u65f6\u95f4\uff1a",
+ "LabelEvent": "\u4e8b\u4ef6\uff1a",
+ "OptionWakeFromSleep": "\u4ece\u7761\u7720\u4e2d\u5524\u9192",
+ "LabelEveryXMinutes": "\u6bcf\uff1a",
+ "HeaderTvTuners": "\u8c03\u8c10\u5668",
+ "HeaderGallery": "\u56fe\u5e93",
+ "HeaderLatestGames": "\u6700\u65b0\u6e38\u620f",
+ "HeaderRecentlyPlayedGames": "\u6700\u8fd1\u73a9\u8fc7\u7684\u6e38\u620f",
+ "TabGameSystems": "\u6e38\u620f\u7cfb\u7edf",
+ "TitleMediaLibrary": "\u5a92\u4f53\u5e93",
+ "TabFolders": "\u6587\u4ef6\u5939",
+ "TabPathSubstitution": "\u8def\u5f84\u66ff\u6362",
+ "LabelSeasonZeroDisplayName": "\u7b2c0\u5b63\u663e\u793a\u540d\u79f0\u4e3a\uff1a",
+ "LabelEnableRealtimeMonitor": "\u542f\u7528\u5b9e\u65f6\u76d1\u63a7",
+ "LabelEnableRealtimeMonitorHelp": "\u7acb\u5373\u5904\u7406\u652f\u6301\u7684\u6587\u4ef6\u7cfb\u7edf\u66f4\u6539\u3002",
+ "ButtonScanLibrary": "\u626b\u63cf\u5a92\u4f53\u5e93",
+ "HeaderNumberOfPlayers": "\u73a9\u5bb6\u6570\uff1a",
+ "OptionAnyNumberOfPlayers": "\u4efb\u610f",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "\u5a92\u4f53\u6587\u4ef6\u5939",
+ "HeaderThemeVideos": "\u4e3b\u9898\u89c6\u9891",
+ "HeaderThemeSongs": "\u4e3b\u9898\u6b4c",
+ "HeaderScenes": "\u573a\u666f",
+ "HeaderAwardsAndReviews": "\u5956\u9879\u4e0e\u8bc4\u8bba",
+ "HeaderSoundtracks": "\u539f\u58f0\u97f3\u4e50",
+ "HeaderMusicVideos": "\u97f3\u4e50\u89c6\u9891",
+ "HeaderSpecialFeatures": "\u7279\u6b8a\u529f\u80fd",
+ "HeaderCastCrew": "\u6f14\u804c\u4eba\u5458",
+ "HeaderAdditionalParts": "\u9644\u52a0\u90e8\u5206",
+ "ButtonSplitVersionsApart": "\u652f\u7ebf\u7248\u672c",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "\u7f3a\u5931",
+ "LabelOffline": "\u79bb\u7ebf",
+ "PathSubstitutionHelp": "\u8def\u5f84\u66ff\u6362\u7528\u4e8e\u628a\u670d\u52a1\u5668\u4e0a\u7684\u8def\u5f84\u6620\u5c04\u5230\u5ba2\u6237\u7aef\u80fd\u591f\u8bbf\u95ee\u7684\u8def\u5f84\u3002\u5141\u8bb8\u7528\u6237\u76f4\u63a5\u8bbf\u95ee\u670d\u52a1\u5668\u4e0a\u7684\u5a92\u4f53\uff0c\u5e76\u80fd\u591f\u76f4\u63a5\u901a\u8fc7\u7f51\u7edc\u4e0a\u64ad\u653e\uff0c\u53ef\u4ee5\u4e0d\u8fdb\u884c\u8f6c\u6d41\u548c\u8f6c\u7801\uff0c\u4ece\u800c\u8282\u7ea6\u670d\u52a1\u5668\u8d44\u6e90\u3002",
+ "HeaderFrom": "\u4ece",
+ "HeaderTo": "\u5230",
+ "LabelFrom": "\u4ece\uff1a",
+ "LabelFromHelp": "\u4f8b\u5982\uff1a D:\\Movies \uff08\u5728\u670d\u52a1\u5668\u4e0a\uff09",
+ "LabelTo": "\u5230\uff1a",
+ "LabelToHelp": "\u4f8b\u5982\uff1a \\\\MyServer\\Movies \uff08\u5ba2\u6237\u7aef\u80fd\u8bbf\u95ee\u7684\u8def\u5f84\uff09",
+ "ButtonAddPathSubstitution": "\u6dfb\u52a0\u8def\u5f84\u66ff\u6362",
+ "OptionSpecialEpisode": "\u7279\u96c6",
+ "OptionMissingEpisode": "\u7f3a\u5c11\u7684\u5267\u96c6",
+ "OptionUnairedEpisode": "\u5c1a\u672a\u53d1\u5e03\u7684\u5267\u96c6",
+ "OptionEpisodeSortName": "\u5267\u96c6\u540d\u79f0\u6392\u5e8f",
+ "OptionSeriesSortName": "\u7535\u89c6\u5267\u540d\u79f0",
+ "OptionTvdbRating": "Tvdb \u8bc4\u5206",
+ "HeaderTranscodingQualityPreference": "\u8f6c\u7801\u8d28\u91cf\u504f\u597d\uff1a",
+ "OptionAutomaticTranscodingHelp": "\u7531\u670d\u52a1\u5668\u81ea\u52a8\u9009\u62e9\u8d28\u91cf\u4e0e\u901f\u5ea6",
+ "OptionHighSpeedTranscodingHelp": "\u4f4e\u8d28\u91cf\uff0c\u8f6c\u7801\u5feb",
+ "OptionHighQualityTranscodingHelp": "\u9ad8\u8d28\u91cf\uff0c\u8f6c\u7801\u6162",
+ "OptionMaxQualityTranscodingHelp": "\u6700\u9ad8\u8d28\u91cf\uff0c\u8f6c\u7801\u66f4\u6162\u4e14CPU\u5360\u7528\u5f88\u9ad8",
+ "OptionHighSpeedTranscoding": "\u66f4\u9ad8\u901f\u5ea6",
+ "OptionHighQualityTranscoding": "\u66f4\u9ad8\u8d28\u91cf",
+ "OptionMaxQualityTranscoding": "\u6700\u9ad8\u8d28\u91cf",
+ "OptionEnableDebugTranscodingLogging": "\u542f\u7528\u8f6c\u7801\u9664\u9519\u65e5\u5fd7",
+ "OptionEnableDebugTranscodingLoggingHelp": "\u8fd9\u5c06\u521b\u5efa\u4e00\u4e2a\u975e\u5e38\u5927\u7684\u65e5\u5fd7\u6587\u4ef6\uff0c\u4ec5\u63a8\u8350\u5728\u6392\u9664\u6545\u969c\u65f6\u4f7f\u7528\u3002",
+ "OptionUpscaling": "\u5141\u8bb8\u5ba2\u6237\u7aef\u8bf7\u6c42\u653e\u5927\u7684\u89c6\u9891",
+ "OptionUpscalingHelp": "\u5728\u67d0\u4e9b\u60c5\u51b5\u4e0b\uff0c\u8fd9\u5c06\u63d0\u9ad8\u89c6\u9891\u8d28\u91cf\uff0c\u4f46\u4f1a\u5bfc\u81f4CPU\u7684\u5360\u7528\u589e\u52a0\u3002",
+ "EditCollectionItemsHelp": "\u6dfb\u52a0\u6216\u79fb\u9664\u8fd9\u4e2a\u96c6\u5408\u91cc\u7684\u4efb\u4f55\u7535\u5f71\uff0c\u7535\u89c6\u5267\uff0c\u4e13\u8f91\uff0c\u4e66\u7c4d\u6216\u6e38\u620f\u3002",
+ "HeaderAddTitles": "\u6dfb\u52a0\u6807\u9898",
+ "LabelEnableDlnaPlayTo": "\u64ad\u653e\u5230DLNA\u8bbe\u5907",
+ "LabelEnableDlnaPlayToHelp": "Media Browser \u53ef\u4ee5\u68c0\u6d4b\u5230\u4f60\u7f51\u7edc\u4e2d\u7684\u517c\u5bb9\u8bbe\u5907\uff0c\u5e76\u63d0\u4f9b\u8fdc\u7a0b\u63a7\u5236\u5b83\u4eec\u7684\u80fd\u529b\u3002",
+ "LabelEnableDlnaDebugLogging": "\u542f\u7528DLNA\u9664\u9519\u65e5\u5fd7",
+ "LabelEnableDlnaDebugLoggingHelp": "\u8fd9\u5c06\u521b\u5efa\u4e00\u4e2a\u5f88\u5927\u7684\u65e5\u5fd7\u6587\u4ef6\uff0c\u4ec5\u63a8\u8350\u5728\u6392\u9664\u6545\u969c\u65f6\u4f7f\u7528\u3002",
+ "LabelEnableDlnaClientDiscoveryInterval": "\u5ba2\u6237\u7aef\u641c\u5bfb\u65f6\u95f4\u95f4\u9694\uff08\u79d2\uff09",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "\u786e\u5b9a\u7531Media Browser\u7684SSDP\u8fdb\u884c\u641c\u7d22\u7684\u95f4\u9694\u79d2\u6570\u3002",
+ "HeaderCustomDlnaProfiles": "\u81ea\u5b9a\u4e49\u914d\u7f6e",
+ "HeaderSystemDlnaProfiles": "\u7cfb\u7edf\u914d\u7f6e",
+ "CustomDlnaProfilesHelp": "\u4e3a\u65b0\u7684\u8bbe\u5907\u521b\u5efa\u81ea\u5b9a\u4e49\u914d\u7f6e\u6587\u4ef6\u6216\u8986\u76d6\u539f\u6709\u7cfb\u7edf\u914d\u7f6e\u6587\u4ef6\u3002",
+ "SystemDlnaProfilesHelp": "\u7cfb\u7edf\u914d\u7f6e\u4e3a\u53ea\u8bfb\uff0c\u66f4\u6539\u7cfb\u7edf\u914d\u7f6e\u5c06\u4fdd\u6301\u4e3a\u65b0\u7684\u81ea\u5b9a\u4e49\u914d\u7f6e\u6587\u4ef6\u3002",
+ "TitleDashboard": "\u63a7\u5236\u53f0",
+ "TabHome": "\u9996\u9875",
+ "TabInfo": "\u4fe1\u606f",
+ "HeaderLinks": "\u94fe\u63a5",
+ "HeaderSystemPaths": "\u7cfb\u7edf\u8def\u5f84",
+ "LinkCommunity": "\u793e\u533a",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "Api \u6587\u6863",
+ "LabelFriendlyServerName": "\u53cb\u597d\u7684\u670d\u52a1\u5668\u540d\u79f0\uff1a",
+ "LabelFriendlyServerNameHelp": "\u6b64\u540d\u79f0\u5c06\u7528\u505a\u670d\u52a1\u5668\u540d\uff0c\u5982\u679c\u7559\u7a7a\uff0c\u5c06\u4f7f\u7528\u8ba1\u7b97\u673a\u540d\u3002",
+ "LabelPreferredDisplayLanguage": "\u9996\u9009\u663e\u793a\u8bed\u8a00",
+ "LabelPreferredDisplayLanguageHelp": "\u7ffb\u8bd1Media Browser\u662f\u4e00\u4e2a\u6b63\u5728\u8fdb\u884c\u7684\u9879\u76ee\uff0c\u5c1a\u672a\u5168\u90e8\u5b8c\u6210\u3002",
+ "LabelReadHowYouCanContribute": "\u9605\u8bfb\u5173\u4e8e\u5982\u4f55\u4e3aMedia Browser\u8d21\u732e\u529b\u91cf\u3002",
+ "HeaderNewCollection": "\u65b0\u5408\u96c6",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "\u4f8b\u5982\uff1a\u661f\u7403\u5927\u6218\u5408\u96c6",
+ "OptionSearchForInternetMetadata": "\u5728\u4e92\u8054\u7f51\u4e0a\u641c\u7d22\u5a92\u4f53\u56fe\u50cf\u548c\u8d44\u6599",
+ "ButtonCreate": "\u521b\u5efa",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "Web Socket\u7aef\u53e3\u53f7\uff1a",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "\u5916\u90e8DDNS\uff1a",
+ "LabelExternalDDNSHelp": "\u5982\u679c\u4f60\u5728\u8fd9\u91cc\u8f93\u5165\u52a8\u6001\u7684DNS\u3002Media Browser\u7684\u5ba2\u6237\u7aef\u7a0b\u5e8f\u5c06\u53ef\u4ee5\u4f7f\u7528\u5b83\u8fdb\u884c\u8fdc\u7a0b\u8fde\u63a5\u3002",
+ "TabResume": "\u6062\u590d\u64ad\u653e",
+ "TabWeather": "\u5929\u6c14",
+ "TitleAppSettings": "\u5ba2\u6237\u7aef\u7a0b\u5e8f\u8bbe\u7f6e",
+ "LabelMinResumePercentage": "\u6062\u590d\u64ad\u653e\u6700\u5c0f\u767e\u5206\u6bd4\uff1a",
+ "LabelMaxResumePercentage": "\u6062\u590d\u64ad\u653e\u6700\u5927\u767e\u5206\u6bd4\uff1a",
+ "LabelMinResumeDuration": "\u6062\u590d\u64ad\u653e\u6700\u5c0f\u65f6\u95f4\uff08\u79d2\uff09\uff1a",
+ "LabelMinResumePercentageHelp": "\u5982\u679c\u5728\u6b64\u65f6\u95f4\u4e4b\u524d\u505c\u6b62\u64ad\u653e\uff0c\u5a92\u4f53\u4f1a\u6807\u8bb0\u4e3a\u201c\u672a\u64ad\u653e\u201d",
+ "LabelMaxResumePercentageHelp": "\u5982\u679c\u5728\u6b64\u65f6\u95f4\u4e4b\u540e\u505c\u6b62\u64ad\u653e\uff0c\u5a92\u4f53\u4f1a\u6807\u8bb0\u4e3a\u201c\u5df2\u64ad\u653e\u201d",
+ "LabelMinResumeDurationHelp": "\u5a92\u4f53\u64ad\u653e\u65f6\u95f4\u8fc7\u77ed\uff0c\u4e0d\u53ef\u6062\u590d\u64ad\u653e",
+ "TitleAutoOrganize": "\u81ea\u52a8\u6574\u7406",
+ "TabActivityLog": "\u6d3b\u52a8\u65e5\u5fd7",
+ "HeaderName": "\u540d\u5b57",
+ "HeaderDate": "\u65e5\u671f",
+ "HeaderSource": "\u6765\u6e90",
+ "HeaderDestination": "\u76ee\u7684\u5730",
+ "HeaderProgram": "\u7a0b\u5e8f",
+ "HeaderClients": "\u5ba2\u6237\u7aef",
+ "LabelCompleted": "\u5b8c\u6210",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "\u8df3\u8fc7",
+ "HeaderEpisodeOrganization": "\u5267\u96c6\u6574\u7406",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "\u591a\u5c11\u5b63\uff1a",
+ "LabelEpisodeNumber": "\u591a\u5c11\u96c6\uff1a",
+ "LabelEndingEpisodeNumber": "\u6700\u540e\u4e00\u96c6\u6570\u5b57\uff1a",
+ "LabelEndingEpisodeNumberHelp": "\u53ea\u9700\u8981\u591a\u96c6\u6587\u4ef6",
+ "HeaderSupportTheTeam": "\u652f\u6301Media Browser\u5c0f\u7ec4",
+ "LabelSupportAmount": "\u91d1\u989d\uff08\u7f8e\u5143\uff09",
+ "HeaderSupportTheTeamHelp": "\u4e3a\u786e\u4fdd\u8be5\u9879\u76ee\u7684\u6301\u7eed\u53d1\u5c55\u3002\u6350\u6b3e\u7684\u4e00\u90e8\u5206\u5c06\u8d21\u732e\u7ed9\u6211\u4eec\u6240\u4f9d\u8d56\u5176\u4ed6\u7684\u514d\u8d39\u5de5\u5177\u3002",
+ "ButtonEnterSupporterKey": "\u8f93\u5165\u652f\u6301\u8005\u5e8f\u53f7",
+ "DonationNextStep": "\u5b8c\u6210\u540e\uff0c\u8bf7\u8fd4\u56de\u5e76\u8f93\u5165\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\uff0c\u8be5\u5e8f\u5217\u53f7\u901a\u8fc7\u7535\u5b50\u90ae\u4ef6\u63a5\u6536\u3002",
+ "AutoOrganizeHelp": "\u81ea\u52a8\u6574\u7406\u4f1a\u76d1\u63a7\u4f60\u4e0b\u8f7d\u6587\u4ef6\u5939\u4e2d\u7684\u65b0\u6587\u4ef6\uff0c\u5e76\u4e14\u4f1a\u81ea\u52a8\u628a\u5b83\u4eec\u79fb\u52a8\u5230\u4f60\u7684\u5a92\u4f53\u6587\u4ef6\u5939\u4e2d\u3002",
+ "AutoOrganizeTvHelp": "\u7535\u89c6\u6587\u4ef6\u6574\u7406\u4ec5\u4f1a\u6dfb\u52a0\u5267\u96c6\u5230\u4f60\u73b0\u6709\u7684\u7535\u89c6\u5267\u4e2d\uff0c\u4e0d\u4f1a\u521b\u5efa\u65b0\u7684\u7535\u89c6\u5267\u6587\u4ef6\u5939\u3002",
+ "OptionEnableEpisodeOrganization": "\u542f\u7528\u65b0\u5267\u96c6\u6574\u7406",
+ "LabelWatchFolder": "\u76d1\u63a7\u6587\u4ef6\u5939\uff1a",
+ "LabelWatchFolderHelp": "\u670d\u52a1\u5668\u5c06\u5728\u201c\u6574\u7406\u65b0\u5a92\u4f53\u6587\u4ef6\u201d\u8ba1\u5212\u4efb\u52a1\u4e2d\u67e5\u8be2\u8be5\u6587\u4ef6\u5939\u3002",
+ "ButtonViewScheduledTasks": "\u67e5\u770b\u8ba1\u5212\u4efb\u52a1",
+ "LabelMinFileSizeForOrganize": "\u6700\u5c0f\u6587\u4ef6\u5927\u5c0f\uff08MB\uff09\uff1a",
+ "LabelMinFileSizeForOrganizeHelp": "\u5ffd\u7565\u5c0f\u4e8e\u6b64\u5927\u5c0f\u7684\u6587\u4ef6\u3002",
+ "LabelSeasonFolderPattern": "\u5b63\u6587\u4ef6\u5939\u6a21\u5f0f\uff1a",
+ "LabelSeasonZeroFolderName": "\u7b2c0\u5b63\u6587\u4ef6\u5939\u540d\u79f0\uff1a",
+ "HeaderEpisodeFilePattern": "\u5267\u96c6\u6587\u4ef6\u6a21\u5f0f",
+ "LabelEpisodePattern": "\u5267\u96c6\u6a21\u5f0f\uff1a",
+ "LabelMultiEpisodePattern": "\u591a\u96c6\u6a21\u5f0f\uff1a",
+ "HeaderSupportedPatterns": "\u652f\u6301\u7684\u6a21\u5f0f",
+ "HeaderTerm": "\u671f\u9650",
+ "HeaderPattern": "\u6a21\u5f0f",
+ "HeaderResult": "\u7ed3\u5c40",
+ "LabelDeleteEmptyFolders": "\u6574\u7406\u540e\u5220\u9664\u7a7a\u6587\u4ef6\u5939",
+ "LabelDeleteEmptyFoldersHelp": "\u542f\u7528\u4ee5\u4fdd\u6301\u4e0b\u8f7d\u76ee\u5f55\u6574\u6d01\u3002",
+ "LabelDeleteLeftOverFiles": "\u5220\u9664\u5177\u6709\u4ee5\u4e0b\u6269\u5c55\u540d\u7684\u9057\u7559\u6587\u4ef6\uff1a",
+ "LabelDeleteLeftOverFilesHelp": "\u5206\u9694\u7b26 ;. \u4f8b\u5982\uff1a.nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "\u8986\u76d6\u73b0\u6709\u5267\u96c6",
+ "LabelTransferMethod": "\u79fb\u52a8\u65b9\u5f0f",
+ "OptionCopy": "\u590d\u5236",
+ "OptionMove": "\u79fb\u52a8",
+ "LabelTransferMethodHelp": "\u4ece\u76d1\u63a7\u6587\u4ef6\u5939\u590d\u5236\u6216\u79fb\u52a8\u6587\u4ef6",
+ "HeaderLatestNews": "\u6700\u65b0\u6d88\u606f",
+ "HeaderHelpImproveMediaBrowser": "\u5e2e\u52a9\u63d0\u5347Media Browser",
+ "HeaderRunningTasks": "\u8fd0\u884c\u7684\u4efb\u52a1",
+ "HeaderActiveDevices": "\u6d3b\u52a8\u7684\u8bbe\u5907",
+ "HeaderPendingInstallations": "\u7b49\u5f85\u5b89\u88c5",
+ "HeaerServerInformation": "\u670d\u52a1\u5668\u4fe1\u606f",
+ "ButtonRestartNow": "\u73b0\u5728\u91cd\u542f",
+ "ButtonRestart": "\u91cd\u542f",
+ "ButtonShutdown": "\u5173\u673a",
+ "ButtonUpdateNow": "\u73b0\u5728\u66f4\u65b0",
+ "PleaseUpdateManually": "\u8bf7\u5173\u95ed\u670d\u52a1\u5668\u5e76\u624b\u52a8\u66f4\u65b0\u3002",
+ "NewServerVersionAvailable": "Media Browser\u670d\u52a1\u5668\u6709\u65b0\u7248\u672c\u53ef\u7528\uff01",
+ "ServerUpToDate": "Media Browser\u670d\u52a1\u5668\u662f\u6700\u65b0\u7684",
+ "ErrorConnectingToMediaBrowserRepository": "\u8fdc\u7a0b\u8fde\u63a5Media Browser\u8d44\u6599\u5e93\u51fa\u9519\u3002",
+ "LabelComponentsUpdated": "\u4e0b\u9762\u7684\u7ec4\u4ef6\u5df2\u5b89\u88c5\u6216\u66f4\u65b0\uff1a",
+ "MessagePleaseRestartServerToFinishUpdating": "\u8bf7\u91cd\u65b0\u542f\u52a8\u670d\u52a1\u5668\u6765\u5b8c\u6210\u5e94\u7528\u66f4\u65b0\u3002",
+ "LabelDownMixAudioScale": "\u7f29\u6df7\u97f3\u9891\u589e\u5f3a\uff1a",
+ "LabelDownMixAudioScaleHelp": "\u7f29\u6df7\u97f3\u9891\u589e\u5f3a\u3002\u8bbe\u7f6e\u4e3a1\uff0c\u5c06\u4fdd\u7559\u539f\u6765\u7684\u97f3\u91cf\u00b7\u3002",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "\u65e7\u7684\u652f\u6301\u8005\u5e8f\u53f7",
+ "LabelNewSupporterKey": "\u65b0\u7684\u652f\u6301\u8005\u5e8f\u53f7",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "\u73b0\u6709\u90ae\u7bb1\u5730\u5740",
+ "LabelCurrentEmailAddressHelp": "\u6536\u53d6\u65b0\u5e8f\u53f7\u7684\u73b0\u6709\u90ae\u7bb1\u5730\u5740\u3002",
+ "HeaderForgotKey": "\u5fd8\u8bb0\u5e8f\u53f7",
+ "LabelEmailAddress": "\u90ae\u7bb1\u5730\u5740",
+ "LabelSupporterEmailAddress": "\u8d2d\u4e70\u5e8f\u53f7\u7684\u90ae\u7bb1\u5730\u5740\u3002",
+ "ButtonRetrieveKey": "\u53d6\u56de\u5e8f\u53f7",
+ "LabelSupporterKey": "\u652f\u6301\u8005\u5e8f\u53f7\uff08\u4ece\u90ae\u4ef6\u7c98\u8d34\uff09",
+ "LabelSupporterKeyHelp": "\u8f93\u5165\u4f60\u7684\u652f\u6301\u8005\u5e8f\u53f7\u5f00\u59cb\u4eab\u53d7\u793e\u533a\u4e3aMedia Browser\u5f00\u53d1\u7684\u989d\u5916\u597d\u5904\u3002",
+ "MessageInvalidKey": "\u652f\u6301\u8005\u5e8f\u53f7\u9519\u8bef\u6216\u4e0d\u5b58\u5728\u3002",
+ "ErrorMessageInvalidKey": "\u4e3a\u4e86\u6ce8\u518c\u9ad8\u7ea7\u5185\u5bb9\uff0c\u4f60\u5fc5\u987b\u6210\u4e3a\u4e00\u4e2aMedia Browser\u652f\u6301\u8005\u3002\u8bf7\u6350\u6b3e\u652f\u6301\u6838\u5fc3\u4ea7\u54c1\u7684\u6301\u7eed\u5f00\u53d1\u3002\u8c22\u8c22\u3002",
+ "HeaderDisplaySettings": "\u663e\u793a\u8bbe\u7f6e",
+ "TabPlayTo": "\u64ad\u653e\u5230",
+ "LabelEnableDlnaServer": "\u542f\u7528Dlna\u670d\u52a1\u5668",
+ "LabelEnableDlnaServerHelp": "\u5141\u8bb8\u7f51\u7edc\u4e0a\u7684UPnP\u8bbe\u5907\u6d4f\u89c8\u548c\u64ad\u653eMedia Browser\u7684\u5185\u5bb9\u3002",
+ "LabelEnableBlastAliveMessages": "\u7206\u53d1\u6d3b\u52a8\u4fe1\u53f7",
+ "LabelEnableBlastAliveMessagesHelp": "\u5982\u679c\u8be5\u670d\u52a1\u5668\u4e0d\u80fd\u88ab\u7f51\u7edc\u4e2d\u7684\u5176\u4ed6UPnP\u8bbe\u5907\u68c0\u6d4b\u5230\uff0c\u8bf7\u542f\u7528\u6b64\u9009\u9879\u3002",
+ "LabelBlastMessageInterval": "\u6d3b\u52a8\u4fe1\u53f7\u7684\u65f6\u95f4\u95f4\u9694\uff08\u79d2\uff09",
+ "LabelBlastMessageIntervalHelp": "\u786e\u5b9a\u7531\u670d\u52a1\u5668\u6d3b\u52a8\u4fe1\u53f7\u7684\u95f4\u9694\u79d2\u6570\u3002",
+ "LabelDefaultUser": "\u9ed8\u8ba4\u7528\u6237\uff1a",
+ "LabelDefaultUserHelp": "\u786e\u5b9a\u54ea\u4e9b\u7528\u6237\u5a92\u4f53\u5e93\u5c06\u663e\u793a\u5728\u8fde\u63a5\u8bbe\u5907\u4e0a\u3002\u8fd9\u53ef\u4ee5\u4e3a\u6bcf\u4e2a\u8bbe\u5907\u63d0\u4f9b\u4e0d\u540c\u7684\u7528\u6237\u914d\u7f6e\u6587\u4ef6\u3002",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "\u9891\u9053",
+ "HeaderServerSettings": "\u670d\u52a1\u5668\u8bbe\u7f6e",
+ "LabelWeatherDisplayLocation": "\u5929\u6c14\u9884\u62a5\u663e\u793a\u4f4d\u7f6e\uff1a",
+ "LabelWeatherDisplayLocationHelp": "\u7f8e\u56fd\u90ae\u653f\u7f16\u7801\/\u57ce\u5e02\uff0c\u7701\uff0c\u56fd\u5bb6\/\u57ce\u5e02\uff0c\u56fd\u5bb6",
+ "LabelWeatherDisplayUnit": "\u6e29\u5ea6\u663e\u793a\u5355\u4f4d\uff1a",
+ "OptionCelsius": "\u6444\u6c0f\u5ea6",
+ "OptionFahrenheit": "\u534e\u6c0f\u5ea6",
+ "HeaderRequireManualLogin": "\u9700\u8981\u624b\u5de5\u5f55\u5165\u7528\u6237\u540d\uff1a",
+ "HeaderRequireManualLoginHelp": "\u7981\u7528\u5ba2\u6237\u7aef\u65f6\uff0c\u4f1a\u51fa\u73b0\u53ef\u89c6\u5316\u7528\u6237\u9009\u62e9\u767b\u5f55\u754c\u9762\u3002",
+ "OptionOtherApps": "\u5176\u4ed6\u5e94\u7528\u7a0b\u5e8f",
+ "OptionMobileApps": "\u624b\u673a\u5e94\u7528\u7a0b\u5e8f",
+ "HeaderNotificationList": "\u70b9\u51fb\u901a\u77e5\u6765\u914d\u7f6e\u5b83\u7684\u53d1\u9001\u9009\u9879\u3002",
+ "NotificationOptionApplicationUpdateAvailable": "\u6709\u53ef\u7528\u7684\u5e94\u7528\u7a0b\u5e8f\u66f4\u65b0",
+ "NotificationOptionApplicationUpdateInstalled": "\u5e94\u7528\u7a0b\u5e8f\u66f4\u65b0\u5df2\u5b89\u88c5",
+ "NotificationOptionPluginUpdateInstalled": "\u63d2\u4ef6\u66f4\u65b0\u5df2\u5b89\u88c5",
+ "NotificationOptionPluginInstalled": "\u63d2\u4ef6\u5df2\u5b89\u88c5",
+ "NotificationOptionPluginUninstalled": "\u63d2\u4ef6\u5df2\u5378\u8f7d",
+ "NotificationOptionVideoPlayback": "\u89c6\u9891\u5f00\u59cb\u64ad\u653e",
+ "NotificationOptionAudioPlayback": "\u97f3\u9891\u5f00\u59cb\u64ad\u653e",
+ "NotificationOptionGamePlayback": "\u6e38\u620f\u5f00\u59cb",
+ "NotificationOptionVideoPlaybackStopped": "\u89c6\u9891\u64ad\u653e\u505c\u6b62",
+ "NotificationOptionAudioPlaybackStopped": "\u97f3\u9891\u64ad\u653e\u505c\u6b62",
+ "NotificationOptionGamePlaybackStopped": "\u6e38\u620f\u505c\u6b62",
+ "NotificationOptionTaskFailed": "\u8ba1\u5212\u4efb\u52a1\u5931\u8d25",
+ "NotificationOptionInstallationFailed": "\u5b89\u88c5\u5931\u8d25",
+ "NotificationOptionNewLibraryContent": "\u6dfb\u52a0\u65b0\u5185\u5bb9",
+ "NotificationOptionNewLibraryContentMultiple": "\u65b0\u7684\u5185\u5bb9\u52a0\u5165\uff08\u591a\u4e2a\uff09",
+ "SendNotificationHelp": "\u9ed8\u8ba4\u60c5\u51b5\u4e0b\uff0c\u901a\u77e5\u88ab\u53d1\u9001\u5230\u63a7\u5236\u53f0\u7684\u6536\u4ef6\u7bb1\u3002\u6d4f\u89c8\u63d2\u4ef6\u76ee\u5f55\u53ef\u4ee5\u5b89\u88c5\u989d\u5916\u7684\u901a\u77e5\u9009\u9879\u3002",
+ "NotificationOptionServerRestartRequired": "\u9700\u8981\u91cd\u65b0\u542f\u52a8\u670d\u52a1\u5668",
+ "LabelNotificationEnabled": "\u542f\u7528\u6b64\u901a\u77e5",
+ "LabelMonitorUsers": "\u76d1\u63a7\u6d3b\u52a8\uff1a",
+ "LabelSendNotificationToUsers": "\u53d1\u9001\u901a\u77e5\u81f3\uff1a",
+ "LabelUseNotificationServices": "\u4f7f\u7528\u4ee5\u4e0b\u670d\u52a1\uff1a",
+ "CategoryUser": "\u7528\u6237",
+ "CategorySystem": "\u7cfb\u7edf",
+ "CategoryApplication": "\u5e94\u7528\u7a0b\u5e8f",
+ "CategoryPlugin": "\u63d2\u4ef6",
+ "LabelMessageTitle": "\u6d88\u606f\u6807\u9898\uff1a",
+ "LabelAvailableTokens": "\u53ef\u7528\u4ee4\u724c\uff1a",
+ "AdditionalNotificationServices": "\u6d4f\u89c8\u63d2\u4ef6\u76ee\u5f55\u5b89\u88c5\u989d\u5916\u7684\u901a\u77e5\u8bbf\u95ee\u3002",
+ "OptionAllUsers": "\u6240\u6709\u7528\u6237",
+ "OptionAdminUsers": "\u7ba1\u7406\u5458",
+ "OptionCustomUsers": "\u81ea\u5b9a\u4e49",
+ "ButtonArrowUp": "\u4e0a",
+ "ButtonArrowDown": "\u4e0b",
+ "ButtonArrowLeft": "\u5de6",
+ "ButtonArrowRight": "\u53f3",
+ "ButtonBack": "\u8fd4\u56de",
+ "ButtonInfo": "\u8be6\u60c5",
+ "ButtonOsd": "\u5728\u5c4f\u5e55\u4e0a\u663e\u793a",
+ "ButtonPageUp": "\u4e0a\u4e00\u9875",
+ "ButtonPageDown": "\u4e0b\u4e00\u9875",
+ "PageAbbreviation": "\u9875\u9762",
+ "ButtonHome": "\u9996\u9875",
+ "ButtonSearch": "\u641c\u7d22",
+ "ButtonSettings": "\u8bbe\u7f6e",
+ "ButtonTakeScreenshot": "\u5c4f\u5e55\u622a\u56fe",
+ "ButtonLetterUp": "\u4e0a\u4e00\u5b57\u6bcd",
+ "ButtonLetterDown": "\u4e0b\u4e00\u5b57\u6bcd",
+ "PageButtonAbbreviation": "\u9875\u9762\u6309\u952e",
+ "LetterButtonAbbreviation": "\u5b57\u6bcd\u6309\u952e",
+ "TabNowPlaying": "\u73b0\u5728\u64ad\u653e",
+ "TabNavigation": "\u5bfc\u822a",
+ "TabControls": "\u63a7\u5236",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "\u573a\u666f",
+ "ButtonSubtitles": "\u5b57\u5e55",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "\u505c\u6b62",
+ "ButtonPause": "\u6682\u505c",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "\u6279\u91cf\u6dfb\u52a0\u7535\u5f71\u5230\u5408\u96c6",
+ "LabelGroupMoviesIntoCollectionsHelp": "\u5f53\u663e\u793a\u7684\u7535\u5f71\u5217\u8868\u65f6\uff0c\u5c5e\u4e8e\u4e00\u4e2a\u5408\u96c6\u7535\u5f71\u5c06\u663e\u793a\u4e3a\u4e00\u4e2a\u5206\u7ec4\u3002",
+ "NotificationOptionPluginError": "\u63d2\u4ef6\u5931\u8d25",
+ "ButtonVolumeUp": "\u52a0\u5927\u97f3\u91cf",
+ "ButtonVolumeDown": "\u964d\u4f4e\u97f3\u91cf",
+ "ButtonMute": "\u9759\u97f3",
+ "HeaderLatestMedia": "\u6700\u65b0\u5a92\u4f53",
+ "OptionSpecialFeatures": "\u7279\u6b8a\u529f\u80fd",
+ "HeaderCollections": "\u5408\u96c6",
+ "LabelProfileCodecsHelp": "\u4ee5\u9017\u53f7\u5206\u9694\u3002\u7559\u7a7a\u5219\u9002\u7528\u4e8e\u6240\u6709\u7f16\u89e3\u7801\u5668\u3002",
+ "LabelProfileContainersHelp": "\u4ee5\u9017\u53f7\u5206\u9694\u3002\u7559\u7a7a\u5219\u9002\u7528\u4e8e\u6240\u6709\u5a92\u4f53\u8f7d\u4f53\u3002",
+ "HeaderResponseProfile": "\u54cd\u5e94\u914d\u7f6e",
+ "LabelType": "\u7c7b\u578b\uff1a",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "\u5a92\u4f53\u8f7d\u4f53\uff1a",
+ "LabelProfileVideoCodecs": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a",
+ "LabelProfileAudioCodecs": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a",
+ "LabelProfileCodecs": "\u7f16\u89e3\u7801\u5668\uff1a",
+ "HeaderDirectPlayProfile": "\u76f4\u63a5\u64ad\u653e\u914d\u7f6e",
+ "HeaderTranscodingProfile": "\u8f6c\u7801\u914d\u7f6e",
+ "HeaderCodecProfile": "\u7f16\u89e3\u7801\u5668\u914d\u7f6e",
+ "HeaderCodecProfileHelp": "\u7f16\u89e3\u7801\u5668\u7684\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u4e86\u8bbe\u5907\u64ad\u653e\u7279\u5b9a\u7f16\u7801\u65f6\u7684\u9650\u5236\u3002\u5982\u679c\u5728\u9650\u5236\u4e4b\u5185\u5219\u5a92\u4f53\u5c06\u88ab\u8f6c\u7801\uff0c\u5426\u5219\u7f16\u89e3\u7801\u5668\u5c06\u88ab\u914d\u7f6e\u4e3a\u76f4\u63a5\u64ad\u653e\u3002",
+ "HeaderContainerProfile": "\u5a92\u4f53\u8f7d\u4f53\u914d\u7f6e",
+ "HeaderContainerProfileHelp": "\u5a92\u4f53\u8f7d\u4f53\u7684\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u4e86\u8bbe\u5907\u64ad\u653e\u7279\u5b9a\u5a92\u4f53\u683c\u5f0f\u65f6\u7684\u9650\u5236\u3002\u5982\u679c\u5728\u9650\u5236\u4e4b\u5185\u5219\u5a92\u4f53\u5c06\u88ab\u8f6c\u7801\uff0c\u5426\u5219\u5a92\u4f53\u683c\u5f0f\u5c06\u88ab\u914d\u7f6e\u4e3a\u76f4\u63a5\u64ad\u653e\u3002",
+ "OptionProfileVideo": "\u89c6\u9891",
+ "OptionProfileAudio": "\u97f3\u9891",
+ "OptionProfileVideoAudio": "\u89c6\u9891\u97f3\u9891",
+ "OptionProfilePhoto": "\u56fe\u7247",
+ "LabelUserLibrary": "\u7528\u6237\u5a92\u4f53\u5e93",
+ "LabelUserLibraryHelp": "\u9009\u62e9\u4e00\u4e2a\u5728\u8bbe\u5907\u4e0a\u663e\u793a\u7684\u7528\u6237\u5a92\u4f53\u5e93\u3002\u7559\u7a7a\u5219\u4f7f\u7528\u9ed8\u8ba4\u8bbe\u7f6e\u3002",
+ "OptionPlainStorageFolders": "\u663e\u793a\u6240\u6709\u6587\u4ef6\u5939\u4f5c\u4e3a\u4e00\u822c\u5b58\u50a8\u6587\u4ef6\u5939",
+ "OptionPlainStorageFoldersHelp": "\u5982\u679c\u542f\u7528\uff0c\u6240\u6709\u6587\u4ef6\u5939\u5728DIDL\u4e2d\u663e\u793a\u4e3a\u201c object.container.storageFolder \u201d\uff0c\u800c\u4e0d\u662f\u4e00\u4e2a\u66f4\u5177\u4f53\u7684\u7c7b\u578b\uff0c\u5982\u201c object.container.person.musicArtist \u201d \u3002",
+ "OptionPlainVideoItems": "\u663e\u793a\u6240\u6709\u89c6\u9891\u4e3a\u4e00\u822c\u89c6\u9891\u9879\u76ee",
+ "OptionPlainVideoItemsHelp": "\u5982\u679c\u542f\u7528\uff0c\u6240\u6709\u89c6\u9891\u5728DIDL\u4e2d\u663e\u793a\u4e3a\u201cobject.item.videoItem\u201d\uff0c\u800c\u4e0d\u662f\u4e00\u4e2a\u66f4\u5177\u4f53\u7684\u7c7b\u578b\uff0c\u5982\u201cobject.item.videoItem.movie \u201d \u3002",
+ "LabelSupportedMediaTypes": "\u652f\u6301\u7684\u5a92\u4f53\u7c7b\u578b\uff1a",
+ "TabIdentification": "\u8bc6\u522b",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "\u76f4\u63a5\u64ad\u653e",
+ "TabContainers": "\u5a92\u4f53\u8f7d\u4f53",
+ "TabCodecs": "\u7f16\u89e3\u7801\u5668",
+ "TabResponses": "\u54cd\u5e94",
+ "HeaderProfileInformation": "\u914d\u7f6e\u4fe1\u606f",
+ "LabelEmbedAlbumArtDidl": "\u5728DIDL\u4e2d\u5d4c\u5165\u4e13\u8f91\u5c01\u9762",
+ "LabelEmbedAlbumArtDidlHelp": "\u6709\u4e9b\u8bbe\u5907\u9996\u9009\u8fd9\u79cd\u65b9\u5f0f\u83b7\u53d6\u4e13\u8f91\u5c01\u9762\u3002\u542f\u7528\u8be5\u9009\u9879\u53ef\u80fd\u5bfc\u81f4\u5176\u4ed6\u8bbe\u5907\u64ad\u653e\u5931\u8d25\u3002",
+ "LabelAlbumArtPN": "\u4e13\u8f91\u5c01\u9762PN \uff1a",
+ "LabelAlbumArtHelp": "\u4e13\u8f91\u5c01\u9762PN\u7528\u4e8e\u63d0\u4f9bDLNA\u4e2d\u7684\u914d\u7f6e\u7f16\u53f7\uff0cUPnP\u4e2d\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u3002\u67d0\u4e9b\u5ba2\u6237\u4e0d\u7ba1\u56fe\u50cf\u7684\u5c3a\u5bf8\u5927\u5c0f\uff0c\u90fd\u4f1a\u8981\u6c42\u7279\u5b9a\u7684\u503c\u3002",
+ "LabelAlbumArtMaxWidth": "\u4e13\u8f91\u5c01\u9762\u6700\u5927\u5bbd\u5ea6\uff1a",
+ "LabelAlbumArtMaxWidthHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u7684\u6700\u5927\u5206\u8fa8\u7387\u3002",
+ "LabelAlbumArtMaxHeight": "\u4e13\u8f91\u5c01\u9762\u6700\u5927\u9ad8\u5ea6\uff1a",
+ "LabelAlbumArtMaxHeightHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u4e13\u8f91\u5c01\u9762\u8d85\u94fe\u63a5\u7684\u6700\u5927\u5206\u8fa8\u7387\u3002",
+ "LabelIconMaxWidth": "\u56fe\u6807\u6700\u5927\u5bbd\u5ea6\uff1a",
+ "LabelIconMaxWidthHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u56fe\u6807\u6700\u5927\u5206\u8fa8\u7387\u3002",
+ "LabelIconMaxHeight": "\u56fe\u6807\u6700\u5927\u9ad8\u5ea6\uff1a",
+ "LabelIconMaxHeightHelp": "\u901a\u8fc7UPnP\u663e\u793a\u7684\u56fe\u6807\u6700\u5927\u5206\u8fa8\u7387\u3002",
+ "LabelIdentificationFieldHelp": "\u4e0d\u533a\u5206\u5927\u5c0f\u5199\u7684\u5b57\u7b26\u4e32\u6216\u6b63\u5219\u8868\u8fbe\u5f0f\u3002",
+ "HeaderProfileServerSettingsHelp": "Media Browser\u5c06\u5982\u4f55\u628a\u754c\u9762\u5448\u73b0\u5230\u8bbe\u5907\u4e0a\u662f\u7531\u8fd9\u4e9b\u6570\u503c\u63a7\u5236\u7684\u3002",
+ "LabelMaxBitrate": "\u6700\u5927\u6bd4\u7279\u7387\uff1a",
+ "LabelMaxBitrateHelp": "\u6307\u5b9a\u5728\u5e26\u5bbd\u53d7\u9650\u7684\u73af\u5883\u6700\u5927\u6bd4\u7279\u7387\uff0c\u6216\u8005\u8bbe\u5907\u6309\u5b83\u81ea\u5df1\u7684\u6700\u5927\u9650\u5ea6\u8fd0\u4f5c\u3002",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "\u5ffd\u7565\u8f6c\u7801\u5b57\u8282\u8303\u56f4\u8bf7\u6c42",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "\u5982\u679c\u542f\u7528\uff0c\u8fd9\u4e9b\u8bf7\u6c42\u4f1a\u88ab\u5151\u73b0\uff0c\u4f46\u4f1a\u5ffd\u7565\u7684\u5b57\u8282\u8303\u56f4\u6807\u5934\u3002",
+ "LabelFriendlyName": "\u597d\u8bb0\u7684\u540d\u79f0",
+ "LabelManufacturer": "\u5236\u9020\u5546",
+ "LabelManufacturerUrl": "\u5382\u5546\u7f51\u5740",
+ "LabelModelName": "\u578b\u53f7\u540d\u79f0",
+ "LabelModelNumber": "\u578b\u53f7",
+ "LabelModelDescription": "\u578b\u53f7\u63cf\u8ff0",
+ "LabelModelUrl": "\u578b\u53f7\u7f51\u5740",
+ "LabelSerialNumber": "\u5e8f\u5217\u53f7",
+ "LabelDeviceDescription": "\u8bbe\u5907\u63cf\u8ff0",
+ "HeaderIdentificationCriteriaHelp": "\u81f3\u5c11\u8f93\u5165\u4e00\u4e2a\u8bc6\u522b\u6807\u51c6\u3002",
+ "HeaderDirectPlayProfileHelp": "\u6dfb\u52a0\u76f4\u63a5\u64ad\u653e\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u54ea\u4e9b\u5a92\u4f53\u683c\u5f0f\u8bbe\u5907\u53ef\u4ee5\u81ea\u5df1\u5904\u7406\u3002",
+ "HeaderTranscodingProfileHelp": "\u6dfb\u52a0\u8f6c\u7801\u914d\u7f6e\u6587\u4ef6\u6807\u660e\u54ea\u4e9b\u5a92\u4f53\u683c\u5f0f\u9700\u8981\u8f6c\u7801\u5904\u7406\u3002",
+ "HeaderResponseProfileHelp": "\u5f53\u64ad\u653e\u67d0\u4e9b\u7c7b\u578b\u7684\u5a92\u4f53\u65f6\uff0c\u54cd\u5e94\u914d\u7f6e\u6587\u4ef6\u63d0\u4f9b\u4e86\u4e00\u79cd\u65b9\u6cd5\u6765\u53d1\u9001\u81ea\u5b9a\u4e49\u4fe1\u606f\u5230\u8bbe\u5907\u3002",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684X_DLNACAP\u5143\u7d20\u7684\u5185\u5bb9\u3002",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684X-Dlna doc\u5143\u7d20\u7684\u5185\u5bb9\u3002",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "\u51b3\u5b9a\u5728urn:schemas-dlna-org:device-1-0 namespace\u4e2d\u7684aggregationFlags\u5143\u7d20\u7684\u5185\u5bb9\u3002",
+ "LabelTranscodingContainer": "\u5a92\u4f53\u8f7d\u4f53",
+ "LabelTranscodingVideoCodec": "\u89c6\u9891\u7f16\u89e3\u7801\u5668\uff1a",
+ "LabelTranscodingVideoProfile": "\u89c6\u9891\u914d\u7f6e\uff1a",
+ "LabelTranscodingAudioCodec": "\u97f3\u9891\u7f16\u89e3\u7801\u5668\uff1a",
+ "OptionEnableM2tsMode": "\u542f\u7528M2ts\u6a21\u5f0f",
+ "OptionEnableM2tsModeHelp": "\u5f53\u7f16\u7801\u4e3aMPEGTS\u542f\u7528M2TS\u6a21\u5f0f\u3002",
+ "OptionEstimateContentLength": "\u8f6c\u7801\u65f6\uff0c\u4f30\u8ba1\u5185\u5bb9\u957f\u5ea6",
+ "OptionReportByteRangeSeekingWhenTranscoding": "\u8f6c\u7801\u65f6\uff0c\u62a5\u544a\u670d\u52a1\u5668\u652f\u6301\u7684\u5b57\u8282\u67e5\u8be2",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "\u8fd9\u662f\u4e00\u4e9b\u8bbe\u5907\u5fc5\u9700\u7684\uff0c\u4e0d\u7528\u8d76\u65f6\u95f4\u3002",
+ "HeaderSubtitleDownloadingHelp": "\u5f53Media Browser\u626b\u63cf\u89c6\u9891\u6587\u4ef6\u53d1\u73b0\u7f3a\u5931\u5b57\u5e55\u65f6\uff0c\u4f1a\u4ece\u5b57\u5e55\u63d0\u4f9b\u8005\u5904\u4e0b\u8f7d\uff0c\u6bd4\u5982\uff1aOpenSubtitles.org\u3002",
+ "HeaderDownloadSubtitlesFor": "\u4e0b\u8f7d\u54ea\u4e00\u9879\u7684\u5b57\u5e55\uff1a",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "\u5982\u679c\u89c6\u9891\u5df2\u7ecf\u5305\u542b\u56fe\u5f62\u5b57\u5e55\u5219\u8df3\u8fc7",
+ "LabelSkipIfGraphicalSubsPresentHelp": "\u4fdd\u7559\u6587\u672c\u7248\u5b57\u5e55\u5c06\u66f4\u6709\u6548\u5730\u63d0\u4f9b\u7ed9\u79fb\u52a8\u5ba2\u6237\u7aef\u3002",
+ "TabSubtitles": "\u5b57\u5e55",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles\u7684\u7528\u6237\u540d\uff1a",
+ "LabelOpenSubtitlesPassword": "Open Subtitles\u7684\u5bc6\u7801\uff1a",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "\u64ad\u653e\u9ed8\u8ba4\u97f3\u8f68\u65e0\u8bba\u662f\u4ec0\u4e48\u8bed\u8a00",
+ "LabelSubtitlePlaybackMode": "\u5b57\u5e55\u6a21\u5f0f\uff1a",
+ "LabelDownloadLanguages": "\u4e0b\u8f7d\u8bed\u8a00\uff1a",
+ "ButtonRegister": "\u6ce8\u518c",
+ "LabelSkipIfAudioTrackPresent": "\u5982\u679c\u9ed8\u8ba4\u97f3\u8f68\u7684\u8bed\u8a00\u548c\u4e0b\u8f7d\u8bed\u8a00\u4e00\u6837\u5219\u8df3\u8fc7",
+ "LabelSkipIfAudioTrackPresentHelp": "\u53d6\u6d88\u6b64\u9009\u9879\uff0c\u5219\u786e\u4fdd\u6240\u6709\u7684\u89c6\u9891\u90fd\u4e0b\u8f7d\u5b57\u5e55\uff0c\u65e0\u8bba\u97f3\u9891\u8bed\u8a00\u662f\u5426\u4e00\u81f4\u3002",
+ "HeaderSendMessage": "\u53d1\u9001\u6d88\u606f",
+ "ButtonSend": "\u53d1\u9001",
+ "LabelMessageText": "\u6d88\u606f\u6587\u672c\uff1a",
+ "MessageNoAvailablePlugins": "\u6ca1\u6709\u53ef\u7528\u7684\u63d2\u4ef6\u3002",
+ "LabelDisplayPluginsFor": "\u663e\u793a\u63d2\u4ef6\uff1a",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "\u7535\u89c6\u5267.\u540d\u79f0",
+ "ValueSeriesNameUnderscore": "\u7535\u89c6\u5267_\u540d\u79f0",
+ "ValueEpisodeNamePeriod": "\u5267\u96c6.\u540d\u79f0",
+ "ValueEpisodeNameUnderscore": "\u5267\u96c6_\u540d\u79f0",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "\u8f93\u5165\u6587\u672c",
+ "LabelTypeText": "\u6587\u672c",
+ "HeaderSearchForSubtitles": "\u641c\u7d22\u5b57\u5e55",
+ "MessageNoSubtitleSearchResultsFound": "\u641c\u7d22\u65e0\u7ed3\u679c",
+ "TabDisplay": "\u663e\u793a",
+ "TabLanguages": "\u8bed\u8a00",
+ "TabWebClient": "Web\u5ba2\u6237\u7aef",
+ "LabelEnableThemeSongs": "\u542f\u7528\u4e3b\u9898\u6b4c",
+ "LabelEnableBackdrops": "\u542f\u7528\u80cc\u666f\u56fe",
+ "LabelEnableThemeSongsHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u6d4f\u89c8\u5a92\u4f53\u5e93\u65f6\u4e3b\u9898\u6b4c\u5c06\u5728\u540e\u53f0\u64ad\u653e\u3002",
+ "LabelEnableBackdropsHelp": "\u5982\u679c\u542f\u7528\uff0c\u5f53\u6d4f\u89c8\u5a92\u4f53\u5e93\u65f6\u80cc\u666f\u56fe\u5c06\u4f5c\u4e3a\u4e00\u4e9b\u9875\u9762\u7684\u80cc\u666f\u663e\u793a\u3002",
+ "HeaderHomePage": "\u9996\u9875",
+ "HeaderSettingsForThisDevice": "\u8bbe\u7f6e\u6b64\u8bbe\u5907",
+ "OptionAuto": "\u81ea\u52a8",
+ "OptionYes": "\u662f",
+ "OptionNo": "\u4e0d",
+ "LabelHomePageSection1": "\u9996\u9875\u7b2c1\u533a\uff1a",
+ "LabelHomePageSection2": "\u9996\u9875\u7b2c2\u533a\uff1a",
+ "LabelHomePageSection3": "\u9996\u9875\u7b2c3\u533a\uff1a",
+ "LabelHomePageSection4": "\u9996\u9875\u7b2c4\u533a\uff1a",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "\u6062\u590d\u64ad\u653e",
+ "OptionLatestMedia": "\u6700\u65b0\u5a92\u4f53",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "\u6ca1\u6709",
+ "HeaderLiveTv": "\u7535\u89c6\u76f4\u64ad",
+ "HeaderReports": "\u62a5\u544a",
+ "HeaderMetadataManager": "\u5a92\u4f53\u8d44\u6599\u7ba1\u7406",
+ "HeaderPreferences": "\u504f\u597d",
+ "MessageLoadingChannels": "\u9891\u9053\u5185\u5bb9\u52a0\u8f7d\u4e2d......",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "\u6807\u8bb0\u5df2\u8bfb",
+ "OptionDefaultSort": "\u9ed8\u8ba4",
+ "OptionCommunityMostWatchedSort": "\u6700\u53d7\u77a9\u76ee",
+ "TabNextUp": "\u4e0b\u4e00\u4e2a",
+ "MessageNoMovieSuggestionsAvailable": "\u6ca1\u6709\u53ef\u7528\u7684\u7535\u5f71\u5efa\u8bae\u3002\u5f00\u59cb\u89c2\u770b\u4f60\u7684\u7535\u5f71\u5e76\u8fdb\u884c\u8bc4\u5206\uff0c\u518d\u56de\u8fc7\u5934\u6765\u67e5\u770b\u4f60\u7684\u5efa\u8bae\u3002",
+ "MessageNoCollectionsAvailable": "\u5408\u96c6\u5141\u8bb8\u8fdb\u884c\u4f60\u4e2a\u4eba\u7535\u5f71\u3001\u7535\u89c6\u5267\u3001\u4e13\u8f91\u3001\u4e66\u7c4d\u548c\u6e38\u620f\u5206\u7ec4\u3002\u70b9\u51fb\u65b0\u589e\u6309\u94ae\u5f00\u59cb\u521b\u5efa\u5408\u96c6\u3002",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "\u6b22\u8fce\u8fdb\u5165Media Browser Web\u5ba2\u6237\u7aef",
+ "ButtonDismiss": "\u89e3\u6563",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "\u9996\u9009\u7684\u4e92\u8054\u7f51\u6d41\u5a92\u4f53\u8d28\u91cf\uff1a",
+ "LabelChannelStreamQualityHelp": "\u5728\u4f4e\u5e26\u5bbd\u73af\u5883\u4e0b\uff0c\u9650\u5236\u8d28\u91cf\u6709\u52a9\u4e8e\u786e\u4fdd\u987a\u7545\u7684\u6d41\u5a92\u4f53\u4f53\u9a8c\u3002",
+ "OptionBestAvailableStreamQuality": "\u6700\u597d\u7684",
+ "LabelEnableChannelContentDownloadingFor": "\u542f\u7528\u9891\u9053\u5185\u5bb9\u4e0b\u8f7d\uff1a",
+ "LabelEnableChannelContentDownloadingForHelp": "\u4e00\u4e9b\u9891\u9053\u652f\u6301\u4e0b\u8f7d\u4e4b\u524d\u89c2\u770b\u8fc7\u7684\u5185\u5bb9\u3002\u53ef\u5728\u4f4e\u5e26\u5bbd\u73af\u5883\u4e0b\u7684\u7a7a\u95f2\u65f6\u95f4\u542f\u7528\u8be5\u9879\u6765\u4e0b\u8f7d\u5b83\u4eec\u3002\u8be5\u5185\u5bb9\u4f1a\u4f5c\u4e3a\u9891\u9053\u4e0b\u8f7d\u8ba1\u5212\u4efb\u52a1\u7684\u4e00\u90e8\u5206\u6765\u6267\u884c\u3002",
+ "LabelChannelDownloadPath": "\u9891\u9053\u5185\u5bb9\u4e0b\u8f7d\u8def\u5f84\uff1a",
+ "LabelChannelDownloadPathHelp": "\u9700\u8981\u81ea\u5b9a\u4e49\u624d\u8f93\u5165\u4e0b\u8f7d\u8def\u5f84\u3002\u7559\u7a7a\u5219\u4e0b\u8f7d\u5230\u5185\u90e8\u7a0b\u5e8f\u6570\u636e\u6587\u4ef6\u5939\u3002",
+ "LabelChannelDownloadAge": "\u8fc7\u591a\u4e45\u5220\u9664\u5185\u5bb9: (\u5929\u6570)",
+ "LabelChannelDownloadAgeHelp": "\u4e0b\u8f7d\u7684\u5185\u5bb9\u8d85\u8fc7\u6b64\u671f\u9650\u5c06\u88ab\u5220\u9664\u3002\u5b83\u4ecd\u53ef\u901a\u8fc7\u4e92\u8054\u7f51\u6d41\u5a92\u4f53\u64ad\u653e\u3002",
+ "ChannelSettingsFormHelp": "\u5728\u63d2\u4ef6\u76ee\u5f55\u91cc\u5b89\u88c5\u9891\u9053\uff0c\u4f8b\u5982\uff1aTrailers \u548c Vimeo",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/Localization/Server/zh_TW.json b/MediaBrowser.Server.Implementations/Localization/Server/zh_TW.json
index 9328b5d961..6b02d03efe 100644
--- a/MediaBrowser.Server.Implementations/Localization/Server/zh_TW.json
+++ b/MediaBrowser.Server.Implementations/Localization/Server/zh_TW.json
@@ -1,592 +1,4 @@
{
- "LabelImagesByNamePath": "\u540d\u7a31\u5716\u50cf\u6587\u4ef6\u593e\u8def\u5f91\uff1a",
- "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
- "LabelMetadataPath": "\u5a92\u9ad4\u8cc7\u6599\u6587\u4ef6\u593e\u8def\u5f91\uff1a",
- "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
- "LabelTranscodingTempPath": "\u8f49\u78bc\u81e8\u6642\u8def\u5f91\uff1a",
- "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
- "TabBasics": "\u57fa\u672c",
- "TabTV": "\u96fb\u8996\u7bc0\u76ee",
- "TabGames": "\u904a\u6232",
- "TabMusic": "\u97f3\u6a02",
- "TabOthers": "\u5176\u4ed6",
- "HeaderExtractChapterImagesFor": "\u5f9e\u4ee5\u4e0b\u5a92\u9ad4\u63d0\u53d6\u7ae0\u7bc0\u622a\u5716\uff1a",
- "OptionMovies": "Movies",
- "OptionEpisodes": "Episodes",
- "OptionOtherVideos": "\u5176\u4ed6\u8996\u983b",
- "TitleMetadata": "Metadata",
- "LabelAutomaticUpdatesFanart": "\u5f9eFanArt.tv\u81ea\u52d5\u66f4\u65b0",
- "LabelAutomaticUpdatesTmdb": "\u5f9eTheMovieDB.org\u81ea\u52d5\u66f4\u65b0",
- "LabelAutomaticUpdatesTvdb": "\u5f9eTheTVDB.com\u81ea\u52d5\u66f4\u65b0",
- "LabelAutomaticUpdatesFanartHelp": "\u5982\u679c\u555f\u7528\uff0c\u82e5\u6709\u65b0\u7684\u5716\u50cf\u6dfb\u52a0\u5230fanart.tv\uff0c\u5b83\u5011\u5c07\u6703\u88ab\u81ea\u52d5\u4e0b\u8f09\u3002\u73fe\u6709\u7684\u5f71\u50cf\u4e0d\u6703\u88ab\u53d6\u4ee3\u3002",
- "LabelAutomaticUpdatesTmdbHelp": "\u5982\u679c\u555f\u7528\uff0c\u82e5\u6709\u65b0\u7684\u5716\u50cf\u6dfb\u52a0\u5230TheMovieDB.org\uff0c\u5b83\u5011\u5c07\u6703\u88ab\u81ea\u52d5\u4e0b\u8f09\u3002\u73fe\u6709\u7684\u5f71\u50cf\u4e0d\u6703\u88ab\u53d6\u4ee3\u3002",
- "LabelAutomaticUpdatesTvdbHelp": "\u5982\u679c\u555f\u7528\uff0c\u82e5\u6709\u65b0\u7684\u5716\u50cf\u6dfb\u52a0\u5230TheTVDB.com\uff0c\u5b83\u5011\u5c07\u6703\u88ab\u81ea\u52d5\u4e0b\u8f09\u3002\u73fe\u6709\u7684\u5f71\u50cf\u4e0d\u6703\u88ab\u53d6\u4ee3\u3002",
- "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
- "LabelMetadataDownloadLanguage": "Preferred download language:",
- "ButtonAutoScroll": "\u81ea\u52d5\u6efe\u52d5",
- "LabelImageSavingConvention": "\u5716\u50cf\u4fdd\u5b58\u547d\u540d\u898f\u5247\uff1a",
- "LabelImageSavingConventionHelp": "Media Browser\u80fd\u5920\u8b58\u5225\u4f86\u81ea\u5927\u90e8\u5206\u4e3b\u8981\u5a92\u9ad4\u61c9\u7528\u7a0b\u5f0f\u7522\u54c1\u547d\u540d\u7684\u5716\u50cf\u3002\u5982\u679c\u4f60\u4e5f\u4f7f\u7528\u5176\u4ed6\u7522\u54c1\uff0c\u9078\u64c7\u4f60\u4e0b\u8f09\u7684\u5716\u50cf\u4fdd\u5b58\u547d\u540d\u898f\u5247\u80fd\u5920\u5e6b\u52a9\u4f60\u3002",
- "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
- "OptionImageSavingStandard": "Standard - MB2",
- "ButtonSignIn": "\u767b\u9304",
- "TitleSignIn": "\u767b\u9304",
- "HeaderPleaseSignIn": "\u8acb\u767b\u9304",
- "LabelUser": "\u7528\u6236\uff1a",
- "LabelPassword": "\u5bc6\u78bc\uff1a",
- "ButtonManualLogin": "Manual Login",
- "PasswordLocalhostMessage": "\u5f9e\u672c\u5730\u767b\u9304\u6642\uff0c\u5bc6\u78bc\u4e0d\u662f\u5fc5\u9700\u7684\u3002",
- "TabGuide": "\u6307\u5357",
- "TabChannels": "\u983b\u5ea6",
- "TabCollections": "Collections",
- "HeaderChannels": "\u983b\u5ea6",
- "TabRecordings": "\u9304\u5f71",
- "TabScheduled": "\u9810\u5b9a",
- "TabSeries": "\u96fb\u8996\u5287",
- "TabFavorites": "Favorites",
- "TabMyLibrary": "My Library",
- "ButtonCancelRecording": "\u53d6\u6d88\u9304\u5f71",
- "HeaderPrePostPadding": "Pre\/Post Padding",
- "LabelPrePaddingMinutes": "Pre-padding minutes:",
- "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
- "LabelPostPaddingMinutes": "Post-padding minutes:",
- "OptionPostPaddingRequired": "Post-padding is required in order to record.",
- "HeaderWhatsOnTV": "\u6b63\u5728\u64ad\u653e\u7684\u96fb\u8996\u7bc0\u76ee",
- "HeaderUpcomingTV": "\u5373\u5c07\u767c\u4f48\u7684\u96fb\u8996\u7bc0\u76ee",
- "TabStatus": "Status",
- "TabSettings": "\u8a2d\u5b9a",
- "ButtonRefreshGuideData": "\u5237\u65b0\u96fb\u8996\u6307\u5357\u8cc7\u6599",
- "ButtonRefresh": "Refresh",
- "ButtonAdvancedRefresh": "Advanced Refresh",
- "OptionPriority": "\u512a\u5148",
- "OptionRecordOnAllChannels": "\u9304\u5f71\u6240\u4ee5\u983b\u5ea6\u7684\u7bc0\u76ee",
- "OptionRecordAnytime": "\u9304\u5f71\u6240\u6709\u6642\u6bb5\u7684\u7bc0\u76ee",
- "OptionRecordOnlyNewEpisodes": "\u53ea\u9304\u5f71\u6700\u65b0\u7684\u55ae\u5143",
- "HeaderDays": "\u9304\u5f71\u65e5",
- "HeaderActiveRecordings": "\u6b63\u5728\u9304\u5f71\u7684\u7bc0\u76ee",
- "HeaderLatestRecordings": "\u6700\u65b0\u9304\u5f71\u7684\u7bc0\u76ee",
- "HeaderAllRecordings": "\u6240\u6709\u9304\u5f71",
- "ButtonPlay": "\u64ad\u653e",
- "ButtonEdit": "\u7de8\u8f2f",
- "ButtonRecord": "\u958b\u59cb\u9304\u5f71",
- "ButtonDelete": "\u522a\u9664",
- "ButtonRemove": "\u6e05\u9664",
- "OptionRecordSeries": "\u9304\u5f71\u96fb\u8996\u5287",
- "HeaderDetails": "\u8a73\u7d30\u8cc7\u6599",
- "TitleLiveTV": "\u96fb\u8996\u529f\u80fd",
- "LabelNumberOfGuideDays": "Number of days of guide data to download:",
- "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
- "LabelActiveService": "\u904b\u884c\u4e2d\u7684\u670d\u52d9",
- "LabelActiveServiceHelp": "\u53ef\u5b89\u88dd\u591a\u500b\u96fb\u8996\u529f\u80fd\u63d2\u4ef6\u53ef\uff0c\u4f46\u53ea\u6709\u4e00\u500b\u53ef\u4ee5\u5728\u540c\u4e00\u6642\u9593\u662f\u904b\u884c\u3002",
- "OptionAutomatic": "\u81ea\u52d5",
- "LiveTvPluginRequired": "\u9700\u8981\u5b89\u88dd\u81f3\u5c11\u4e00\u500b\u96fb\u8996\u529f\u80fd\u63d2\u4ef6\u53bb\u7e7c\u7e8c",
- "LiveTvPluginRequiredHelp": "\u8acb\u5b89\u88dd\u4e00\u500b\u6211\u5011\u63d0\u4f9b\u7684\u63d2\u4ef6\uff0c\u5982Next PVR\u7684\u6216ServerWmc\u3002",
- "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
- "OptionDownloadThumbImage": "\u7e2e\u7565\u5716",
- "OptionDownloadMenuImage": "\u83dc\u55ae",
- "OptionDownloadLogoImage": "\u6a19\u8a8c",
- "OptionDownloadBoxImage": "\u5a92\u9ad4\u5305\u88dd",
- "OptionDownloadDiscImage": "\u5149\u789f",
- "OptionDownloadBannerImage": "Banner",
- "OptionDownloadBackImage": "\u5a92\u9ad4\u5305\u88dd\u80cc\u9762",
- "OptionDownloadArtImage": "\u5716\u50cf",
- "OptionDownloadPrimaryImage": "\u4e3b\u8981\u5716",
- "HeaderFetchImages": "\u6293\u53d6\u5716\u50cf\uff1a",
- "HeaderImageSettings": "\u5716\u50cf\u8a2d\u7f6e",
- "TabOther": "Other",
- "LabelMaxBackdropsPerItem": "\u6bcf\u500b\u9805\u76ee\u80cc\u666f\u7684\u6700\u5927\u6578\u76ee\uff1a",
- "LabelMaxScreenshotsPerItem": "\u6bcf\u4ef6\u7269\u54c1\u622a\u5716\u7684\u6700\u5927\u6578\u91cf\uff1a",
- "LabelMinBackdropDownloadWidth": "\u6700\u5c0f\u80cc\u666f\u4e0b\u8f09\u5bec\u5ea6\uff1a",
- "LabelMinScreenshotDownloadWidth": "\u6700\u5c0f\u622a\u5716\u4e0b\u8f09\u5bec\u5ea6\uff1a",
- "ButtonAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52d9\u89f8\u767c\u689d\u4ef6",
- "HeaderAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52d9\u89f8\u767c\u689d\u4ef6",
- "ButtonAdd": "\u6dfb\u52a0",
- "LabelTriggerType": "\u89f8\u767c\u985e\u578b\uff1a",
- "OptionDaily": "\u6bcf\u65e5",
- "OptionWeekly": "\u6bcf\u9031",
- "OptionOnInterval": "\u6bcf\u6642\u6bb5",
- "OptionOnAppStartup": "\u5728\u4f3a\u670d\u5668\u555f\u52d5",
- "OptionAfterSystemEvent": "\u7cfb\u7d71\u4e8b\u4ef6\u4e4b\u5f8c",
- "LabelDay": "\u65e5\uff1a",
- "LabelTime": "\u6642\u9593\uff1a",
- "LabelEvent": "\u4e8b\u4ef6\uff1a",
- "OptionWakeFromSleep": "\u5f9e\u4f11\u7720\u4e2d\u56de\u5fa9",
- "LabelEveryXMinutes": "\u6bcf\uff1a",
- "HeaderTvTuners": "\u8abf\u8ae7\u5668",
- "HeaderGallery": "Gallery",
- "HeaderLatestGames": "\u6700\u65b0\u7684\u904a\u6232",
- "HeaderRecentlyPlayedGames": "\u6700\u8fd1\u73a9\u904e\u7684\u904a\u6232",
- "TabGameSystems": "\u904a\u6232\u7cfb\u7d71",
- "TitleMediaLibrary": "\u5a92\u9ad4\u5eab",
- "TabFolders": "\u6587\u4ef6\u593e",
- "TabPathSubstitution": "\u66ff\u4ee3\u8def\u5f91",
- "LabelSeasonZeroDisplayName": "\u7b2c0\u5b63\u986f\u793a\u540d\u7a31\uff1a",
- "LabelEnableRealtimeMonitor": "\u555f\u7528\u5be6\u6642\u76e3\u63a7",
- "LabelEnableRealtimeMonitorHelp": "\u652f\u6301\u7684\u6587\u4ef6\u7cfb\u7d71\u4e0a\u7684\u66f4\u6539\uff0c\u5c07\u6703\u7acb\u5373\u8655\u7406\u3002",
- "ButtonScanLibrary": "\u6383\u63cf\u5a92\u9ad4\u5eab",
- "HeaderNumberOfPlayers": "\u73a9\u5bb6\u6578\u76ee",
- "OptionAnyNumberOfPlayers": "\u4efb\u4f55",
- "Option1Player": "1+",
- "Option2Player": "2+",
- "Option3Player": "3+",
- "Option4Player": "4+",
- "HeaderMediaFolders": "\u5a92\u9ad4\u6587\u4ef6\u593e",
- "HeaderThemeVideos": "\u4e3b\u984c\u8996\u983b",
- "HeaderThemeSongs": "\u4e3b\u984c\u66f2",
- "HeaderScenes": "\u5834\u666f",
- "HeaderAwardsAndReviews": "\u734e\u9805\u8207\u8a55\u8ad6",
- "HeaderSoundtracks": "\u539f\u8072\u97f3\u6a02",
- "HeaderMusicVideos": "\u97f3\u6a02\u8996\u983b",
- "HeaderSpecialFeatures": "\u7279\u8272",
- "HeaderCastCrew": "\u62cd\u651d\u4eba\u54e1\u53ca\u6f14\u54e1",
- "HeaderAdditionalParts": "\u9644\u52a0\u90e8\u4efd",
- "ButtonSplitVersionsApart": "Split Versions Apart",
- "ButtonPlayTrailer": "Trailer",
- "LabelMissing": "\u7f3a\u5c11",
- "LabelOffline": "\u96e2\u7dda",
- "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
- "HeaderFrom": "\u7531",
- "HeaderTo": "\u5230",
- "LabelFrom": "\u7531\uff1a",
- "LabelFromHelp": "\u4f8b\u5b50\uff1aD:\\Movies (\u5728\u4f3a\u670d\u5668\u4e0a)",
- "LabelTo": "\u5230\uff1a",
- "LabelToHelp": "\u4f8b\u5b50\uff1a\\\\MyServer\\Movies (\u5ba2\u6236\u7aef\u53ef\u4ee5\u8a2a\u554f\u7684\u8def\u5f91)",
- "ButtonAddPathSubstitution": "\u6dfb\u52a0\u66ff\u63db\u8def\u5f91",
- "OptionSpecialEpisode": "\u7279\u96c6",
- "OptionMissingEpisode": "\u7f3a\u5c11\u4e86\u7684\u55ae\u5143",
- "OptionUnairedEpisode": "\u9084\u672a\u767c\u4f48\u7684\u55ae\u5143",
- "OptionEpisodeSortName": "\u55ae\u5143\u6392\u5e8f\u540d\u7a31",
- "OptionSeriesSortName": "\u96fb\u8996\u5287\u540d\u7a31",
- "OptionTvdbRating": "Tvdb\u8a55\u5206",
- "HeaderTranscodingQualityPreference": "\u8f49\u78bc\u54c1\u8cea\u504f\u597d\uff1a",
- "OptionAutomaticTranscodingHelp": "\u4f3a\u670d\u5668\u5c07\u6c7a\u5b9a\u54c1\u8cea\u548c\u901f\u5ea6",
- "OptionHighSpeedTranscodingHelp": "\u4f4e\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u5feb",
- "OptionHighQualityTranscodingHelp": "\u9ad8\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u6162",
- "OptionMaxQualityTranscodingHelp": "\u6700\u9ad8\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u66f4\u6162\uff0cCPU\u4f7f\u7528\u7387\u9ad8",
- "OptionHighSpeedTranscoding": "\u9ad8\u901f\u5ea6",
- "OptionHighQualityTranscoding": "\u9ad8\u54c1\u8cea",
- "OptionMaxQualityTranscoding": "\u6700\u9ad8\u54c1\u8cea",
- "OptionEnableDebugTranscodingLogging": "\u8a18\u9304\u8f49\u78bc\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c",
- "OptionEnableDebugTranscodingLoggingHelp": "\u9019\u5c07\u5275\u5efa\u4e00\u500b\u975e\u5e38\u5927\u7684\u65e5\u8a8c\u6587\u4ef6\uff0c\u5efa\u8b70\u53ea\u9700\u8981\u9032\u884c\u6545\u969c\u6392\u9664\u6642\u555f\u52d5\u3002",
- "OptionUpscaling": "\u5141\u8a31\u5ba2\u6236\u7aef\u8acb\u6c42\u653e\u5927\u7684\u8996\u983b",
- "OptionUpscalingHelp": "\u5728\u67d0\u4e9b\u60c5\u6cc1\u4e0b\uff0c\u9019\u5c07\u5c0e\u81f4\u66f4\u9ad8\u7684\u8996\u983b\u54c1\u8cea\uff0c\u4f46\u6703\u589e\u52a0CPU\u7684\u4f7f\u7528\u7387\u3002",
- "EditCollectionItemsHelp": "\u6dfb\u52a0\u6216\u522a\u9664\u9019\u5408\u96c6\u4e2d\u7684\u4efb\u4f55\u96fb\u5f71\uff0c\u96fb\u8996\u5287\uff0c\u76f8\u518a\uff0c\u66f8\u7c4d\u6216\u904a\u6232\u3002",
- "HeaderAddTitles": "\u6dfb\u52a0\u6a19\u984c",
- "LabelEnableDlnaPlayTo": "\u64ad\u653e\u5230DLNA\u8a2d\u5099",
- "LabelEnableDlnaPlayToHelp": "Media Browser\u53ef\u4ee5\u5728\u60a8\u7684\u7db2\u7d61\u4e2d\u6aa2\u6e2c\u5230\u517c\u5bb9\u7684\u8a2d\u5099\uff0c\u4e26\u63d0\u4f9b\u9060\u7a0b\u64cd\u4f5c\u5b83\u5011\u7684\u80fd\u529b\u3002",
- "LabelEnableDlnaDebugLogging": "\u8a18\u9304DLNA\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c",
- "LabelEnableDlnaDebugLoggingHelp": "\u9019\u5c07\u5275\u5efa\u4e00\u500b\u975e\u5e38\u5927\u7684\u65e5\u8a8c\u6587\u4ef6\uff0c\u5efa\u8b70\u53ea\u9700\u8981\u9032\u884c\u6545\u969c\u6392\u9664\u6642\u555f\u52d5\u3002",
- "LabelEnableDlnaClientDiscoveryInterval": "\u5c0b\u627e\u5ba2\u6236\u7aef\u6642\u9593\u9593\u9694\uff08\u79d2\uff09",
- "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
- "HeaderCustomDlnaProfiles": "\u81ea\u5b9a\u7fa9\u914d\u7f6e",
- "HeaderSystemDlnaProfiles": "\u7cfb\u7d71\u914d\u7f6e",
- "CustomDlnaProfilesHelp": "\u70ba\u65b0\u7684\u8a2d\u5099\u5275\u5efa\u81ea\u5b9a\u7fa9\u914d\u7f6e\u6216\u8986\u84cb\u539f\u6709\u7cfb\u7d71\u914d\u7f6e\u3002",
- "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
- "TitleDashboard": "\u63a7\u5236\u53f0",
- "TabHome": "\u9996\u9801",
- "TabInfo": "\u8cc7\u8a0a",
- "HeaderLinks": "\u93c8\u63a5",
- "HeaderSystemPaths": "\u7cfb\u7d71\u8def\u5f91",
- "LinkCommunity": "\u793e\u5340",
- "LinkGithub": "Github",
- "LinkApiDocumentation": "API\u6587\u6a94",
- "LabelFriendlyServerName": "\u53cb\u597d\u4f3a\u670d\u5668\u540d\u7a31\uff1a",
- "LabelFriendlyServerNameHelp": "\u6b64\u540d\u7a31\u5c07\u7528\u65bc\u6a19\u8b58\u4f3a\u670d\u5668\u3002\u5982\u679c\u7559\u7a7a\uff0c\u8a08\u7b97\u6a5f\u540d\u7a31\u5c07\u88ab\u4f7f\u7528\u3002",
- "LabelPreferredDisplayLanguage": "\u9996\u9078\u986f\u793a\u8a9e\u8a00",
- "LabelPreferredDisplayLanguageHelp": "\u7ffb\u8b6fMedia Browser\u662f\u4e00\u500b\u6b63\u5728\u9032\u884c\u7684\u9805\u76ee\uff0c\u5c1a\u672a\u5b8c\u6210\u3002",
- "LabelReadHowYouCanContribute": "\u95b1\u8b80\u95dc\u65bc\u5982\u4f55\u70baMedia Browser\u8ca2\u737b\u3002",
- "HeaderNewCollection": "\u65b0\u5408\u96c6",
- "HeaderAddToCollection": "Add to Collection",
- "ButtonSubmit": "Submit",
- "NewCollectionNameExample": "\u4f8b\u5b50\uff1a\u661f\u7403\u5927\u6230\u5408\u96c6",
- "OptionSearchForInternetMetadata": "\u5728\u4e92\u806f\u7db2\u4e0a\u641c\u7d22\u5a92\u9ad4\u5716\u50cf\u548c\u8cc7\u6599",
- "ButtonCreate": "\u5275\u5efa",
- "LabelLocalHttpServerPortNumber": "Local port number:",
- "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
- "LabelPublicPort": "Public port number:",
- "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
- "LabelWebSocketPortNumber": "\u7db2\u7d61\u5957\u63a5\u7aef\u53e3\uff1a",
- "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
- "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
- "LabelExternalDDNS": "\u5916\u90e8DDNS\uff1a",
- "LabelExternalDDNSHelp": "\u5982\u679c\u4f60\u9019\u88e1\u8f38\u5165\u4e00\u500b\u52d5\u614bDNS\uff0cMedia Browser\u7684\u5ba2\u6236\u7aef\u80fd\u5920\u5f9e\u9019\u88e1\u4f5c\u9060\u7a0b\u9023\u63a5\u3002",
- "TabResume": "\u6062\u5fa9\u64ad\u653e",
- "TabWeather": "\u5929\u6c23",
- "TitleAppSettings": "\u5ba2\u6236\u7aef\u8a2d\u7f6e",
- "LabelMinResumePercentage": "\u6700\u5c11\u6062\u5fa9\u64ad\u653e\u767e\u5206\u6bd4",
- "LabelMaxResumePercentage": "\u6700\u5927\u6062\u5fa9\u64ad\u653e\u767e\u5206\u6bd4",
- "LabelMinResumeDuration": "\u6700\u5c11\u6062\u5fa9\u64ad\u653e\u6642\u9593\uff08\u79d2\uff09\uff1a",
- "LabelMinResumePercentageHelp": "\u5a92\u9ad4\u5982\u679c\u5728\u9019\u500b\u6642\u9593\u4e4b\u524d\u505c\u6b62\uff0c\u6703\u88ab\u5b9a\u70ba\u672a\u64ad\u653e\u3002",
- "LabelMaxResumePercentageHelp": "\u5a92\u9ad4\u5982\u679c\u5728\u9019\u500b\u6642\u9593\u4e4b\u5f8c\u505c\u6b62\uff0c\u6703\u88ab\u5b9a\u70ba\u5df2\u64ad\u653e\u3002",
- "LabelMinResumeDurationHelp": "\u5a92\u9ad4\u6bd4\u9019\u66f4\u77ed\u4e0d\u53ef\u6062\u5fa9\u64ad\u653e",
- "TitleAutoOrganize": "Auto-Organize",
- "TabActivityLog": "Activity Log",
- "HeaderName": "Name",
- "HeaderDate": "Date",
- "HeaderSource": "Source",
- "HeaderDestination": "Destination",
- "HeaderProgram": "Program",
- "HeaderClients": "Clients",
- "LabelCompleted": "Completed",
- "LabelFailed": "Failed",
- "LabelSkipped": "Skipped",
- "HeaderEpisodeOrganization": "Episode Organization",
- "LabelSeries": "Series:",
- "LabelSeasonNumber": "Season number:",
- "LabelEpisodeNumber": "Episode number:",
- "LabelEndingEpisodeNumber": "Ending episode number:",
- "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
- "HeaderSupportTheTeam": "Support the Media Browser Team",
- "LabelSupportAmount": "Amount (USD)",
- "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
- "ButtonEnterSupporterKey": "Enter supporter key",
- "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
- "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
- "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
- "OptionEnableEpisodeOrganization": "Enable new episode organization",
- "LabelWatchFolder": "Watch folder:",
- "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
- "ButtonViewScheduledTasks": "View scheduled tasks",
- "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
- "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
- "LabelSeasonFolderPattern": "Season folder pattern:",
- "LabelSeasonZeroFolderName": "Season zero folder name:",
- "HeaderEpisodeFilePattern": "Episode file pattern",
- "LabelEpisodePattern": "Episode pattern:",
- "LabelMultiEpisodePattern": "Multi-Episode pattern:",
- "HeaderSupportedPatterns": "Supported Patterns",
- "HeaderTerm": "Term",
- "HeaderPattern": "Pattern",
- "HeaderResult": "Result",
- "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
- "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
- "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
- "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
- "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
- "LabelTransferMethod": "Transfer method",
- "OptionCopy": "Copy",
- "OptionMove": "Move",
- "LabelTransferMethodHelp": "Copy or move files from the watch folder",
- "HeaderLatestNews": "Latest News",
- "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
- "HeaderRunningTasks": "Running Tasks",
- "HeaderActiveDevices": "Active Devices",
- "HeaderPendingInstallations": "Pending Installations",
- "HeaerServerInformation": "Server Information",
- "ButtonRestartNow": "Restart Now",
- "ButtonRestart": "Restart",
- "ButtonShutdown": "Shutdown",
- "ButtonUpdateNow": "Update Now",
- "PleaseUpdateManually": "Please shutdown the server and update manually.",
- "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
- "ServerUpToDate": "Media Browser Server is up to date",
- "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
- "LabelComponentsUpdated": "The following components have been installed or updated:",
- "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
- "LabelDownMixAudioScale": "Audio boost when downmixing:",
- "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
- "ButtonLinkKeys": "Transfer Key",
- "LabelOldSupporterKey": "Old supporter key",
- "LabelNewSupporterKey": "New supporter key",
- "HeaderMultipleKeyLinking": "Transfer to New Key",
- "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
- "LabelCurrentEmailAddress": "Current email address",
- "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
- "HeaderForgotKey": "Forgot Key",
- "LabelEmailAddress": "Email address",
- "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
- "ButtonRetrieveKey": "Retrieve Key",
- "LabelSupporterKey": "Supporter Key (paste from email)",
- "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
- "MessageInvalidKey": "Supporter key is missing or invalid.",
- "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
- "HeaderDisplaySettings": "Display Settings",
- "TabPlayTo": "Play To",
- "LabelEnableDlnaServer": "Enable Dlna server",
- "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
- "LabelEnableBlastAliveMessages": "Blast alive messages",
- "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
- "LabelBlastMessageInterval": "Alive message interval (seconds)",
- "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
- "LabelDefaultUser": "Default user:",
- "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
- "TitleDlna": "DLNA",
- "TitleChannels": "Channels",
- "HeaderServerSettings": "Server Settings",
- "LabelWeatherDisplayLocation": "Weather display location:",
- "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
- "LabelWeatherDisplayUnit": "Weather display unit:",
- "OptionCelsius": "Celsius",
- "OptionFahrenheit": "Fahrenheit",
- "HeaderRequireManualLogin": "Require manual username entry for:",
- "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
- "OptionOtherApps": "Other apps",
- "OptionMobileApps": "Mobile apps",
- "HeaderNotificationList": "Click on a notification to configure it's sending options.",
- "NotificationOptionApplicationUpdateAvailable": "Application update available",
- "NotificationOptionApplicationUpdateInstalled": "Application update installed",
- "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
- "NotificationOptionPluginInstalled": "Plugin installed",
- "NotificationOptionPluginUninstalled": "Plugin uninstalled",
- "NotificationOptionVideoPlayback": "Video playback started",
- "NotificationOptionAudioPlayback": "Audio playback started",
- "NotificationOptionGamePlayback": "Game playback started",
- "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
- "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
- "NotificationOptionGamePlaybackStopped": "Game playback stopped",
- "NotificationOptionTaskFailed": "Scheduled task failure",
- "NotificationOptionInstallationFailed": "Installation failure",
- "NotificationOptionNewLibraryContent": "New content added",
- "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
- "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
- "NotificationOptionServerRestartRequired": "Server restart required",
- "LabelNotificationEnabled": "Enable this notification",
- "LabelMonitorUsers": "Monitor activity from:",
- "LabelSendNotificationToUsers": "Send the notification to:",
- "LabelUseNotificationServices": "Use the following services:",
- "CategoryUser": "User",
- "CategorySystem": "System",
- "CategoryApplication": "Application",
- "CategoryPlugin": "Plugin",
- "LabelMessageTitle": "Message title:",
- "LabelAvailableTokens": "Available tokens:",
- "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
- "OptionAllUsers": "All users",
- "OptionAdminUsers": "Administrators",
- "OptionCustomUsers": "Custom",
- "ButtonArrowUp": "Up",
- "ButtonArrowDown": "Down",
- "ButtonArrowLeft": "Left",
- "ButtonArrowRight": "Right",
- "ButtonBack": "Back",
- "ButtonInfo": "Info",
- "ButtonOsd": "On screen display",
- "ButtonPageUp": "Page Up",
- "ButtonPageDown": "Page Down",
- "PageAbbreviation": "PG",
- "ButtonHome": "Home",
- "ButtonSearch": "\u641c\u7d22",
- "ButtonSettings": "Settings",
- "ButtonTakeScreenshot": "Capture Screenshot",
- "ButtonLetterUp": "Letter Up",
- "ButtonLetterDown": "Letter Down",
- "PageButtonAbbreviation": "PG",
- "LetterButtonAbbreviation": "A",
- "TabNowPlaying": "Now Playing",
- "TabNavigation": "Navigation",
- "TabControls": "Controls",
- "ButtonFullscreen": "Toggle fullscreen",
- "ButtonScenes": "Scenes",
- "ButtonSubtitles": "Subtitles",
- "ButtonAudioTracks": "Audio tracks",
- "ButtonPreviousTrack": "Previous track",
- "ButtonNextTrack": "Next track",
- "ButtonStop": "Stop",
- "ButtonPause": "Pause",
- "ButtonNext": "Next",
- "ButtonPrevious": "Previous",
- "LabelGroupMoviesIntoCollections": "Group movies into collections",
- "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
- "NotificationOptionPluginError": "Plugin failure",
- "ButtonVolumeUp": "Volume up",
- "ButtonVolumeDown": "Volume down",
- "ButtonMute": "Mute",
- "HeaderLatestMedia": "Latest Media",
- "OptionSpecialFeatures": "Special Features",
- "HeaderCollections": "Collections",
- "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
- "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
- "HeaderResponseProfile": "Response Profile",
- "LabelType": "Type:",
- "LabelPersonRole": "Role:",
- "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
- "LabelProfileContainer": "Container:",
- "LabelProfileVideoCodecs": "Video codecs:",
- "LabelProfileAudioCodecs": "Audio codecs:",
- "LabelProfileCodecs": "Codecs:",
- "HeaderDirectPlayProfile": "Direct Play Profile",
- "HeaderTranscodingProfile": "Transcoding Profile",
- "HeaderCodecProfile": "Codec Profile",
- "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
- "HeaderContainerProfile": "Container Profile",
- "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
- "OptionProfileVideo": "Video",
- "OptionProfileAudio": "Audio",
- "OptionProfileVideoAudio": "Video Audio",
- "OptionProfilePhoto": "Photo",
- "LabelUserLibrary": "User library:",
- "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
- "OptionPlainStorageFolders": "Display all folders as plain storage folders",
- "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
- "OptionPlainVideoItems": "Display all videos as plain video items",
- "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
- "LabelSupportedMediaTypes": "Supported Media Types:",
- "TabIdentification": "Identification",
- "HeaderIdentification": "Identification",
- "TabDirectPlay": "Direct Play",
- "TabContainers": "Containers",
- "TabCodecs": "Codecs",
- "TabResponses": "Responses",
- "HeaderProfileInformation": "Profile Information",
- "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
- "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
- "LabelAlbumArtPN": "Album art PN:",
- "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
- "LabelAlbumArtMaxWidth": "Album art max width:",
- "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelAlbumArtMaxHeight": "Album art max height:",
- "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
- "LabelIconMaxWidth": "Icon max width:",
- "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIconMaxHeight": "Icon max height:",
- "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
- "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
- "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
- "LabelMaxBitrate": "Max bitrate:",
- "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
- "LabelMaxStreamingBitrate": "Max streaming bitrate:",
- "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
- "LabelMaxStaticBitrate": "Max sync bitrate:",
- "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
- "LabelMusicStaticBitrate": "Music sync bitrate:",
- "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
- "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
- "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
- "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
- "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
- "LabelFriendlyName": "Friendly name",
- "LabelManufacturer": "Manufacturer",
- "LabelManufacturerUrl": "Manufacturer url",
- "LabelModelName": "Model name",
- "LabelModelNumber": "Model number",
- "LabelModelDescription": "Model description",
- "LabelModelUrl": "Model url",
- "LabelSerialNumber": "Serial number",
- "LabelDeviceDescription": "Device description",
- "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
- "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
- "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
- "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
- "LabelXDlnaCap": "X-Dlna cap:",
- "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelXDlnaDoc": "X-Dlna doc:",
- "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
- "LabelSonyAggregationFlags": "Sony aggregation flags:",
- "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
- "LabelTranscodingContainer": "Container:",
- "LabelTranscodingVideoCodec": "Video codec:",
- "LabelTranscodingVideoProfile": "Video profile:",
- "LabelTranscodingAudioCodec": "Audio codec:",
- "OptionEnableM2tsMode": "Enable M2ts mode",
- "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
- "OptionEstimateContentLength": "Estimate content length when transcoding",
- "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
- "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
- "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
- "HeaderDownloadSubtitlesFor": "Download subtitles for:",
- "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
- "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
- "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
- "TabSubtitles": "Subtitles",
- "TabChapters": "Chapters",
- "HeaderDownloadChaptersFor": "Download chapter names for:",
- "LabelOpenSubtitlesUsername": "Open Subtitles username:",
- "LabelOpenSubtitlesPassword": "Open Subtitles password:",
- "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
- "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
- "LabelSubtitlePlaybackMode": "Subtitle mode:",
- "LabelDownloadLanguages": "Download languages:",
- "ButtonRegister": "Register",
- "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
- "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
- "HeaderSendMessage": "Send Message",
- "ButtonSend": "Send",
- "LabelMessageText": "Message text:",
- "MessageNoAvailablePlugins": "No available plugins.",
- "LabelDisplayPluginsFor": "Display plugins for:",
- "PluginTabMediaBrowserClassic": "MB Classic",
- "PluginTabMediaBrowserTheater": "MB Theater",
- "LabelEpisodeNamePlain": "Episode name",
- "LabelSeriesNamePlain": "Series name",
- "ValueSeriesNamePeriod": "Series.name",
- "ValueSeriesNameUnderscore": "Series_name",
- "ValueEpisodeNamePeriod": "Episode.name",
- "ValueEpisodeNameUnderscore": "Episode_name",
- "LabelSeasonNumberPlain": "Season number",
- "LabelEpisodeNumberPlain": "Episode number",
- "LabelEndingEpisodeNumberPlain": "Ending episode number",
- "HeaderTypeText": "Enter Text",
- "LabelTypeText": "Text",
- "HeaderSearchForSubtitles": "Search for Subtitles",
- "MessageNoSubtitleSearchResultsFound": "No search results founds.",
- "TabDisplay": "Display",
- "TabLanguages": "Languages",
- "TabWebClient": "Web Client",
- "LabelEnableThemeSongs": "Enable theme songs",
- "LabelEnableBackdrops": "Enable backdrops",
- "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
- "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
- "HeaderHomePage": "Home Page",
- "HeaderSettingsForThisDevice": "Settings for This Device",
- "OptionAuto": "Auto",
- "OptionYes": "Yes",
- "OptionNo": "No",
- "LabelHomePageSection1": "Home page section 1:",
- "LabelHomePageSection2": "Home page section 2:",
- "LabelHomePageSection3": "Home page section 3:",
- "LabelHomePageSection4": "Home page section 4:",
- "OptionMyViewsButtons": "My views (buttons)",
- "OptionMyViews": "My views",
- "OptionMyViewsSmall": "My views (small)",
- "OptionResumablemedia": "Resume",
- "OptionLatestMedia": "Latest media",
- "OptionLatestChannelMedia": "Latest channel items",
- "HeaderLatestChannelItems": "Latest Channel Items",
- "OptionNone": "None",
- "HeaderLiveTv": "Live TV",
- "HeaderReports": "Reports",
- "HeaderMetadataManager": "Metadata Manager",
- "HeaderPreferences": "Preferences",
- "MessageLoadingChannels": "Loading channel content...",
- "MessageLoadingContent": "Loading content...",
- "ButtonMarkRead": "Mark Read",
- "OptionDefaultSort": "Default",
- "OptionCommunityMostWatchedSort": "Most Watched",
- "TabNextUp": "Next Up",
- "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
- "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
- "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
- "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
- "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
- "ButtonDismiss": "Dismiss",
- "ButtonTakeTheTour": "Take the tour",
- "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
- "LabelChannelStreamQuality": "Preferred internet stream quality:",
- "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
- "OptionBestAvailableStreamQuality": "Best available",
- "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
- "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
- "LabelChannelDownloadPath": "Channel content download path:",
- "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
- "LabelChannelDownloadAge": "Delete content after: (days)",
- "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
- "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
- "LabelSelectCollection": "Select collection:",
- "ButtonOptions": "Options",
- "ViewTypeMovies": "Movies",
- "ViewTypeTvShows": "TV",
- "ViewTypeGames": "Games",
- "ViewTypeMusic": "Music",
- "ViewTypeBoxSets": "Collections",
- "ViewTypeChannels": "Channels",
- "ViewTypeLiveTV": "Live TV",
- "ViewTypeLiveTvNowPlaying": "Now Airing",
- "ViewTypeLatestGames": "Latest Games",
- "ViewTypeRecentlyPlayedGames": "Recently Played",
- "ViewTypeGameFavorites": "Favorites",
- "ViewTypeGameSystems": "Game Systems",
- "ViewTypeGameGenres": "Genres",
- "ViewTypeTvResume": "Resume",
- "ViewTypeTvNextUp": "Next Up",
"ViewTypeTvLatest": "Latest",
"ViewTypeTvShowSeries": "Series",
"ViewTypeTvGenres": "Genres",
@@ -618,7 +30,7 @@
"LabelProtocolInfoHelp": "The value that will be used when responding to GetProtocolInfo requests from the device.",
"TabKodiMetadata": "Kodi",
"HeaderKodiMetadataHelp": "Media Browser includes native support for Kodi Nfo metadata and images. To enable or disable Kodi metadata, use the Advanced tab to configure options for your media types.",
- "LabelKodiMetadataUser": "Add user watch data to nfo's for:",
+ "LabelKodiMetadataUser": "Sync user watch data to nfo's for:",
"LabelKodiMetadataUserHelp": "Enable this to keep watch data in sync between Media Browser and Kodi.",
"LabelKodiMetadataDateFormat": "Release date format:",
"LabelKodiMetadataDateFormatHelp": "All dates within nfo's will be read and written to using this format.",
@@ -988,6 +400,10 @@
"HeaderDashboardUserPassword": "User passwords are managed within each user's personal profile settings.",
"HeaderLibraryAccess": "Library Access",
"HeaderChannelAccess": "Channel Access",
+ "HeaderLatestItems": "Latest Items",
+ "LabelSelectLastestItemsFolders": "Include media from the following sections in Latest Items",
+ "HeaderShareMediaFolders": "Share Media Folders",
+ "MessageGuestSharingPermissionsHelp": "Most features are initially unavailable to guests but can be enabled as needed.",
"LabelExit": "\u96e2\u958b",
"LabelVisitCommunity": "\u8a2a\u554f\u793e\u5340",
"LabelGithubWiki": "Github \u7ef4\u57fa",
@@ -1249,5 +665,593 @@
"ButtonSelectDirectory": "\u9078\u64c7\u76ee\u9304",
"LabelCustomPaths": "\u6307\u5b9a\u6240\u9700\u7684\u81ea\u5b9a\u7fa9\u8def\u5f91\u3002\u7559\u7a7a\u4ee5\u4f7f\u7528\u9ed8\u8a8d\u503c\u3002",
"LabelCachePath": "\u7de9\u5b58\u8def\u5f91\uff1a",
- "LabelCachePathHelp": "Specify a custom location for server cache files, such as images."
+ "LabelCachePathHelp": "Specify a custom location for server cache files, such as images.",
+ "LabelImagesByNamePath": "\u540d\u7a31\u5716\u50cf\u6587\u4ef6\u593e\u8def\u5f91\uff1a",
+ "LabelImagesByNamePathHelp": "Specify a custom location for downloaded actor, artist, genre and studio images.",
+ "LabelMetadataPath": "\u5a92\u9ad4\u8cc7\u6599\u6587\u4ef6\u593e\u8def\u5f91\uff1a",
+ "LabelMetadataPathHelp": "Specify a custom location for downloaded artwork and metadata, if not saving within media folders.",
+ "LabelTranscodingTempPath": "\u8f49\u78bc\u81e8\u6642\u8def\u5f91\uff1a",
+ "LabelTranscodingTempPathHelp": "This folder contains working files used by the transcoder. Specify a custom path, or leave empty to use the default within the server's data folder.",
+ "TabBasics": "\u57fa\u672c",
+ "TabTV": "\u96fb\u8996\u7bc0\u76ee",
+ "TabGames": "\u904a\u6232",
+ "TabMusic": "\u97f3\u6a02",
+ "TabOthers": "\u5176\u4ed6",
+ "HeaderExtractChapterImagesFor": "\u5f9e\u4ee5\u4e0b\u5a92\u9ad4\u63d0\u53d6\u7ae0\u7bc0\u622a\u5716\uff1a",
+ "OptionMovies": "Movies",
+ "OptionEpisodes": "Episodes",
+ "OptionOtherVideos": "\u5176\u4ed6\u8996\u983b",
+ "TitleMetadata": "Metadata",
+ "LabelAutomaticUpdatesFanart": "\u5f9eFanArt.tv\u81ea\u52d5\u66f4\u65b0",
+ "LabelAutomaticUpdatesTmdb": "\u5f9eTheMovieDB.org\u81ea\u52d5\u66f4\u65b0",
+ "LabelAutomaticUpdatesTvdb": "\u5f9eTheTVDB.com\u81ea\u52d5\u66f4\u65b0",
+ "LabelAutomaticUpdatesFanartHelp": "\u5982\u679c\u555f\u7528\uff0c\u82e5\u6709\u65b0\u7684\u5716\u50cf\u6dfb\u52a0\u5230fanart.tv\uff0c\u5b83\u5011\u5c07\u6703\u88ab\u81ea\u52d5\u4e0b\u8f09\u3002\u73fe\u6709\u7684\u5f71\u50cf\u4e0d\u6703\u88ab\u53d6\u4ee3\u3002",
+ "LabelAutomaticUpdatesTmdbHelp": "\u5982\u679c\u555f\u7528\uff0c\u82e5\u6709\u65b0\u7684\u5716\u50cf\u6dfb\u52a0\u5230TheMovieDB.org\uff0c\u5b83\u5011\u5c07\u6703\u88ab\u81ea\u52d5\u4e0b\u8f09\u3002\u73fe\u6709\u7684\u5f71\u50cf\u4e0d\u6703\u88ab\u53d6\u4ee3\u3002",
+ "LabelAutomaticUpdatesTvdbHelp": "\u5982\u679c\u555f\u7528\uff0c\u82e5\u6709\u65b0\u7684\u5716\u50cf\u6dfb\u52a0\u5230TheTVDB.com\uff0c\u5b83\u5011\u5c07\u6703\u88ab\u81ea\u52d5\u4e0b\u8f09\u3002\u73fe\u6709\u7684\u5f71\u50cf\u4e0d\u6703\u88ab\u53d6\u4ee3\u3002",
+ "ExtractChapterImagesHelp": "Extracting chapter images will allow clients to display graphical scene selection menus. The process can be slow, cpu-intensive and may require several gigabytes of space. It runs when videos are discovered, and also as a nightly scheduled task at 4am. The schedule is configurable in the scheduled tasks area. It is not recommended to run this task during peak usage hours.",
+ "LabelMetadataDownloadLanguage": "Preferred download language:",
+ "ButtonAutoScroll": "\u81ea\u52d5\u6efe\u52d5",
+ "LabelImageSavingConvention": "\u5716\u50cf\u4fdd\u5b58\u547d\u540d\u898f\u5247\uff1a",
+ "LabelImageSavingConventionHelp": "Media Browser\u80fd\u5920\u8b58\u5225\u4f86\u81ea\u5927\u90e8\u5206\u4e3b\u8981\u5a92\u9ad4\u61c9\u7528\u7a0b\u5f0f\u7522\u54c1\u547d\u540d\u7684\u5716\u50cf\u3002\u5982\u679c\u4f60\u4e5f\u4f7f\u7528\u5176\u4ed6\u7522\u54c1\uff0c\u9078\u64c7\u4f60\u4e0b\u8f09\u7684\u5716\u50cf\u4fdd\u5b58\u547d\u540d\u898f\u5247\u80fd\u5920\u5e6b\u52a9\u4f60\u3002",
+ "OptionImageSavingCompatible": "Compatible - Media Browser\/Kodi\/Plex",
+ "OptionImageSavingStandard": "Standard - MB2",
+ "ButtonSignIn": "\u767b\u9304",
+ "TitleSignIn": "\u767b\u9304",
+ "HeaderPleaseSignIn": "\u8acb\u767b\u9304",
+ "LabelUser": "\u7528\u6236\uff1a",
+ "LabelPassword": "\u5bc6\u78bc\uff1a",
+ "ButtonManualLogin": "Manual Login",
+ "PasswordLocalhostMessage": "\u5f9e\u672c\u5730\u767b\u9304\u6642\uff0c\u5bc6\u78bc\u4e0d\u662f\u5fc5\u9700\u7684\u3002",
+ "TabGuide": "\u6307\u5357",
+ "TabChannels": "\u983b\u5ea6",
+ "TabCollections": "Collections",
+ "HeaderChannels": "\u983b\u5ea6",
+ "TabRecordings": "\u9304\u5f71",
+ "TabScheduled": "\u9810\u5b9a",
+ "TabSeries": "\u96fb\u8996\u5287",
+ "TabFavorites": "Favorites",
+ "TabMyLibrary": "My Library",
+ "ButtonCancelRecording": "\u53d6\u6d88\u9304\u5f71",
+ "HeaderPrePostPadding": "Pre\/Post Padding",
+ "LabelPrePaddingMinutes": "Pre-padding minutes:",
+ "OptionPrePaddingRequired": "Pre-padding is required in order to record.",
+ "LabelPostPaddingMinutes": "Post-padding minutes:",
+ "OptionPostPaddingRequired": "Post-padding is required in order to record.",
+ "HeaderWhatsOnTV": "\u6b63\u5728\u64ad\u653e\u7684\u96fb\u8996\u7bc0\u76ee",
+ "HeaderUpcomingTV": "\u5373\u5c07\u767c\u4f48\u7684\u96fb\u8996\u7bc0\u76ee",
+ "TabStatus": "Status",
+ "TabSettings": "\u8a2d\u5b9a",
+ "ButtonRefreshGuideData": "\u5237\u65b0\u96fb\u8996\u6307\u5357\u8cc7\u6599",
+ "ButtonRefresh": "Refresh",
+ "ButtonAdvancedRefresh": "Advanced Refresh",
+ "OptionPriority": "\u512a\u5148",
+ "OptionRecordOnAllChannels": "\u9304\u5f71\u6240\u4ee5\u983b\u5ea6\u7684\u7bc0\u76ee",
+ "OptionRecordAnytime": "\u9304\u5f71\u6240\u6709\u6642\u6bb5\u7684\u7bc0\u76ee",
+ "OptionRecordOnlyNewEpisodes": "\u53ea\u9304\u5f71\u6700\u65b0\u7684\u55ae\u5143",
+ "HeaderDays": "\u9304\u5f71\u65e5",
+ "HeaderActiveRecordings": "\u6b63\u5728\u9304\u5f71\u7684\u7bc0\u76ee",
+ "HeaderLatestRecordings": "\u6700\u65b0\u9304\u5f71\u7684\u7bc0\u76ee",
+ "HeaderAllRecordings": "\u6240\u6709\u9304\u5f71",
+ "ButtonPlay": "\u64ad\u653e",
+ "ButtonEdit": "\u7de8\u8f2f",
+ "ButtonRecord": "\u958b\u59cb\u9304\u5f71",
+ "ButtonDelete": "\u522a\u9664",
+ "ButtonRemove": "\u6e05\u9664",
+ "OptionRecordSeries": "\u9304\u5f71\u96fb\u8996\u5287",
+ "HeaderDetails": "\u8a73\u7d30\u8cc7\u6599",
+ "TitleLiveTV": "\u96fb\u8996\u529f\u80fd",
+ "LabelNumberOfGuideDays": "Number of days of guide data to download:",
+ "LabelNumberOfGuideDaysHelp": "Downloading more days worth of guide data provides the ability to schedule out further in advance and view more listings, but it will also take longer to download. Auto will choose based on the number of channels.",
+ "LabelActiveService": "\u904b\u884c\u4e2d\u7684\u670d\u52d9",
+ "LabelActiveServiceHelp": "\u53ef\u5b89\u88dd\u591a\u500b\u96fb\u8996\u529f\u80fd\u63d2\u4ef6\u53ef\uff0c\u4f46\u53ea\u6709\u4e00\u500b\u53ef\u4ee5\u5728\u540c\u4e00\u6642\u9593\u662f\u904b\u884c\u3002",
+ "OptionAutomatic": "\u81ea\u52d5",
+ "LiveTvPluginRequired": "\u9700\u8981\u5b89\u88dd\u81f3\u5c11\u4e00\u500b\u96fb\u8996\u529f\u80fd\u63d2\u4ef6\u53bb\u7e7c\u7e8c",
+ "LiveTvPluginRequiredHelp": "\u8acb\u5b89\u88dd\u4e00\u500b\u6211\u5011\u63d0\u4f9b\u7684\u63d2\u4ef6\uff0c\u5982Next PVR\u7684\u6216ServerWmc\u3002",
+ "LabelCustomizeOptionsPerMediaType": "Customize for media type:",
+ "OptionDownloadThumbImage": "\u7e2e\u7565\u5716",
+ "OptionDownloadMenuImage": "\u83dc\u55ae",
+ "OptionDownloadLogoImage": "\u6a19\u8a8c",
+ "OptionDownloadBoxImage": "\u5a92\u9ad4\u5305\u88dd",
+ "OptionDownloadDiscImage": "\u5149\u789f",
+ "OptionDownloadBannerImage": "Banner",
+ "OptionDownloadBackImage": "\u5a92\u9ad4\u5305\u88dd\u80cc\u9762",
+ "OptionDownloadArtImage": "\u5716\u50cf",
+ "OptionDownloadPrimaryImage": "\u4e3b\u8981\u5716",
+ "HeaderFetchImages": "\u6293\u53d6\u5716\u50cf\uff1a",
+ "HeaderImageSettings": "\u5716\u50cf\u8a2d\u7f6e",
+ "TabOther": "Other",
+ "LabelMaxBackdropsPerItem": "\u6bcf\u500b\u9805\u76ee\u80cc\u666f\u7684\u6700\u5927\u6578\u76ee\uff1a",
+ "LabelMaxScreenshotsPerItem": "\u6bcf\u4ef6\u7269\u54c1\u622a\u5716\u7684\u6700\u5927\u6578\u91cf\uff1a",
+ "LabelMinBackdropDownloadWidth": "\u6700\u5c0f\u80cc\u666f\u4e0b\u8f09\u5bec\u5ea6\uff1a",
+ "LabelMinScreenshotDownloadWidth": "\u6700\u5c0f\u622a\u5716\u4e0b\u8f09\u5bec\u5ea6\uff1a",
+ "ButtonAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52d9\u89f8\u767c\u689d\u4ef6",
+ "HeaderAddScheduledTaskTrigger": "\u6dfb\u52a0\u4efb\u52d9\u89f8\u767c\u689d\u4ef6",
+ "ButtonAdd": "\u6dfb\u52a0",
+ "LabelTriggerType": "\u89f8\u767c\u985e\u578b\uff1a",
+ "OptionDaily": "\u6bcf\u65e5",
+ "OptionWeekly": "\u6bcf\u9031",
+ "OptionOnInterval": "\u6bcf\u6642\u6bb5",
+ "OptionOnAppStartup": "\u5728\u4f3a\u670d\u5668\u555f\u52d5",
+ "OptionAfterSystemEvent": "\u7cfb\u7d71\u4e8b\u4ef6\u4e4b\u5f8c",
+ "LabelDay": "\u65e5\uff1a",
+ "LabelTime": "\u6642\u9593\uff1a",
+ "LabelEvent": "\u4e8b\u4ef6\uff1a",
+ "OptionWakeFromSleep": "\u5f9e\u4f11\u7720\u4e2d\u56de\u5fa9",
+ "LabelEveryXMinutes": "\u6bcf\uff1a",
+ "HeaderTvTuners": "\u8abf\u8ae7\u5668",
+ "HeaderGallery": "Gallery",
+ "HeaderLatestGames": "\u6700\u65b0\u7684\u904a\u6232",
+ "HeaderRecentlyPlayedGames": "\u6700\u8fd1\u73a9\u904e\u7684\u904a\u6232",
+ "TabGameSystems": "\u904a\u6232\u7cfb\u7d71",
+ "TitleMediaLibrary": "\u5a92\u9ad4\u5eab",
+ "TabFolders": "\u6587\u4ef6\u593e",
+ "TabPathSubstitution": "\u66ff\u4ee3\u8def\u5f91",
+ "LabelSeasonZeroDisplayName": "\u7b2c0\u5b63\u986f\u793a\u540d\u7a31\uff1a",
+ "LabelEnableRealtimeMonitor": "\u555f\u7528\u5be6\u6642\u76e3\u63a7",
+ "LabelEnableRealtimeMonitorHelp": "\u652f\u6301\u7684\u6587\u4ef6\u7cfb\u7d71\u4e0a\u7684\u66f4\u6539\uff0c\u5c07\u6703\u7acb\u5373\u8655\u7406\u3002",
+ "ButtonScanLibrary": "\u6383\u63cf\u5a92\u9ad4\u5eab",
+ "HeaderNumberOfPlayers": "\u73a9\u5bb6\u6578\u76ee",
+ "OptionAnyNumberOfPlayers": "\u4efb\u4f55",
+ "Option1Player": "1+",
+ "Option2Player": "2+",
+ "Option3Player": "3+",
+ "Option4Player": "4+",
+ "HeaderMediaFolders": "\u5a92\u9ad4\u6587\u4ef6\u593e",
+ "HeaderThemeVideos": "\u4e3b\u984c\u8996\u983b",
+ "HeaderThemeSongs": "\u4e3b\u984c\u66f2",
+ "HeaderScenes": "\u5834\u666f",
+ "HeaderAwardsAndReviews": "\u734e\u9805\u8207\u8a55\u8ad6",
+ "HeaderSoundtracks": "\u539f\u8072\u97f3\u6a02",
+ "HeaderMusicVideos": "\u97f3\u6a02\u8996\u983b",
+ "HeaderSpecialFeatures": "\u7279\u8272",
+ "HeaderCastCrew": "\u62cd\u651d\u4eba\u54e1\u53ca\u6f14\u54e1",
+ "HeaderAdditionalParts": "\u9644\u52a0\u90e8\u4efd",
+ "ButtonSplitVersionsApart": "Split Versions Apart",
+ "ButtonPlayTrailer": "Trailer",
+ "LabelMissing": "\u7f3a\u5c11",
+ "LabelOffline": "\u96e2\u7dda",
+ "PathSubstitutionHelp": "Path substitutions are used for mapping a path on the server to a path that clients are able to access. By allowing clients direct access to media on the server they may be able to play them directly over the network and avoid using server resources to stream and transcode them.",
+ "HeaderFrom": "\u7531",
+ "HeaderTo": "\u5230",
+ "LabelFrom": "\u7531\uff1a",
+ "LabelFromHelp": "\u4f8b\u5b50\uff1aD:\\Movies (\u5728\u4f3a\u670d\u5668\u4e0a)",
+ "LabelTo": "\u5230\uff1a",
+ "LabelToHelp": "\u4f8b\u5b50\uff1a\\\\MyServer\\Movies (\u5ba2\u6236\u7aef\u53ef\u4ee5\u8a2a\u554f\u7684\u8def\u5f91)",
+ "ButtonAddPathSubstitution": "\u6dfb\u52a0\u66ff\u63db\u8def\u5f91",
+ "OptionSpecialEpisode": "\u7279\u96c6",
+ "OptionMissingEpisode": "\u7f3a\u5c11\u4e86\u7684\u55ae\u5143",
+ "OptionUnairedEpisode": "\u9084\u672a\u767c\u4f48\u7684\u55ae\u5143",
+ "OptionEpisodeSortName": "\u55ae\u5143\u6392\u5e8f\u540d\u7a31",
+ "OptionSeriesSortName": "\u96fb\u8996\u5287\u540d\u7a31",
+ "OptionTvdbRating": "Tvdb\u8a55\u5206",
+ "HeaderTranscodingQualityPreference": "\u8f49\u78bc\u54c1\u8cea\u504f\u597d\uff1a",
+ "OptionAutomaticTranscodingHelp": "\u4f3a\u670d\u5668\u5c07\u6c7a\u5b9a\u54c1\u8cea\u548c\u901f\u5ea6",
+ "OptionHighSpeedTranscodingHelp": "\u4f4e\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u5feb",
+ "OptionHighQualityTranscodingHelp": "\u9ad8\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u6162",
+ "OptionMaxQualityTranscodingHelp": "\u6700\u9ad8\u54c1\u8cea\uff0c\u4f46\u7de8\u78bc\u901f\u5ea6\u66f4\u6162\uff0cCPU\u4f7f\u7528\u7387\u9ad8",
+ "OptionHighSpeedTranscoding": "\u9ad8\u901f\u5ea6",
+ "OptionHighQualityTranscoding": "\u9ad8\u54c1\u8cea",
+ "OptionMaxQualityTranscoding": "\u6700\u9ad8\u54c1\u8cea",
+ "OptionEnableDebugTranscodingLogging": "\u8a18\u9304\u8f49\u78bc\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c",
+ "OptionEnableDebugTranscodingLoggingHelp": "\u9019\u5c07\u5275\u5efa\u4e00\u500b\u975e\u5e38\u5927\u7684\u65e5\u8a8c\u6587\u4ef6\uff0c\u5efa\u8b70\u53ea\u9700\u8981\u9032\u884c\u6545\u969c\u6392\u9664\u6642\u555f\u52d5\u3002",
+ "OptionUpscaling": "\u5141\u8a31\u5ba2\u6236\u7aef\u8acb\u6c42\u653e\u5927\u7684\u8996\u983b",
+ "OptionUpscalingHelp": "\u5728\u67d0\u4e9b\u60c5\u6cc1\u4e0b\uff0c\u9019\u5c07\u5c0e\u81f4\u66f4\u9ad8\u7684\u8996\u983b\u54c1\u8cea\uff0c\u4f46\u6703\u589e\u52a0CPU\u7684\u4f7f\u7528\u7387\u3002",
+ "EditCollectionItemsHelp": "\u6dfb\u52a0\u6216\u522a\u9664\u9019\u5408\u96c6\u4e2d\u7684\u4efb\u4f55\u96fb\u5f71\uff0c\u96fb\u8996\u5287\uff0c\u76f8\u518a\uff0c\u66f8\u7c4d\u6216\u904a\u6232\u3002",
+ "HeaderAddTitles": "\u6dfb\u52a0\u6a19\u984c",
+ "LabelEnableDlnaPlayTo": "\u64ad\u653e\u5230DLNA\u8a2d\u5099",
+ "LabelEnableDlnaPlayToHelp": "Media Browser\u53ef\u4ee5\u5728\u60a8\u7684\u7db2\u7d61\u4e2d\u6aa2\u6e2c\u5230\u517c\u5bb9\u7684\u8a2d\u5099\uff0c\u4e26\u63d0\u4f9b\u9060\u7a0b\u64cd\u4f5c\u5b83\u5011\u7684\u80fd\u529b\u3002",
+ "LabelEnableDlnaDebugLogging": "\u8a18\u9304DLNA\u9664\u932f\u4fe1\u606f\u5230\u65e5\u8a8c",
+ "LabelEnableDlnaDebugLoggingHelp": "\u9019\u5c07\u5275\u5efa\u4e00\u500b\u975e\u5e38\u5927\u7684\u65e5\u8a8c\u6587\u4ef6\uff0c\u5efa\u8b70\u53ea\u9700\u8981\u9032\u884c\u6545\u969c\u6392\u9664\u6642\u555f\u52d5\u3002",
+ "LabelEnableDlnaClientDiscoveryInterval": "\u5c0b\u627e\u5ba2\u6236\u7aef\u6642\u9593\u9593\u9694\uff08\u79d2\uff09",
+ "LabelEnableDlnaClientDiscoveryIntervalHelp": "Determines the duration in seconds between SSDP searches performed by Media Browser.",
+ "HeaderCustomDlnaProfiles": "\u81ea\u5b9a\u7fa9\u914d\u7f6e",
+ "HeaderSystemDlnaProfiles": "\u7cfb\u7d71\u914d\u7f6e",
+ "CustomDlnaProfilesHelp": "\u70ba\u65b0\u7684\u8a2d\u5099\u5275\u5efa\u81ea\u5b9a\u7fa9\u914d\u7f6e\u6216\u8986\u84cb\u539f\u6709\u7cfb\u7d71\u914d\u7f6e\u3002",
+ "SystemDlnaProfilesHelp": "System profiles are read-only. Changes to a system profile will be saved to a new custom profile.",
+ "TitleDashboard": "\u63a7\u5236\u53f0",
+ "TabHome": "\u9996\u9801",
+ "TabInfo": "\u8cc7\u8a0a",
+ "HeaderLinks": "\u93c8\u63a5",
+ "HeaderSystemPaths": "\u7cfb\u7d71\u8def\u5f91",
+ "LinkCommunity": "\u793e\u5340",
+ "LinkGithub": "Github",
+ "LinkApiDocumentation": "API\u6587\u6a94",
+ "LabelFriendlyServerName": "\u53cb\u597d\u4f3a\u670d\u5668\u540d\u7a31\uff1a",
+ "LabelFriendlyServerNameHelp": "\u6b64\u540d\u7a31\u5c07\u7528\u65bc\u6a19\u8b58\u4f3a\u670d\u5668\u3002\u5982\u679c\u7559\u7a7a\uff0c\u8a08\u7b97\u6a5f\u540d\u7a31\u5c07\u88ab\u4f7f\u7528\u3002",
+ "LabelPreferredDisplayLanguage": "\u9996\u9078\u986f\u793a\u8a9e\u8a00",
+ "LabelPreferredDisplayLanguageHelp": "\u7ffb\u8b6fMedia Browser\u662f\u4e00\u500b\u6b63\u5728\u9032\u884c\u7684\u9805\u76ee\uff0c\u5c1a\u672a\u5b8c\u6210\u3002",
+ "LabelReadHowYouCanContribute": "\u95b1\u8b80\u95dc\u65bc\u5982\u4f55\u70baMedia Browser\u8ca2\u737b\u3002",
+ "HeaderNewCollection": "\u65b0\u5408\u96c6",
+ "HeaderAddToCollection": "Add to Collection",
+ "ButtonSubmit": "Submit",
+ "NewCollectionNameExample": "\u4f8b\u5b50\uff1a\u661f\u7403\u5927\u6230\u5408\u96c6",
+ "OptionSearchForInternetMetadata": "\u5728\u4e92\u806f\u7db2\u4e0a\u641c\u7d22\u5a92\u9ad4\u5716\u50cf\u548c\u8cc7\u6599",
+ "ButtonCreate": "\u5275\u5efa",
+ "LabelLocalHttpServerPortNumber": "Local port number:",
+ "LabelLocalHttpServerPortNumberHelp": "The tcp port number that Media Browser's http server should bind to.",
+ "LabelPublicPort": "Public port number:",
+ "LabelPublicPortHelp": "The public port number that should be mapped to the local port.",
+ "LabelWebSocketPortNumber": "\u7db2\u7d61\u5957\u63a5\u7aef\u53e3\uff1a",
+ "LabelEnableAutomaticPortMap": "Enable automatic port mapping",
+ "LabelEnableAutomaticPortMapHelp": "Attempt to automatically map the public port to the local port via UPnP. This may not work with some router models.",
+ "LabelExternalDDNS": "\u5916\u90e8DDNS\uff1a",
+ "LabelExternalDDNSHelp": "\u5982\u679c\u4f60\u9019\u88e1\u8f38\u5165\u4e00\u500b\u52d5\u614bDNS\uff0cMedia Browser\u7684\u5ba2\u6236\u7aef\u80fd\u5920\u5f9e\u9019\u88e1\u4f5c\u9060\u7a0b\u9023\u63a5\u3002",
+ "TabResume": "\u6062\u5fa9\u64ad\u653e",
+ "TabWeather": "\u5929\u6c23",
+ "TitleAppSettings": "\u5ba2\u6236\u7aef\u8a2d\u7f6e",
+ "LabelMinResumePercentage": "\u6700\u5c11\u6062\u5fa9\u64ad\u653e\u767e\u5206\u6bd4",
+ "LabelMaxResumePercentage": "\u6700\u5927\u6062\u5fa9\u64ad\u653e\u767e\u5206\u6bd4",
+ "LabelMinResumeDuration": "\u6700\u5c11\u6062\u5fa9\u64ad\u653e\u6642\u9593\uff08\u79d2\uff09\uff1a",
+ "LabelMinResumePercentageHelp": "\u5a92\u9ad4\u5982\u679c\u5728\u9019\u500b\u6642\u9593\u4e4b\u524d\u505c\u6b62\uff0c\u6703\u88ab\u5b9a\u70ba\u672a\u64ad\u653e\u3002",
+ "LabelMaxResumePercentageHelp": "\u5a92\u9ad4\u5982\u679c\u5728\u9019\u500b\u6642\u9593\u4e4b\u5f8c\u505c\u6b62\uff0c\u6703\u88ab\u5b9a\u70ba\u5df2\u64ad\u653e\u3002",
+ "LabelMinResumeDurationHelp": "\u5a92\u9ad4\u6bd4\u9019\u66f4\u77ed\u4e0d\u53ef\u6062\u5fa9\u64ad\u653e",
+ "TitleAutoOrganize": "Auto-Organize",
+ "TabActivityLog": "Activity Log",
+ "HeaderName": "Name",
+ "HeaderDate": "Date",
+ "HeaderSource": "Source",
+ "HeaderDestination": "Destination",
+ "HeaderProgram": "Program",
+ "HeaderClients": "Clients",
+ "LabelCompleted": "Completed",
+ "LabelFailed": "Failed",
+ "LabelSkipped": "Skipped",
+ "HeaderEpisodeOrganization": "Episode Organization",
+ "LabelSeries": "Series:",
+ "LabelSeasonNumber": "Season number:",
+ "LabelEpisodeNumber": "Episode number:",
+ "LabelEndingEpisodeNumber": "Ending episode number:",
+ "LabelEndingEpisodeNumberHelp": "Only required for multi-episode files",
+ "HeaderSupportTheTeam": "Support the Media Browser Team",
+ "LabelSupportAmount": "Amount (USD)",
+ "HeaderSupportTheTeamHelp": "Help ensure the continued development of this project by donating. A portion of all donations will be contributed to other free tools we depend on.",
+ "ButtonEnterSupporterKey": "Enter supporter key",
+ "DonationNextStep": "Once complete, please return and enter your supporter key, which you will receive by email.",
+ "AutoOrganizeHelp": "Auto-organize monitors your download folders for new files and moves them to your media directories.",
+ "AutoOrganizeTvHelp": "TV file organizing will only add episodes to existing series. It will not create new series folders.",
+ "OptionEnableEpisodeOrganization": "Enable new episode organization",
+ "LabelWatchFolder": "Watch folder:",
+ "LabelWatchFolderHelp": "The server will poll this folder during the 'Organize new media files' scheduled task.",
+ "ButtonViewScheduledTasks": "View scheduled tasks",
+ "LabelMinFileSizeForOrganize": "Minimum file size (MB):",
+ "LabelMinFileSizeForOrganizeHelp": "Files under this size will be ignored.",
+ "LabelSeasonFolderPattern": "Season folder pattern:",
+ "LabelSeasonZeroFolderName": "Season zero folder name:",
+ "HeaderEpisodeFilePattern": "Episode file pattern",
+ "LabelEpisodePattern": "Episode pattern:",
+ "LabelMultiEpisodePattern": "Multi-Episode pattern:",
+ "HeaderSupportedPatterns": "Supported Patterns",
+ "HeaderTerm": "Term",
+ "HeaderPattern": "Pattern",
+ "HeaderResult": "Result",
+ "LabelDeleteEmptyFolders": "Delete empty folders after organizing",
+ "LabelDeleteEmptyFoldersHelp": "Enable this to keep the download directory clean.",
+ "LabelDeleteLeftOverFiles": "Delete left over files with the following extensions:",
+ "LabelDeleteLeftOverFilesHelp": "Separate with ;. For example: .nfo;.txt",
+ "OptionOverwriteExistingEpisodes": "Overwrite existing episodes",
+ "LabelTransferMethod": "Transfer method",
+ "OptionCopy": "Copy",
+ "OptionMove": "Move",
+ "LabelTransferMethodHelp": "Copy or move files from the watch folder",
+ "HeaderLatestNews": "Latest News",
+ "HeaderHelpImproveMediaBrowser": "Help Improve Media Browser",
+ "HeaderRunningTasks": "Running Tasks",
+ "HeaderActiveDevices": "Active Devices",
+ "HeaderPendingInstallations": "Pending Installations",
+ "HeaerServerInformation": "Server Information",
+ "ButtonRestartNow": "Restart Now",
+ "ButtonRestart": "Restart",
+ "ButtonShutdown": "Shutdown",
+ "ButtonUpdateNow": "Update Now",
+ "PleaseUpdateManually": "Please shutdown the server and update manually.",
+ "NewServerVersionAvailable": "A new version of Media Browser Server is available!",
+ "ServerUpToDate": "Media Browser Server is up to date",
+ "ErrorConnectingToMediaBrowserRepository": "There was an error connecting to the remote Media Browser repository.",
+ "LabelComponentsUpdated": "The following components have been installed or updated:",
+ "MessagePleaseRestartServerToFinishUpdating": "Please restart the server to finish applying updates.",
+ "LabelDownMixAudioScale": "Audio boost when downmixing:",
+ "LabelDownMixAudioScaleHelp": "Boost audio when downmixing. Set to 1 to preserve original volume value.",
+ "ButtonLinkKeys": "Transfer Key",
+ "LabelOldSupporterKey": "Old supporter key",
+ "LabelNewSupporterKey": "New supporter key",
+ "HeaderMultipleKeyLinking": "Transfer to New Key",
+ "MultipleKeyLinkingHelp": "If you received a new supporter key, use this form to transfer the old key's registrations to your new one.",
+ "LabelCurrentEmailAddress": "Current email address",
+ "LabelCurrentEmailAddressHelp": "The current email address to which your new key was sent.",
+ "HeaderForgotKey": "Forgot Key",
+ "LabelEmailAddress": "Email address",
+ "LabelSupporterEmailAddress": "The email address that was used to purchase the key.",
+ "ButtonRetrieveKey": "Retrieve Key",
+ "LabelSupporterKey": "Supporter Key (paste from email)",
+ "LabelSupporterKeyHelp": "Enter your supporter key to start enjoying additional benefits the community has developed for Media Browser.",
+ "MessageInvalidKey": "Supporter key is missing or invalid.",
+ "ErrorMessageInvalidKey": "In order for any premium content to be registered, you must also be a Media Browser Supporter. Please donate and support the continued development of the core product. Thank you.",
+ "HeaderDisplaySettings": "Display Settings",
+ "TabPlayTo": "Play To",
+ "LabelEnableDlnaServer": "Enable Dlna server",
+ "LabelEnableDlnaServerHelp": "Allows UPnP devices on your network to browse and play Media Browser content.",
+ "LabelEnableBlastAliveMessages": "Blast alive messages",
+ "LabelEnableBlastAliveMessagesHelp": "Enable this if the server is not detected reliably by other UPnP devices on your network.",
+ "LabelBlastMessageInterval": "Alive message interval (seconds)",
+ "LabelBlastMessageIntervalHelp": "Determines the duration in seconds between server alive messages.",
+ "LabelDefaultUser": "Default user:",
+ "LabelDefaultUserHelp": "Determines which user library should be displayed on connected devices. This can be overridden for each device using profiles.",
+ "TitleDlna": "DLNA",
+ "TitleChannels": "Channels",
+ "HeaderServerSettings": "Server Settings",
+ "LabelWeatherDisplayLocation": "Weather display location:",
+ "LabelWeatherDisplayLocationHelp": "US zip code \/ City, State, Country \/ City, Country",
+ "LabelWeatherDisplayUnit": "Weather display unit:",
+ "OptionCelsius": "Celsius",
+ "OptionFahrenheit": "Fahrenheit",
+ "HeaderRequireManualLogin": "Require manual username entry for:",
+ "HeaderRequireManualLoginHelp": "When disabled clients may present a login screen with a visual selection of users.",
+ "OptionOtherApps": "Other apps",
+ "OptionMobileApps": "Mobile apps",
+ "HeaderNotificationList": "Click on a notification to configure it's sending options.",
+ "NotificationOptionApplicationUpdateAvailable": "Application update available",
+ "NotificationOptionApplicationUpdateInstalled": "Application update installed",
+ "NotificationOptionPluginUpdateInstalled": "Plugin update installed",
+ "NotificationOptionPluginInstalled": "Plugin installed",
+ "NotificationOptionPluginUninstalled": "Plugin uninstalled",
+ "NotificationOptionVideoPlayback": "Video playback started",
+ "NotificationOptionAudioPlayback": "Audio playback started",
+ "NotificationOptionGamePlayback": "Game playback started",
+ "NotificationOptionVideoPlaybackStopped": "Video playback stopped",
+ "NotificationOptionAudioPlaybackStopped": "Audio playback stopped",
+ "NotificationOptionGamePlaybackStopped": "Game playback stopped",
+ "NotificationOptionTaskFailed": "Scheduled task failure",
+ "NotificationOptionInstallationFailed": "Installation failure",
+ "NotificationOptionNewLibraryContent": "New content added",
+ "NotificationOptionNewLibraryContentMultiple": "New content added (multiple)",
+ "SendNotificationHelp": "By default, notifications are delivered to the dashboard inbox. Browse the plugin catalog to install additional notification options.",
+ "NotificationOptionServerRestartRequired": "Server restart required",
+ "LabelNotificationEnabled": "Enable this notification",
+ "LabelMonitorUsers": "Monitor activity from:",
+ "LabelSendNotificationToUsers": "Send the notification to:",
+ "LabelUseNotificationServices": "Use the following services:",
+ "CategoryUser": "User",
+ "CategorySystem": "System",
+ "CategoryApplication": "Application",
+ "CategoryPlugin": "Plugin",
+ "LabelMessageTitle": "Message title:",
+ "LabelAvailableTokens": "Available tokens:",
+ "AdditionalNotificationServices": "Browse the plugin catalog to install additional notification services.",
+ "OptionAllUsers": "All users",
+ "OptionAdminUsers": "Administrators",
+ "OptionCustomUsers": "Custom",
+ "ButtonArrowUp": "Up",
+ "ButtonArrowDown": "Down",
+ "ButtonArrowLeft": "Left",
+ "ButtonArrowRight": "Right",
+ "ButtonBack": "Back",
+ "ButtonInfo": "Info",
+ "ButtonOsd": "On screen display",
+ "ButtonPageUp": "Page Up",
+ "ButtonPageDown": "Page Down",
+ "PageAbbreviation": "PG",
+ "ButtonHome": "Home",
+ "ButtonSearch": "\u641c\u7d22",
+ "ButtonSettings": "Settings",
+ "ButtonTakeScreenshot": "Capture Screenshot",
+ "ButtonLetterUp": "Letter Up",
+ "ButtonLetterDown": "Letter Down",
+ "PageButtonAbbreviation": "PG",
+ "LetterButtonAbbreviation": "A",
+ "TabNowPlaying": "Now Playing",
+ "TabNavigation": "Navigation",
+ "TabControls": "Controls",
+ "ButtonFullscreen": "Toggle fullscreen",
+ "ButtonScenes": "Scenes",
+ "ButtonSubtitles": "Subtitles",
+ "ButtonAudioTracks": "Audio tracks",
+ "ButtonPreviousTrack": "Previous track",
+ "ButtonNextTrack": "Next track",
+ "ButtonStop": "Stop",
+ "ButtonPause": "Pause",
+ "ButtonNext": "Next",
+ "ButtonPrevious": "Previous",
+ "LabelGroupMoviesIntoCollections": "Group movies into collections",
+ "LabelGroupMoviesIntoCollectionsHelp": "When displaying movie lists, movies belonging to a collection will be displayed as one grouped item.",
+ "NotificationOptionPluginError": "Plugin failure",
+ "ButtonVolumeUp": "Volume up",
+ "ButtonVolumeDown": "Volume down",
+ "ButtonMute": "Mute",
+ "HeaderLatestMedia": "Latest Media",
+ "OptionSpecialFeatures": "Special Features",
+ "HeaderCollections": "Collections",
+ "LabelProfileCodecsHelp": "Separated by comma. This can be left empty to apply to all codecs.",
+ "LabelProfileContainersHelp": "Separated by comma. This can be left empty to apply to all containers.",
+ "HeaderResponseProfile": "Response Profile",
+ "LabelType": "Type:",
+ "LabelPersonRole": "Role:",
+ "LabelPersonRoleHelp": "Role is generally only applicable to actors.",
+ "LabelProfileContainer": "Container:",
+ "LabelProfileVideoCodecs": "Video codecs:",
+ "LabelProfileAudioCodecs": "Audio codecs:",
+ "LabelProfileCodecs": "Codecs:",
+ "HeaderDirectPlayProfile": "Direct Play Profile",
+ "HeaderTranscodingProfile": "Transcoding Profile",
+ "HeaderCodecProfile": "Codec Profile",
+ "HeaderCodecProfileHelp": "Codec profiles indicate the limitations of a device when playing specific codecs. If a limitation applies then the media will be transcoded, even if the codec is configured for direct play.",
+ "HeaderContainerProfile": "Container Profile",
+ "HeaderContainerProfileHelp": "Container profiles indicate the limitations of a device when playing specific formats. If a limitation applies then the media will be transcoded, even if the format is configured for direct play.",
+ "OptionProfileVideo": "Video",
+ "OptionProfileAudio": "Audio",
+ "OptionProfileVideoAudio": "Video Audio",
+ "OptionProfilePhoto": "Photo",
+ "LabelUserLibrary": "User library:",
+ "LabelUserLibraryHelp": "Select which user library to display to the device. Leave empty to inherit the default setting.",
+ "OptionPlainStorageFolders": "Display all folders as plain storage folders",
+ "OptionPlainStorageFoldersHelp": "If enabled, all folders are represented in DIDL as \"object.container.storageFolder\" instead of a more specific type, such as \"object.container.person.musicArtist\".",
+ "OptionPlainVideoItems": "Display all videos as plain video items",
+ "OptionPlainVideoItemsHelp": "If enabled, all videos are represented in DIDL as \"object.item.videoItem\" instead of a more specific type, such as \"object.item.videoItem.movie\".",
+ "LabelSupportedMediaTypes": "Supported Media Types:",
+ "TabIdentification": "Identification",
+ "HeaderIdentification": "Identification",
+ "TabDirectPlay": "Direct Play",
+ "TabContainers": "Containers",
+ "TabCodecs": "Codecs",
+ "TabResponses": "Responses",
+ "HeaderProfileInformation": "Profile Information",
+ "LabelEmbedAlbumArtDidl": "Embed album art in Didl",
+ "LabelEmbedAlbumArtDidlHelp": "Some devices prefer this method for obtaining album art. Others may fail to play with this option enabled.",
+ "LabelAlbumArtPN": "Album art PN:",
+ "LabelAlbumArtHelp": "PN used for album art, within the dlna:profileID attribute on upnp:albumArtURI. Some clients require a specific value, regardless of the size of the image.",
+ "LabelAlbumArtMaxWidth": "Album art max width:",
+ "LabelAlbumArtMaxWidthHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelAlbumArtMaxHeight": "Album art max height:",
+ "LabelAlbumArtMaxHeightHelp": "Max resolution of album art exposed via upnp:albumArtURI.",
+ "LabelIconMaxWidth": "Icon max width:",
+ "LabelIconMaxWidthHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIconMaxHeight": "Icon max height:",
+ "LabelIconMaxHeightHelp": "Max resolution of icons exposed via upnp:icon.",
+ "LabelIdentificationFieldHelp": "A case-insensitive substring or regex expression.",
+ "HeaderProfileServerSettingsHelp": "These values control how Media Browser will present itself to the device.",
+ "LabelMaxBitrate": "Max bitrate:",
+ "LabelMaxBitrateHelp": "Specify a max bitrate in bandwidth constrained environments, or if the device imposes it's own limit.",
+ "LabelMaxStreamingBitrate": "Max streaming bitrate:",
+ "LabelMaxStreamingBitrateHelp": "Specify a max bitrate when streaming.",
+ "LabelMaxStaticBitrate": "Max sync bitrate:",
+ "LabelMaxStaticBitrateHelp": "Specify a max bitrate when syncing content at high quality.",
+ "LabelMusicStaticBitrate": "Music sync bitrate:",
+ "LabelMusicStaticBitrateHelp": "Specify a max bitrate when syncing music",
+ "LabelMusicStreamingTranscodingBitrate": "Music transcoding bitrate:",
+ "LabelMusicStreamingTranscodingBitrateHelp": "Specify a max bitrate when streaming music",
+ "OptionIgnoreTranscodeByteRangeRequests": "Ignore transcode byte range requests",
+ "OptionIgnoreTranscodeByteRangeRequestsHelp": "If enabled, these requests will be honored but will ignore the byte range header.",
+ "LabelFriendlyName": "Friendly name",
+ "LabelManufacturer": "Manufacturer",
+ "LabelManufacturerUrl": "Manufacturer url",
+ "LabelModelName": "Model name",
+ "LabelModelNumber": "Model number",
+ "LabelModelDescription": "Model description",
+ "LabelModelUrl": "Model url",
+ "LabelSerialNumber": "Serial number",
+ "LabelDeviceDescription": "Device description",
+ "HeaderIdentificationCriteriaHelp": "Enter at least one identification criteria.",
+ "HeaderDirectPlayProfileHelp": "Add direct play profiles to indicate which formats the device can handle natively.",
+ "HeaderTranscodingProfileHelp": "Add transcoding profiles to indicate which formats should be used when transcoding is required.",
+ "HeaderResponseProfileHelp": "Response profiles provide a way to customize information sent to the device when playing certain kinds of media.",
+ "LabelXDlnaCap": "X-Dlna cap:",
+ "LabelXDlnaCapHelp": "Determines the content of the X_DLNACAP element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelXDlnaDoc": "X-Dlna doc:",
+ "LabelXDlnaDocHelp": "Determines the content of the X_DLNADOC element in the urn:schemas-dlna-org:device-1-0 namespace.",
+ "LabelSonyAggregationFlags": "Sony aggregation flags:",
+ "LabelSonyAggregationFlagsHelp": "Determines the content of the aggregationFlags element in the urn:schemas-sonycom:av namespace.",
+ "LabelTranscodingContainer": "Container:",
+ "LabelTranscodingVideoCodec": "Video codec:",
+ "LabelTranscodingVideoProfile": "Video profile:",
+ "LabelTranscodingAudioCodec": "Audio codec:",
+ "OptionEnableM2tsMode": "Enable M2ts mode",
+ "OptionEnableM2tsModeHelp": "Enable m2ts mode when encoding to mpegts.",
+ "OptionEstimateContentLength": "Estimate content length when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscoding": "Report that the server supports byte seeking when transcoding",
+ "OptionReportByteRangeSeekingWhenTranscodingHelp": "This is required for some devices that don't time seek very well.",
+ "HeaderSubtitleDownloadingHelp": "When Media Browser scans your video files it can search for missing subtitles, and download them using a subtitle provider such as OpenSubtitles.org.",
+ "HeaderDownloadSubtitlesFor": "Download subtitles for:",
+ "MessageNoChapterProviders": "Install a chapter provider plugin such as ChapterDb to enable additional chapter options.",
+ "LabelSkipIfGraphicalSubsPresent": "Skip if the video already contains graphical subtitles",
+ "LabelSkipIfGraphicalSubsPresentHelp": "Keeping text versions of subtitles will result in more efficient delivery to mobile clients.",
+ "TabSubtitles": "Subtitles",
+ "TabChapters": "Chapters",
+ "HeaderDownloadChaptersFor": "Download chapter names for:",
+ "LabelOpenSubtitlesUsername": "Open Subtitles username:",
+ "LabelOpenSubtitlesPassword": "Open Subtitles password:",
+ "HeaderChapterDownloadingHelp": "When Media Browser scans your video files it can download friendly chapter names from the internet using chapter plugins such as ChapterDb.",
+ "LabelPlayDefaultAudioTrack": "Play default audio track regardless of language",
+ "LabelSubtitlePlaybackMode": "Subtitle mode:",
+ "LabelDownloadLanguages": "Download languages:",
+ "ButtonRegister": "Register",
+ "LabelSkipIfAudioTrackPresent": "Skip if the default audio track matches the download language",
+ "LabelSkipIfAudioTrackPresentHelp": "Uncheck this to ensure all videos have subtitles, regardless of audio language.",
+ "HeaderSendMessage": "Send Message",
+ "ButtonSend": "Send",
+ "LabelMessageText": "Message text:",
+ "MessageNoAvailablePlugins": "No available plugins.",
+ "LabelDisplayPluginsFor": "Display plugins for:",
+ "PluginTabMediaBrowserClassic": "MB Classic",
+ "PluginTabMediaBrowserTheater": "MB Theater",
+ "LabelEpisodeNamePlain": "Episode name",
+ "LabelSeriesNamePlain": "Series name",
+ "ValueSeriesNamePeriod": "Series.name",
+ "ValueSeriesNameUnderscore": "Series_name",
+ "ValueEpisodeNamePeriod": "Episode.name",
+ "ValueEpisodeNameUnderscore": "Episode_name",
+ "LabelSeasonNumberPlain": "Season number",
+ "LabelEpisodeNumberPlain": "Episode number",
+ "LabelEndingEpisodeNumberPlain": "Ending episode number",
+ "HeaderTypeText": "Enter Text",
+ "LabelTypeText": "Text",
+ "HeaderSearchForSubtitles": "Search for Subtitles",
+ "MessageNoSubtitleSearchResultsFound": "No search results founds.",
+ "TabDisplay": "Display",
+ "TabLanguages": "Languages",
+ "TabWebClient": "Web Client",
+ "LabelEnableThemeSongs": "Enable theme songs",
+ "LabelEnableBackdrops": "Enable backdrops",
+ "LabelEnableThemeSongsHelp": "If enabled, theme songs will be played in the background while browsing the library.",
+ "LabelEnableBackdropsHelp": "If enabled, backdrops will be displayed in the background of some pages while browsing the library.",
+ "HeaderHomePage": "Home Page",
+ "HeaderSettingsForThisDevice": "Settings for This Device",
+ "OptionAuto": "Auto",
+ "OptionYes": "Yes",
+ "OptionNo": "No",
+ "LabelHomePageSection1": "Home page section 1:",
+ "LabelHomePageSection2": "Home page section 2:",
+ "LabelHomePageSection3": "Home page section 3:",
+ "LabelHomePageSection4": "Home page section 4:",
+ "OptionMyViewsButtons": "My views (buttons)",
+ "OptionMyViews": "My views",
+ "OptionMyViewsSmall": "My views (small)",
+ "OptionResumablemedia": "Resume",
+ "OptionLatestMedia": "Latest media",
+ "OptionLatestChannelMedia": "Latest channel items",
+ "HeaderLatestChannelItems": "Latest Channel Items",
+ "OptionNone": "None",
+ "HeaderLiveTv": "Live TV",
+ "HeaderReports": "Reports",
+ "HeaderMetadataManager": "Metadata Manager",
+ "HeaderPreferences": "Preferences",
+ "MessageLoadingChannels": "Loading channel content...",
+ "MessageLoadingContent": "Loading content...",
+ "ButtonMarkRead": "Mark Read",
+ "OptionDefaultSort": "Default",
+ "OptionCommunityMostWatchedSort": "Most Watched",
+ "TabNextUp": "Next Up",
+ "MessageNoMovieSuggestionsAvailable": "No movie suggestions are currently available. Start watching and rating your movies, and then come back to view your recommendations.",
+ "MessageNoCollectionsAvailable": "Collections allow you to enjoy personalized groupings of Movies, Series, Albums, Books and Games. Click the New button to start creating Collections.",
+ "MessageNoPlaylistsAvailable": "Playlists allow you to create lists of content to play consecutively at a time. To add items to playlists, right click or tap and hold, then select Add to Playlist.",
+ "MessageNoPlaylistItemsAvailable": "This playlist is currently empty.",
+ "HeaderWelcomeToMediaBrowserWebClient": "Welcome to the Media Browser Web Client",
+ "ButtonDismiss": "Dismiss",
+ "ButtonTakeTheTour": "Take the tour",
+ "ButtonEditOtherUserPreferences": "Edit this user's profile, password and personal preferences.",
+ "LabelChannelStreamQuality": "Preferred internet stream quality:",
+ "LabelChannelStreamQualityHelp": "In a low bandwidth environment, limiting quality can help ensure a smooth streaming experience.",
+ "OptionBestAvailableStreamQuality": "Best available",
+ "LabelEnableChannelContentDownloadingFor": "Enable channel content downloading for:",
+ "LabelEnableChannelContentDownloadingForHelp": "Some channels support downloading content prior to viewing. Enable this in low bandwidth enviornments to download channel content during off hours. Content is downloaded as part of the channel download scheduled task.",
+ "LabelChannelDownloadPath": "Channel content download path:",
+ "LabelChannelDownloadPathHelp": "Specify a custom download path if desired. Leave empty to download to an internal program data folder.",
+ "LabelChannelDownloadAge": "Delete content after: (days)",
+ "LabelChannelDownloadAgeHelp": "Downloaded content older than this will be deleted. It will remain playable via internet streaming.",
+ "ChannelSettingsFormHelp": "Install channels such as Trailers and Vimeo in the plugin catalog.",
+ "LabelSelectCollection": "Select collection:",
+ "ButtonOptions": "Options",
+ "ViewTypeMovies": "Movies",
+ "ViewTypeTvShows": "TV",
+ "ViewTypeGames": "Games",
+ "ViewTypeMusic": "Music",
+ "ViewTypeBoxSets": "Collections",
+ "ViewTypeChannels": "Channels",
+ "ViewTypeLiveTV": "Live TV",
+ "ViewTypeLiveTvNowPlaying": "Now Airing",
+ "ViewTypeLatestGames": "Latest Games",
+ "ViewTypeRecentlyPlayedGames": "Recently Played",
+ "ViewTypeGameFavorites": "Favorites",
+ "ViewTypeGameSystems": "Game Systems",
+ "ViewTypeGameGenres": "Genres",
+ "ViewTypeTvResume": "Resume",
+ "ViewTypeTvNextUp": "Next Up"
}
\ No newline at end of file
diff --git a/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj b/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj
index aaeb014b7a..bc03470e24 100644
--- a/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj
+++ b/MediaBrowser.Server.Implementations/MediaBrowser.Server.Implementations.csproj
@@ -407,6 +407,8 @@
+
+
diff --git a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj
index a985932753..58b37e53f3 100644
--- a/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj
+++ b/MediaBrowser.WebDashboard/MediaBrowser.WebDashboard.csproj
@@ -87,6 +87,9 @@
+
+ PreserveNewest
+
PreserveNewest
diff --git a/OpenSubtitlesHandler/XML-RPC/XmlRpcGenerator.cs b/OpenSubtitlesHandler/XML-RPC/XmlRpcGenerator.cs
index 028b734dc5..76096a5416 100644
--- a/OpenSubtitlesHandler/XML-RPC/XmlRpcGenerator.cs
+++ b/OpenSubtitlesHandler/XML-RPC/XmlRpcGenerator.cs
@@ -17,6 +17,7 @@
along with this program. If not, see .
*/
using System;
+using System.Globalization;
using System.Text;
using System.Collections.Generic;
using System.IO;
@@ -229,6 +230,8 @@ namespace XmlRpcHandler
XMLwrt.WriteEndElement();//array
XMLwrt.WriteEndElement();//value
}
+ private static readonly CultureInfo UsCulture = new CultureInfo("en-US");
+
private static IXmlRpcValue ReadValue(XmlReader xmlReader)
{
while (xmlReader.Read())
@@ -242,7 +245,7 @@ namespace XmlRpcHandler
}
else if (xmlReader.Name == "int" && xmlReader.IsStartElement())
{
- return new XmlRpcValueBasic(int.Parse(xmlReader.ReadString()), XmlRpcBasicValueType.Int);
+ return new XmlRpcValueBasic(int.Parse(xmlReader.ReadString(), UsCulture), XmlRpcBasicValueType.Int);
}
else if (xmlReader.Name == "boolean" && xmlReader.IsStartElement())
{
@@ -250,17 +253,17 @@ namespace XmlRpcHandler
}
else if (xmlReader.Name == "double" && xmlReader.IsStartElement())
{
- return new XmlRpcValueBasic(double.Parse(xmlReader.ReadString()), XmlRpcBasicValueType.Double);
+ return new XmlRpcValueBasic(double.Parse(xmlReader.ReadString(), UsCulture), XmlRpcBasicValueType.Double);
}
else if (xmlReader.Name == "dateTime.iso8601" && xmlReader.IsStartElement())
{
string date = xmlReader.ReadString();
- int year = int.Parse(date.Substring(0, 4));
- int month = int.Parse(date.Substring(4, 2));
- int day = int.Parse(date.Substring(6, 2));
- int hour = int.Parse(date.Substring(9, 2));
- int minute = int.Parse(date.Substring(12, 2));//19980717T14:08:55
- int sec = int.Parse(date.Substring(15, 2));
+ int year = int.Parse(date.Substring(0, 4), UsCulture);
+ int month = int.Parse(date.Substring(4, 2), UsCulture);
+ int day = int.Parse(date.Substring(6, 2), UsCulture);
+ int hour = int.Parse(date.Substring(9, 2), UsCulture);
+ int minute = int.Parse(date.Substring(12, 2), UsCulture);//19980717T14:08:55
+ int sec = int.Parse(date.Substring(15, 2), UsCulture);
DateTime time = new DateTime(year, month, day, hour, minute, sec);
return new XmlRpcValueBasic(time, XmlRpcBasicValueType.dateTime_iso8601);
}